diff --git a/www/_install/classes/controllerConsole.php b/www/_install/classes/controllerConsole.php deleted file mode 100644 index 8d1680e..0000000 --- a/www/_install/classes/controllerConsole.php +++ /dev/null @@ -1,168 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -abstract class InstallControllerConsole -{ - /** - * @var array List of installer steps - */ - protected static $steps = array('process'); - - protected static $instances = array(); - - /** - * @var string Current step - */ - public $step; - - /** - * @var array List of errors - */ - public $errors = array(); - - public $controller; - - /** - * @var InstallSession - */ - public $session; - - /** - * @var InstallLanguages - */ - public $language; - - /** - * @var InstallAbstractModel - */ - public $model; - - /** - * Validate current step - */ - abstract public function validate(); - - final public static function execute($argc, $argv) - { - if (!($argc-1)) { - $available_arguments = Datas::getInstance()->getArgs(); - echo 'Arguments available:'."\n"; - foreach ($available_arguments as $key => $arg) { - $name = isset($arg['name']) ? $arg['name'] : $key; - echo '--'.$name."\t".(isset($arg['help']) ? $arg['help'] : '').(isset($arg['default']) ? "\t".'(Default: '.$arg['default'].')' : '')."\n"; - } - exit; - } - - $errors = Datas::getInstance()->getAndCheckArgs($argv); - if (Datas::getInstance()->show_license) { - echo strip_tags(file_get_contents(_PS_INSTALL_PATH_.'theme/views/license_content.phtml')); - exit; - } - - if ($errors !== true) { - if (count($errors)) { - foreach ($errors as $error) { - echo $error."\n"; - } - } - exit; - } - - if (!file_exists(_PS_INSTALL_CONTROLLERS_PATH_.'console/process.php')) { - throw new PrestashopInstallerException("Controller file 'console/process.php' not found"); - } - - require_once _PS_INSTALL_CONTROLLERS_PATH_.'console/process.php'; - $classname = 'InstallControllerConsoleProcess'; - self::$instances['process'] = new InstallControllerConsoleProcess('process'); - - $datas = Datas::getInstance(); - - /* redefine HTTP_HOST */ - $_SERVER['HTTP_HOST'] = $datas->http_host; - - @date_default_timezone_set($datas->timezone); - - self::$instances['process']->process(); - } - - final public function __construct($step) - { - $this->step = $step; - $this->datas = Datas::getInstance(); - - // Set current language - $this->language = InstallLanguages::getInstance(); - if (!$this->datas->language) { - die('No language defined'); - } - $this->language->setLanguage($this->datas->language); - - $this->init(); - } - - /** - * Initialize model - */ - public function init() - { - } - - public function printErrors() - { - $errors = $this->model_install->getErrors(); - if (count($errors)) { - if (!is_array($errors)) { - $errors = array($errors); - } - echo 'Errors :'."\n"; - foreach ($errors as $error_process) { - foreach ($error_process as $error) { - echo (is_string($error) ? $error : print_r($error, true))."\n"; - } - } - die; - } - } - - /** - * Get translated string - * - * @param string $str String to translate - * @param ... All other params will be used with sprintf - * @return string - */ - public function l($str) - { - $args = func_get_args(); - return call_user_func_array(array($this->language, 'l'), $args); - } - - public function process() - { - } -} diff --git a/www/_install/classes/controllerHttp.php b/www/_install/classes/controllerHttp.php deleted file mode 100644 index 5080108..0000000 --- a/www/_install/classes/controllerHttp.php +++ /dev/null @@ -1,479 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -abstract class InstallControllerHttp -{ - /** - * @var array List of installer steps - */ - protected static $steps = array('welcome', 'license', 'system', 'configure', 'database', 'process'); - protected $phone; - protected static $instances = array(); - - /** - * @var string Current step - */ - public $step; - - /** - * @var array List of errors - */ - public $errors = array(); - - public $controller; - - /** - * @var InstallSession - */ - public $session; - - /** - * @var InstallLanguages - */ - public $language; - - /** - * @var bool If false, disable next button access - */ - public $next_button = true; - - /** - * @var bool If false, disable previous button access - */ - public $previous_button = true; - - /** - * @var InstallAbstractModel - */ - public $model; - - /** - * @var array Magic vars - */ - protected $__vars = array(); - - /** - * Process form to go to next step - */ - abstract public function processNextStep(); - - /** - * Validate current step - */ - abstract public function validate(); - - /** - * Display current step view - */ - abstract public function display(); - - final public static function execute() - { - if (Tools::getValue('compile_templates')) { - require_once(_PS_INSTALL_CONTROLLERS_PATH_.'http/smarty_compile.php'); - exit; - } - - $session = InstallSession::getInstance(); - if (!$session->last_step || $session->last_step == 'welcome') { - Tools::generateIndex(); - } - - // Include all controllers - foreach (self::$steps as $step) { - if (!file_exists(_PS_INSTALL_CONTROLLERS_PATH_.'http/'.$step.'.php')) { - throw new PrestashopInstallerException("Controller file 'http/{$step}.php' not found"); - } - - require_once _PS_INSTALL_CONTROLLERS_PATH_.'http/'.$step.'.php'; - $classname = 'InstallControllerHttp'.$step; - self::$instances[$step] = new $classname($step); - } - - if (!$session->last_step || !in_array($session->last_step, self::$steps)) { - $session->last_step = self::$steps[0]; - } - - // Set timezone - if ($session->shop_timezone) { - @date_default_timezone_set($session->shop_timezone); - } - - // Get current step (check first if step is changed, then take it from session) - if (Tools::getValue('step')) { - $current_step = Tools::getValue('step'); - $session->step = $current_step; - } else { - $current_step = (isset($session->step)) ? $session->step : self::$steps[0]; - } - - if (!in_array($current_step, self::$steps)) { - $current_step = self::$steps[0]; - } - - // Validate all steps until current step. If a step is not valid, use it as current step. - foreach (self::$steps as $check_step) { - // Do not validate current step - if ($check_step == $current_step) { - break; - } - - if (!self::$instances[$check_step]->validate()) { - $current_step = $check_step; - $session->step = $current_step; - $session->last_step = $current_step; - break; - } - } - - // Submit form to go to next step - if (Tools::getValue('submitNext')) { - self::$instances[$current_step]->processNextStep(); - - // If current step is validated, let's go to next step - if (self::$instances[$current_step]->validate()) { - $current_step = self::$instances[$current_step]->findNextStep(); - } - $session->step = $current_step; - - // Change last step - if (self::getStepOffset($current_step) > self::getStepOffset($session->last_step)) { - $session->last_step = $current_step; - } - } - // Go to previous step - elseif (Tools::getValue('submitPrevious') && $current_step != self::$steps[0]) { - $current_step = self::$instances[$current_step]->findPreviousStep($current_step); - $session->step = $current_step; - } - - self::$instances[$current_step]->process(); - self::$instances[$current_step]->display(); - } - - final public function __construct($step) - { - $this->step = $step; - $this->session = InstallSession::getInstance(); - - // Set current language - $this->language = InstallLanguages::getInstance(); - $detect_language = $this->language->detectLanguage(); - if (isset($this->session->lang)) { - $lang = $this->session->lang; - } else { - $lang = (isset($detect_language['primarytag'])) ? $detect_language['primarytag'] : false; - } - - if (!in_array($lang, $this->language->getIsoList())) { - $lang = 'en'; - } - $this->language->setLanguage($lang); - - $this->init(); - } - - public function init() - { - } - - public function process() - { - } - - /** - * Get steps list - * - * @return array - */ - public function getSteps() - { - return self::$steps; - } - - public function getLastStep() - { - return $this->session->last_step; - } - - /** - * Find offset of a step by name - * - * @param string $step Step name - * @return int - */ - public static function getStepOffset($step) - { - static $flip = null; - - if (is_null($flip)) { - $flip = array_flip(self::$steps); - } - return $flip[$step]; - } - - /** - * Make a HTTP redirection to a step - * - * @param string $step - */ - public function redirect($step) - { - header('location: index.php?step='.$step); - exit; - } - - /** - * Get translated string - * - * @param string $str String to translate - * @param ... All other params will be used with sprintf - * @return string - */ - public function l($str) - { - $args = func_get_args(); - return call_user_func_array(array($this->language, 'l'), $args); - } - - /** - * Find previous step - * - * @param string $step - */ - public function findPreviousStep() - { - return (isset(self::$steps[$this->getStepOffset($this->step) - 1])) ? self::$steps[$this->getStepOffset($this->step) - 1] : false; - } - - /** - * Find next step - * - * @param string $step - */ - public function findNextStep() - { - $nextStep = (isset(self::$steps[$this->getStepOffset($this->step) + 1])) ? self::$steps[$this->getStepOffset($this->step) + 1] : false; - if ($nextStep == 'system' && self::$instances[$nextStep]->validate()) { - $nextStep = self::$instances[$nextStep]->findNextStep(); - } - return $nextStep; - } - - /** - * Check if current step is first step in list of steps - * - * @return bool - */ - public function isFirstStep() - { - return self::getStepOffset($this->step) == 0; - } - - /** - * Check if current step is last step in list of steps - * - * @return bool - */ - public function isLastStep() - { - return self::getStepOffset($this->step) == (count(self::$steps) - 1); - } - - /** - * Check is given step is already finished - * - * @param string $step - * @return bool - */ - public function isStepFinished($step) - { - return self::getStepOffset($step) < self::getStepOffset($this->getLastStep()); - } - - /** - * Get telephone used for this language - * - * @return string - */ - public function getPhone() - { - if (InstallSession::getInstance()->support_phone != null) { - return InstallSession::getInstance()->support_phone; - } - if ($this->phone === null) { - $this->phone = $this->language->getInformation('phone', false); - if ($iframe = Tools::file_get_contents('http://api.prestashop.com/iframe/install.php?lang='.$this->language->getLanguageIso(), false, null, 3)) { - if (preg_match('//Ui', $iframe, $matches) && isset($matches[1])) { - $this->phone = $matches[1]; - } - } - } - InstallSession::getInstance()->support_phone = $this->phone; - return $this->phone; - } - - /** - * Get link to documentation for this language - * - * Enter description here ... - */ - public function getDocumentationLink() - { - return $this->language->getInformation('documentation'); - } - - /** - * Get link to tutorial video for this language - * - * Enter description here ... - */ - public function getTutorialLink() - { - return $this->language->getInformation('tutorial'); - } - - /** - * Get link to tailored help for this language - * - * Enter description here ... - */ - public function getTailoredHelp() - { - return $this->language->getInformation('tailored_help'); - } - - /** - * Get link to forum for this language - * - * Enter description here ... - */ - public function getForumLink() - { - return $this->language->getInformation('forum'); - } - - /** - * Get link to blog for this language - * - * Enter description here ... - */ - public function getBlogLink() - { - return $this->language->getInformation('blog'); - } - - /** - * Get link to support for this language - * - * Enter description here ... - */ - public function getSupportLink() - { - return $this->language->getInformation('support'); - } - - public function getDocumentationUpgradeLink() - { - return $this->language->getInformation('documentation_upgrade', true); - } - - /** - * Send AJAX response in JSON format {success: bool, message: string} - * - * @param bool $success - * @param string $message - */ - public function ajaxJsonAnswer($success, $message = '') - { - if (!$success && empty($message)) { - $message = print_r(@error_get_last(), true); - } - die(Tools::jsonEncode(array( - 'success' => (bool)$success, - 'message' => $message, - // 'memory' => round(memory_get_peak_usage()/1024/1024, 2).' Mo', - ))); - } - - /** - * Display a template - * - * @param string $template Template name - * @param bool $get_output Is true, return template html - * @return string - */ - public function displayTemplate($template, $get_output = false, $path = null) - { - if (!$path) { - $path = _PS_INSTALL_PATH_.'theme/views/'; - } - - if (!file_exists($path.$template.'.phtml')) { - throw new PrestashopInstallerException("Template '{$template}.phtml' not found"); - } - - if ($get_output) { - ob_start(); - } - - include($path.$template.'.phtml'); - - if ($get_output) { - $content = ob_get_contents(); - if (ob_get_level() && ob_get_length() > 0) { - ob_end_clean(); - } - return $content; - } - } - - public function &__get($varname) - { - if (isset($this->__vars[$varname])) { - $ref = &$this->__vars[$varname]; - } else { - $null = null; - $ref = &$null; - } - return $ref; - } - - public function __set($varname, $value) - { - $this->__vars[$varname] = $value; - } - - public function __isset($varname) - { - return isset($this->__vars[$varname]); - } - - public function __unset($varname) - { - unset($this->__vars[$varname]); - } -} diff --git a/www/_install/classes/datas.php b/www/_install/classes/datas.php deleted file mode 100644 index be89b8c..0000000 --- a/www/_install/classes/datas.php +++ /dev/null @@ -1,233 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -class Datas -{ - private static $instance = null; - protected static $available_args = array( - 'step' => array( - 'name' => 'step', - 'default' => 'all', - 'validate' => 'isGenericName', - 'help' => 'all / database,fixtures,theme,modules,addons_modules', - ), - 'language' => array( - 'default' => 'en', - 'validate' => 'isLanguageIsoCode', - 'alias' => 'l', - 'help' => 'language iso code', - ), - 'all_languages' => array( - 'default' => '0', - 'validate' => 'isInt', - 'alias' => 'l', - 'help' => 'install all available languages', - ), - 'timezone' => array( - 'default' => 'Europe/Paris', - 'alias' => 't', - ), - 'base_uri' => array( - 'name' => 'base_uri', - 'validate' => 'isUrl', - 'default' => '/', - ), - 'http_host' => array( - 'name' => 'domain', - 'validate' => 'isGenericName', - 'default' => 'localhost', - ), - 'database_server' => array( - 'name' => 'db_server', - 'default' => 'localhost', - 'validate' => 'isGenericName', - 'alias' => 'h', - ), - 'database_login' => array( - 'name' => 'db_user', - 'alias' => 'u', - 'default' => 'root', - 'validate' => 'isGenericName', - ), - 'database_password' => array( - 'name' => 'db_password', - 'alias' => 'p', - 'default' => '', - ), - 'database_name' => array( - 'name' => 'db_name', - 'alias' => 'd', - 'default' => 'prestashop', - 'validate' => 'isGenericName', - ), - 'database_clear' => array( - 'name' => 'db_clear', - 'default' => '1', - 'validate' => 'isInt', - 'help' => 'Drop existing tables' - ), - 'database_create' => array( - 'name' => 'db_create', - 'default' => '0', - 'validate' => 'isInt', - 'help' => 'Create the database if not exist' - ), - 'database_prefix' => array( - 'name' => 'prefix', - 'default' => 'ps_', - 'validate' => 'isGenericName', - ), - 'database_engine' => array( - 'name' => 'engine', - 'validate' => 'isMySQLEngine', - 'default' => 'InnoDB', - 'help' => 'InnoDB/MyISAM', - ), - 'shop_name' => array( - 'name' => 'name', - 'validate' => 'isGenericName', - 'default' => 'PrestaShop', - ), - 'shop_activity' => array( - 'name' => 'activity', - 'default' => 0, - 'validate' => 'isInt', - ), - 'shop_country' => array( - 'name' => 'country', - 'validate' => 'isLanguageIsoCode', - 'default' => 'fr', - ), - 'admin_firstname' => array( - 'name' => 'firstname', - 'validate' => 'isName', - 'default' => 'John', - ), - 'admin_lastname' => array( - 'name' => 'lastname', - 'validate' => 'isName', - 'default' => 'Doe', - ), - 'admin_password' => array( - 'name' => 'password', - 'validate' => 'isPasswd', - 'default' => '0123456789', - ), - 'admin_email' => array( - 'name' => 'email', - 'validate' => 'isEmail', - 'default' => 'pub@prestashop.com' - ), - 'show_license' => array( - 'name' => 'license', - 'default' => 0, - 'help' => 'show PrestaShop license' - ), - 'newsletter' => array( - 'name' => 'newsletter', - 'default' => 1, - 'help' => 'get news from PrestaShop', - ), - 'send_email' => array( - 'name' => 'send_email', - 'default' => 1, - 'help' => 'send an email to the administrator after installation', - ), - ); - - protected $datas = array(); - - public function __get($key) - { - if (isset($this->datas[$key])) { - return $this->datas[$key]; - } - - return false; - } - - public function __set($key, $value) - { - $this->datas[$key] = $value; - } - - public static function getInstance() - { - if (Datas::$instance === null) { - Datas::$instance = new Datas(); - } - return Datas::$instance; - } - - public static function getArgs() - { - return Datas::$available_args; - } - - public function getAndCheckArgs($argv) - { - if (!$argv) { - return false; - } - - $args_ok = array(); - foreach ($argv as $arg) { - if (!preg_match('/^--([^=\'"><|`]+)(?:=([^=><|`]+)|(?!license))/i', trim($arg), $res)) { - continue; - } - - if ($res[1] == 'license' && !isset($res[2])) { - $res[2] = 1; - } elseif (!isset($res[2])) { - continue; - } - - $args_ok[$res[1]] = $res[2]; - } - - $errors = array(); - foreach (Datas::getArgs() as $key => $row) { - if (isset($row['name'])) { - $name = $row['name']; - } else { - $name = $key; - } - if (!isset($args_ok[$name])) { - if (!isset($row['default'])) { - $errors[] = 'Field '.$row['name'].' is empty'; - } else { - $this->$key = $row['default']; - } - } elseif (isset($row['validate']) && !call_user_func(array('Validate', $row['validate']), $args_ok[$name])) { - $errors[] = 'Field '.$key.' is not valid'; - } else { - $this->$key = $args_ok[$name]; - } - } - - return count($errors) ? $errors : true; - } -} diff --git a/www/_install/classes/exception.php b/www/_install/classes/exception.php deleted file mode 100644 index 87e38e4..0000000 --- a/www/_install/classes/exception.php +++ /dev/null @@ -1,29 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -class PrestashopInstallerException extends PrestaShopException -{ -} diff --git a/www/_install/classes/index.php b/www/_install/classes/index.php deleted file mode 100644 index a0a3051..0000000 --- a/www/_install/classes/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/classes/language.php b/www/_install/classes/language.php deleted file mode 100644 index 02ba81f..0000000 --- a/www/_install/classes/language.php +++ /dev/null @@ -1,116 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -class InstallLanguage -{ - /** - * @var string Current language folder - */ - protected $path; - - /** - * @var string Current language iso - */ - protected $iso; - - /** - * @var array Cache list of installer translations for this language - */ - protected $data; - - protected $fixtures_data; - - /** - * @var array Cache list of informations in language.xml file - */ - protected $meta; - - /** - * @var array Cache list of countries for this language - */ - protected $countries; - - public function __construct($iso) - { - $this->path = _PS_INSTALL_LANGS_PATH_.$iso.'/'; - $this->iso = $iso; - } - - /** - * Get iso for current language - * - * @return string - */ - public function getIso() - { - return $this->iso; - } - - /** - * Get an information from language.xml file (E.g. $this->getMetaInformation('name')) - * - * @param string $key - * @return string - */ - public function getMetaInformation($key) - { - if (!is_array($this->meta)) { - $this->meta = array(); - $xml = @simplexml_load_file($this->path.'language.xml'); - if ($xml) { - foreach ($xml->children() as $node) { - $this->meta[$node->getName()] = (string)$node; - } - } - } - - return isset($this->meta[$key]) ? $this->meta[$key] : null; - } - - public function getTranslation($key, $type = 'translations') - { - if (!is_array($this->data)) { - $this->data = file_exists($this->path.'install.php') ? include($this->path.'install.php') : array(); - } - - return isset($this->data[$type][$key]) ? $this->data[$type][$key] : null; - } - - public function getCountries() - { - if (!is_array($this->countries)) { - $this->countries = array(); - if (file_exists($this->path.'data/country.xml')) { - if ($xml = @simplexml_load_file($this->path.'data/country.xml')) { - foreach ($xml->country as $country) { - $this->countries[strtolower((string)$country['id'])] = (string)$country->name; - } - } - } - } - return $this->countries; - } -} diff --git a/www/_install/classes/languages.php b/www/_install/classes/languages.php deleted file mode 100644 index 545be43..0000000 --- a/www/_install/classes/languages.php +++ /dev/null @@ -1,227 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -class InstallLanguages -{ - const DEFAULT_ISO = 'en'; - /** - * @var array List of available languages - */ - protected $languages; - - /** - * @var string Current language - */ - protected $language; - - /** - * @var InstallLanguage Default language (english) - */ - protected $default; - - protected static $_instance; - - public static function getInstance() - { - if (!self::$_instance) { - self::$_instance = new self(); - } - return self::$_instance; - } - - public function __construct() - { - // English language is required - if (!file_exists(_PS_INSTALL_LANGS_PATH_.'en/language.xml')) { - throw new PrestashopInstallerException('English language is missing'); - } - - $this->languages = array( - self::DEFAULT_ISO => new InstallLanguage(self::DEFAULT_ISO), - ); - - // Load other languages - foreach (scandir(_PS_INSTALL_LANGS_PATH_) as $lang) { - if ($lang[0] != '.' && is_dir(_PS_INSTALL_LANGS_PATH_.$lang) && $lang != self::DEFAULT_ISO && file_exists(_PS_INSTALL_LANGS_PATH_.$lang.'/install.php')) { - $this->languages[$lang] = new InstallLanguage($lang); - } - } - uasort($this->languages, 'ps_usort_languages'); - } - - /** - * Set current language - * - * @param string $iso Language iso - */ - public function setLanguage($iso) - { - if (!in_array($iso, $this->getIsoList())) { - throw new PrestashopInstallerException('Language '.$iso.' not found'); - } - $this->language = $iso; - } - - /** - * Get current language - * - * @return string - */ - public function getLanguageIso() - { - return $this->language; - } - - /** - * Get current language - * - * @return InstallLanguage - */ - public function getLanguage($iso = null) - { - if (!$iso) { - $iso = $this->language; - } - return $this->languages[$iso]; - } - - public function getIsoList() - { - return array_keys($this->languages); - } - - /** - * Get list of languages iso supported by installer - * - * @return array - */ - public function getLanguages() - { - return $this->languages; - } - - /** - * Get translated string - * - * @param string $str String to translate - * @param ... All other params will be used with sprintf - * @return string - */ - public function l($str) - { - $args = func_get_args(); - $translation = $this->getLanguage()->getTranslation($args[0]); - if (is_null($translation)) { - $translation = $this->getLanguage(self::DEFAULT_ISO)->getTranslation($args[0]); - if (is_null($translation)) { - $translation = $args[0]; - } - } - - $args[0] = $translation; - if (count($args) > 1) { - return call_user_func_array('sprintf', $args); - } else { - return $translation; - } - } - - /** - * Get an information from language (phone, links, etc.) - * - * @param string $key Information identifier - */ - public function getInformation($key, $with_default = true) - { - $information = $this->getLanguage()->getTranslation($key, 'informations'); - if (is_null($information) && $with_default) { - return $this->getLanguage(self::DEFAULT_ISO)->getTranslation($key, 'informations'); - } - return $information; - } - - /** - * Get list of countries for current language - * - * @return array - */ - public function getCountries() - { - static $countries = null; - - if (is_null($countries)) { - $countries = array(); - $countries_lang = $this->getLanguage()->getCountries(); - $countries_default = $this->getLanguage(self::DEFAULT_ISO)->getCountries(); - $xml = @simplexml_load_file(_PS_INSTALL_DATA_PATH_.'xml/country.xml'); - if ($xml) { - foreach ($xml->entities->country as $country) { - $iso = strtolower((string)$country['iso_code']); - $countries[$iso] = isset($countries_lang[$iso]) ? $countries_lang[$iso] : $countries_default[$iso]; - } - } - asort($countries); - } - - return $countries; - } - - /** - * Parse HTTP_ACCEPT_LANGUAGE and get first data matching list of available languages - * - * @return bool|array - */ - public function detectLanguage() - { - // This code is from a php.net comment : http://www.php.net/manual/fr/reserved.variables.server.php#94237 - $split_languages = explode(',', $_SERVER['HTTP_ACCEPT_LANGUAGE']); - if (!is_array($split_languages)) { - return false; - } - - foreach ($split_languages as $lang) { - $pattern = '/^(?P[a-zA-Z]{2,8})'. - '(?:-(?P[a-zA-Z]{2,8}))?(?:(?:;q=)'. - '(?P\d\.\d))?$/'; - if (preg_match($pattern, $lang, $m)) { - if (in_array($m['primarytag'], $this->getIsoList())) { - return $m; - } - } - } - return false; - } -} - -function ps_usort_languages($a, $b) -{ - $aname = $a->getMetaInformation('name'); - $bname = $b->getMetaInformation('name'); - if ($aname == $bname) { - return 0; - } - return ($aname < $bname) ? -1 : 1; -} diff --git a/www/_install/classes/model.php b/www/_install/classes/model.php deleted file mode 100644 index 57ad293..0000000 --- a/www/_install/classes/model.php +++ /dev/null @@ -1,57 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -abstract class InstallAbstractModel -{ - /** - * @var InstallLanguages - */ - public $language; - - /** - * @var array List of errors - */ - protected $errors = array(); - - public function __construct() - { - $this->language = InstallLanguages::getInstance(); - } - - public function setError($errors) - { - if (!is_array($errors)) { - $errors = array($errors); - } - - $this->errors[] = $errors; - } - - public function getErrors() - { - return $this->errors; - } -} diff --git a/www/_install/classes/session.php b/www/_install/classes/session.php deleted file mode 100644 index 1b7d1bb..0000000 --- a/www/_install/classes/session.php +++ /dev/null @@ -1,120 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -/** - * Manage session for install script - */ -class InstallSession -{ - protected static $_instance; - protected static $_cookie_mode = false; - protected static $_cookie = false; - - public static function getInstance() - { - if (!self::$_instance) { - self::$_instance = new self(); - } - return self::$_instance; - } - - public function __construct() - { - session_name('install_'.substr(md5($_SERVER['HTTP_HOST']), 0, 12)); - $session_started = session_start(); - if (!($session_started) - || (!isset($_SESSION['session_mode']) && (isset($_GET['_']) || isset($_POST['submitNext']) || isset($_POST['submitPrevious']) || isset($_POST['language'])))) { - InstallSession::$_cookie_mode = true; - InstallSession::$_cookie = new Cookie('ps_install', null, time() + 7200, null, true); - } - if ($session_started && !isset($_SESSION['session_mode'])) { - $_SESSION['session_mode'] = 'session'; - session_write_close(); - } - } - - public function clean() - { - if (InstallSession::$_cookie_mode) { - InstallSession::$_cookie->logout(); - } else { - foreach ($_SESSION as $k => $v) { - unset($_SESSION[$k]); - } - } - } - - public function &__get($varname) - { - if (InstallSession::$_cookie_mode) { - $ref = InstallSession::$_cookie->{$varname}; - if (0 === strncmp($ref, 'serialized_array:', strlen('serialized_array:'))) { - $ref = unserialize(substr($ref, strlen('serialized_array:'))); - } - } else { - if (isset($_SESSION[$varname])) { - $ref = &$_SESSION[$varname]; - } else { - $null = null; - $ref = &$null; - } - } - return $ref; - } - - public function __set($varname, $value) - { - if (InstallSession::$_cookie_mode) { - if ($varname == 'xml_loader_ids') { - return; - } - if (is_array($value)) { - $value = 'serialized_array:'.serialize($value); - } - InstallSession::$_cookie->{$varname} = $value; - } else { - $_SESSION[$varname] = $value; - } - } - - public function __isset($varname) - { - if (InstallSession::$_cookie_mode) { - return isset(InstallSession::$_cookie->{$varname}); - } else { - return isset($_SESSION[$varname]); - } - } - - public function __unset($varname) - { - if (InstallSession::$_cookie_mode) { - unset(InstallSession::$_cookie->{$varname}); - } else { - unset($_SESSION[$varname]); - } - } -} diff --git a/www/_install/classes/simplexml.php b/www/_install/classes/simplexml.php deleted file mode 100644 index 24def37..0000000 --- a/www/_install/classes/simplexml.php +++ /dev/null @@ -1,72 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -class InstallSimplexmlElement extends SimpleXMLElement -{ - /** - * Can add SimpleXMLElement values in XML tree - * - * @see SimpleXMLElement::addChild() - */ - public function addChild($name, $value = null, $namespace = null) - { - if ($value instanceof SimplexmlElement) { - $content = trim((string)$value); - if (strlen($content) > 0) { - $new_element = parent::addChild($name, str_replace('&', '&', $content), $namespace); - } else { - $new_element = parent::addChild($name); - foreach ($value->attributes() as $k => $v) { - $new_element->addAttribute($k, $v); - } - } - - foreach ($value->children() as $child) { - $new_element->addChild($child->getName(), $child); - } - } else { - return parent::addChild($name, str_replace('&', '&', $value), $namespace); - } - } - - /** - * Generate nice and sweet XML - * - * @see SimpleXMLElement::asXML() - */ - public function asXML($filename = null) - { - $dom = new DOMDocument('1.0'); - $dom->preserveWhiteSpace = false; - $dom->formatOutput = true; - $dom->loadXML(parent::asXML()); - - if ($filename) { - return (bool)file_put_contents($filename, $dom->saveXML()); - } - return $dom->saveXML(); - } -} diff --git a/www/_install/classes/sqlLoader.php b/www/_install/classes/sqlLoader.php deleted file mode 100644 index 64afda3..0000000 --- a/www/_install/classes/sqlLoader.php +++ /dev/null @@ -1,125 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -class InstallSqlLoader -{ - /** - * @var Db - */ - protected $db; - - /** - * @var array List of keywords which will be replaced in queries - */ - protected $metadata = array(); - - /** - * @var array List of errors during last parsing - */ - protected $errors = array(); - - /** - * @param Db $db - */ - public function __construct(Db $db = null) - { - if (is_null($db)) { - $db = Db::getInstance(); - } - $this->db = $db; - } - - /** - * Set a list of keywords which will be replaced in queries - * - * @param array $data - */ - public function setMetaData(array $data) - { - foreach ($data as $k => $v) { - $this->metadata[$k] = $v; - } - } - - /** - * Parse a SQL file and execute queries - * - * @param string $filename - * @param bool $stop_when_fail - */ - public function parse_file($filename, $stop_when_fail = true) - { - if (!file_exists($filename)) { - throw new PrestashopInstallerException("File $filename not found"); - } - - return $this->parse(file_get_contents($filename), $stop_when_fail); - } - - /** - * Parse and execute a list of SQL queries - * - * @param string $content - * @param bool $stop_when_fail - */ - public function parse($content, $stop_when_fail = true) - { - $this->errors = array(); - - $content = str_replace(array_keys($this->metadata), array_values($this->metadata), $content); - $queries = preg_split('#;\s*[\r\n]+#', $content); - foreach ($queries as $query) { - $query = trim($query); - if (!$query) { - continue; - } - - if (!$this->db->execute($query)) { - $this->errors[] = array( - 'errno' => $this->db->getNumberError(), - 'error' => $this->db->getMsgError(), - 'query' => $query, - ); - - if ($stop_when_fail) { - return false; - } - } - } - - return count($this->errors) ? false : true; - } - - /** - * Get list of errors from last parsing - * - * @return array - */ - public function getErrors() - { - return $this->errors; - } -} diff --git a/www/_install/classes/xmlLoader.php b/www/_install/classes/xmlLoader.php deleted file mode 100644 index 3c49060..0000000 --- a/www/_install/classes/xmlLoader.php +++ /dev/null @@ -1,1320 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -class InstallXmlLoader -{ - /** - * @var InstallLanguages - */ - protected $language; - - /** - * @var array List of languages stored as array(id_lang => iso) - */ - protected $languages = array(); - - /** - * @var array Store in cache all loaded XML files - */ - protected $cache_xml_entity = array(); - - /** - * @var array List of errors - */ - protected $errors = array(); - - protected $data_path; - protected $lang_path; - protected $img_path; - public $path_type; - - protected $ids = array(); - - protected $primaries = array(); - - protected $delayed_inserts = array(); - - public function __construct() - { - $this->language = InstallLanguages::getInstance(); - $this->setDefaultPath(); - } - - /** - * Set list of installed languages - * - * @param array $languages array(id_lang => iso) - */ - public function setLanguages(array $languages) - { - $this->languages = $languages; - } - - public function setDefaultPath() - { - $this->path_type = 'common'; - $this->data_path = _PS_INSTALL_DATA_PATH_.'xml/'; - $this->lang_path = _PS_INSTALL_LANGS_PATH_; - $this->img_path = _PS_INSTALL_DATA_PATH_.'img/'; - } - - public function setFixturesPath($path = null) - { - if ($path === null) { - $path = _PS_INSTALL_FIXTURES_PATH_.'fashion/'; - } - - $this->path_type = 'fixture'; - $this->data_path = $path.'data/'; - $this->lang_path = $path.'langs/'; - $this->img_path = $path.'img/'; - } - - /** - * Get list of errors - * - * @return array - */ - public function getErrors() - { - return $this->errors; - } - - /** - * Add an error - * - * @param string $error - */ - public function setError($error) - { - $this->errors[] = $error; - } - - /** - * Store an ID related to an entity and its identifier (E.g. we want to save that product with ID "ipod_nano" has the ID 1) - * - * @param string $entity - * @param string $identifier - * @param int $id - */ - public function storeId($entity, $identifier, $id) - { - $this->ids[$entity.':'.$identifier] = $id; - } - - /** - * Retrieve an ID related to an entity and its identifier - * - * @param string $entity - * @param string $identifier - */ - public function retrieveId($entity, $identifier) - { - return isset($this->ids[$entity.':'.$identifier]) ? $this->ids[$entity.':'.$identifier] : 0; - } - - public function getIds() - { - return $this->ids; - } - - public function setIds($ids) - { - $this->ids = $ids; - } - - public function getSortedEntities() - { - // Browse all XML files from data/xml directory - $entities = array(); - $dependencies = array(); - $fd = opendir($this->data_path); - while ($file = readdir($fd)) { - if (preg_match('#^(.+)\.xml$#', $file, $m)) { - $entity = $m[1]; - $xml = $this->loadEntity($entity); - - // Store entities dependencies (with field type="relation") - if ($xml->fields) { - foreach ($xml->fields->field as $field) { - if ($field['relation'] && $field['relation'] != $entity) { - if (!isset($dependencies[(string)$field['relation']])) { - $dependencies[(string)$field['relation']] = array(); - } - $dependencies[(string)$field['relation']][] = $entity; - } - } - } - $entities[] = $entity; - } - } - closedir($fd); - - // Sort entities to populate database in good order (E.g. zones before countries) - do { - $current = (isset($sort_entities)) ? $sort_entities : array(); - $sort_entities = array(); - foreach ($entities as $key => $entity) { - if (isset($dependencies[$entity])) { - $min = count($entities) - 1; - foreach ($dependencies[$entity] as $item) { - if (($key = array_search($item, $sort_entities)) !== false) { - $min = min($min, $key); - } - } - if ($min == 0) { - array_unshift($sort_entities, $entity); - } else { - array_splice($sort_entities, $min, 0, array($entity)); - } - } else { - $sort_entities[] = $entity; - } - } - $entities = $sort_entities; - } while ($current != $sort_entities); - - return $sort_entities; - } - - /** - * Read all XML files from data folder and populate tables - */ - public function populateFromXmlFiles() - { - $entities = $this->getSortedEntities(); - - // Populate entities - foreach ($entities as $entity) { - $this->populateEntity($entity); - } - } - - /** - * Populate an entity - * - * @param string $entity - */ - public function populateEntity($entity) - { - if (method_exists($this, 'populateEntity'.Tools::toCamelCase($entity))) { - $this->{'populateEntity'.Tools::toCamelCase($entity)}(); - return; - } - - if (substr($entity, 0, 1) == '.' || substr($entity, 0, 1) == '_') { - return; - } - - $xml = $this->loadEntity($entity); - - // Read list of fields - if (!is_object($xml) || !$xml->fields) { - throw new PrestashopInstallerException('List of fields not found for entity '.$entity); - } - - if ($this->isMultilang($entity)) { - $multilang_columns = $this->getColumns($entity, true); - $xml_langs = array(); - $default_lang = null; - foreach ($this->languages as $id_lang => $iso) { - if ($iso == $this->language->getLanguageIso()) { - $default_lang = $id_lang; - } - - try { - $xml_langs[$id_lang] = $this->loadEntity($entity, $iso); - } catch (PrestashopInstallerException $e) { - $xml_langs[$id_lang] = null; - } - } - } - - // Load all row for current entity and prepare data to be populated - foreach ($xml->entities->$entity as $node) { - $data = array(); - $identifier = (string)$node['id']; - - // Read attributes - foreach ($node->attributes() as $k => $v) { - if ($k != 'id') { - $data[$k] = (string)$v; - } - } - - // Read cdatas - foreach ($node->children() as $child) { - $data[$child->getName()] = (string)$child; - } - - // Load multilang data - $data_lang = array(); - if ($this->isMultilang($entity)) { - $xpath_query = $entity.'[@id="'.$identifier.'"]'; - foreach ($xml_langs as $id_lang => $xml_lang) { - if (!$xml_lang) { - continue; - } - - if (($node_lang = $xml_lang->xpath($xpath_query)) || ($node_lang = $xml_langs[$default_lang]->xpath($xpath_query))) { - $node_lang = $node_lang[0]; - foreach ($multilang_columns as $column => $is_text) { - $value = ''; - if ($node_lang[$column]) { - $value = (string)$node_lang[$column]; - } - - if ($node_lang->$column) { - $value = (string)$node_lang->$column; - } - $data_lang[$column][$id_lang] = $value; - } - } - } - } - - $data = $this->rewriteRelationedData($entity, $data); - if (method_exists($this, 'createEntity'.Tools::toCamelCase($entity))) { - // Create entity with custom method in current class - $method = 'createEntity'.Tools::toCamelCase($entity); - $this->$method($identifier, $data, $data_lang); - } else { - $this->createEntity($entity, $identifier, (string)$xml->fields['class'], $data, $data_lang); - } - - if ($xml->fields['image']) { - if (method_exists($this, 'copyImages'.Tools::toCamelCase($entity))) { - $this->{'copyImages'.Tools::toCamelCase($entity)}($identifier, $data); - } else { - $this->copyImages($entity, $identifier, (string)$xml->fields['image'], $data); - } - } - } - - $this->flushDelayedInserts(); - unset($this->cache_xml_entity[$this->path_type][$entity]); - } - - protected function getFallBackToDefaultLanguage($iso) - { - return file_exists($this->lang_path.$iso.'/data/') ? $iso : 'en'; - } - - /** - * Special case for "tag" entity - */ - public function populateEntityTag() - { - foreach ($this->languages as $id_lang => $iso) { - if (!file_exists($this->lang_path.$this->getFallBackToDefaultLanguage($iso).'/data/tag.xml')) { - continue; - } - - $xml = $this->loadEntity('tag', $this->getFallBackToDefaultLanguage($iso)); - $tags = array(); - foreach ($xml->tag as $tag_node) { - $products = trim((string)$tag_node['products']); - if (!$products) { - continue; - } - - foreach (explode(',', $products) as $product) { - $product = trim($product); - $product_id = $this->retrieveId('product', $product); - if (!isset($tags[$product_id])) { - $tags[$product_id] = array(); - } - $tags[$product_id][] = trim((string)$tag_node['name']); - } - } - - foreach ($tags as $id_product => $tag_list) { - Tag::addTags($id_lang, $id_product, $tag_list); - } - } - } - - /** - * Load an entity XML file - * - * @param string $entity - * @return SimpleXMLElement - */ - protected function loadEntity($entity, $iso = null) - { - if (!isset($this->cache_xml_entity[$this->path_type][$entity][$iso])) { - if (substr($entity, 0, 1) == '.' || substr($entity, 0, 1) == '_') { - return; - } - - $path = $this->data_path.$entity.'.xml'; - if ($iso) { - $path = $this->lang_path.$this->getFallBackToDefaultLanguage($iso).'/data/'.$entity.'.xml'; - } - - if (!file_exists($path)) { - throw new PrestashopInstallerException('XML data file '.$entity.'.xml not found'); - } - - $this->cache_xml_entity[$this->path_type][$entity][$iso] = @simplexml_load_file($path, 'InstallSimplexmlElement'); - if (!$this->cache_xml_entity[$this->path_type][$entity][$iso]) { - throw new PrestashopInstallerException('XML data file '.$entity.'.xml invalid'); - } - } - - return $this->cache_xml_entity[$this->path_type][$entity][$iso]; - } - - /** - * Check fields related to an other entity, and replace their values by the ID created by the other entity - * - * @param string $entity - * @param array $data - */ - protected function rewriteRelationedData($entity, array $data) - { - $xml = $this->loadEntity($entity); - foreach ($xml->fields->field as $field) { - if ($field['relation']) { - $id = $this->retrieveId((string)$field['relation'], $data[(string)$field['name']]); - if (!$id && $data[(string)$field['name']] && is_numeric($data[(string)$field['name']])) { - $id = $data[(string)$field['name']]; - } - $data[(string)$field['name']] = $id; - } - } - return $data; - } - - public function flushDelayedInserts() - { - foreach ($this->delayed_inserts as $entity => $queries) { - $type = Db::INSERT_IGNORE; - if ($entity == 'access') { - $type = Db::REPLACE; - } - - if (!Db::getInstance()->insert($entity, $queries, false, true, $type)) { - $this->setError($this->language->l('An SQL error occurred for entity %1$s: %2$s', $entity, Db::getInstance()->getMsgError())); - } - unset($this->delayed_inserts[$entity]); - } - } - - /** - * Create a simple entity with all its data and lang data - * If a methode createEntity$entity exists, use it. Else if $classname is given, use it. Else do a simple insert in database. - * - * @param string $entity - * @param string $identifier - * @param string $classname - * @param array $data - * @param array $data_lang - */ - public function createEntity($entity, $identifier, $classname, array $data, array $data_lang = array()) - { - $xml = $this->loadEntity($entity); - if ($classname) { - // Create entity with ObjectModel class - $object = new $classname(); - $object->hydrate($data); - if ($data_lang) { - $object->hydrate($data_lang); - } - $object->add(true, (isset($xml->fields['null'])) ? true : false); - $entity_id = $object->id; - unset($object); - } else { - // Generate primary key manually - $primary = ''; - $entity_id = 0; - if (!$xml->fields['primary']) { - $primary = 'id_'.$entity; - } elseif (strpos((string)$xml->fields['primary'], ',') === false) { - $primary = (string)$xml->fields['primary']; - } - unset($xml); - - if ($primary) { - $entity_id = $this->generatePrimary($entity, $primary); - $data[$primary] = $entity_id; - } - - // Store INSERT queries in order to optimize install with grouped inserts - $this->delayed_inserts[$entity][] = array_map('pSQL', $data); - if ($data_lang) { - $real_data_lang = array(); - foreach ($data_lang as $field => $list) { - foreach ($list as $id_lang => $value) { - $real_data_lang[$id_lang][$field] = $value; - } - } - - foreach ($real_data_lang as $id_lang => $insert_data_lang) { - $insert_data_lang['id_'.$entity] = $entity_id; - $insert_data_lang['id_lang'] = $id_lang; - $this->delayed_inserts[$entity.'_lang'][] = array_map('pSQL', $insert_data_lang); - } - - // Store INSERT queries for _shop associations - $entity_asso = Shop::getAssoTable($entity); - if ($entity_asso !== false && $entity_asso['type'] == 'shop') { - $this->delayed_inserts[$entity.'_shop'][] = array( - 'id_shop' => 1, - 'id_'.$entity => $entity_id, - ); - } - } - } - - $this->storeId($entity, $identifier, $entity_id); - } - - public function createEntityConfiguration($identifier, array $data, array $data_lang) - { - if (Db::getInstance()->getValue('SELECT id_configuration FROM '._DB_PREFIX_.'configuration WHERE name = \''.pSQL($data['name']).'\'')) { - return; - } - - $entity = 'configuration'; - $entity_id = $this->generatePrimary($entity, 'id_configuration'); - $data['id_configuration'] = $entity_id; - - // Store INSERT queries in order to optimize install with grouped inserts - $this->delayed_inserts[$entity][] = array_map('pSQL', $data); - if ($data_lang) { - $real_data_lang = array(); - foreach ($data_lang as $field => $list) { - foreach ($list as $id_lang => $value) { - $real_data_lang[$id_lang][$field] = $value; - } - } - - foreach ($real_data_lang as $id_lang => $insert_data_lang) { - $insert_data_lang['id_'.$entity] = $entity_id; - $insert_data_lang['id_lang'] = $id_lang; - $this->delayed_inserts[$entity.'_lang'][] = array_map('pSQL', $insert_data_lang); - } - } - - $this->storeId($entity, $identifier, $entity_id); - } - - public function createEntityStockAvailable($identifier, array $data, array $data_lang) - { - $stock_available = new StockAvailable(); - $stock_available->updateQuantity($data['id_product'], $data['id_product_attribute'], $data['quantity'], $data['id_shop']); - } - - public function createEntityTab($identifier, array $data, array $data_lang) - { - static $position = array(); - - $entity = 'tab'; - $xml = $this->loadEntity($entity); - - if (!isset($position[$data['id_parent']])) { - $position[$data['id_parent']] = 0; - } - $data['position'] = $position[$data['id_parent']]++; - - // Generate primary key manually - $primary = ''; - $entity_id = 0; - if (!$xml->fields['primary']) { - $primary = 'id_'.$entity; - } elseif (strpos((string)$xml->fields['primary'], ',') === false) { - $primary = (string)$xml->fields['primary']; - } - - if ($primary) { - $entity_id = $this->generatePrimary($entity, $primary); - $data[$primary] = $entity_id; - } - - // Store INSERT queries in order to optimize install with grouped inserts - $this->delayed_inserts[$entity][] = array_map('pSQL', $data); - if ($data_lang) { - $real_data_lang = array(); - foreach ($data_lang as $field => $list) { - foreach ($list as $id_lang => $value) { - $real_data_lang[$id_lang][$field] = $value; - } - } - - foreach ($real_data_lang as $id_lang => $insert_data_lang) { - $insert_data_lang['id_'.$entity] = $entity_id; - $insert_data_lang['id_lang'] = $id_lang; - $this->delayed_inserts[$entity.'_lang'][] = array_map('pSQL', $insert_data_lang); - } - } - - $this->storeId($entity, $identifier, $entity_id); - } - - public function generatePrimary($entity, $primary) - { - if (!isset($this->primaries[$entity])) { - $this->primaries[$entity] = (int)Db::getInstance()->getValue('SELECT '.$primary.' FROM '._DB_PREFIX_.$entity.' ORDER BY '.$primary.' DESC'); - } - return ++$this->primaries[$entity]; - } - - public function copyImages($entity, $identifier, $path, array $data, $extension = 'jpg') - { - // Get list of image types - $reference = array( - 'product' => 'products', - 'category' => 'categories', - 'manufacturer' => 'manufacturers', - 'supplier' => 'suppliers', - 'scene' => 'scenes', - 'store' => 'stores', - ); - - $types = array(); - if (isset($reference[$entity])) { - $types = ImageType::getImagesTypes($reference[$entity]); - } - - // For each path copy images - $path = array_map('trim', explode(',', $path)); - foreach ($path as $p) { - $from_path = $this->img_path.$p.'/'; - $dst_path = _PS_IMG_DIR_.$p.'/'; - $entity_id = $this->retrieveId($entity, $identifier); - - if (!@copy($from_path.$identifier.'.'.$extension, $dst_path.$entity_id.'.'.$extension)) { - $this->setError($this->language->l('Cannot create image "%1$s" for entity "%2$s"', $identifier, $entity)); - return; - } - - foreach ($types as $type) { - $origin_file = $from_path.$identifier.'-'.$type['name'].'.'.$extension; - $target_file = $dst_path.$entity_id.'-'.$type['name'].'.'.$extension; - - // Test if dest folder is writable - if (!is_writable(dirname($target_file))) { - $this->setError($this->language->l('Cannot create image "%1$s" (bad permissions on folder "%2$s")', $identifier.'-'.$type['name'], dirname($target_file))); - } - // If a file named folder/entity-type.extension exists just copy it, this is an optimisation in order to prevent to much resize - elseif (file_exists($origin_file)) { - if (!@copy($origin_file, $target_file)) { - $this->setError($this->language->l('Cannot create image "%s"', $identifier.'-'.$type['name'])); - } - @chmod($target_file, 0644); - } - // Resize the image if no cache was prepared in fixtures - elseif (!ImageManager::resize($from_path.$identifier.'.'.$extension, $target_file, $type['width'], $type['height'])) { - $this->setError($this->language->l('Cannot create image "%1$s" for entity "%2$s"', $identifier.'-'.$type['name'], $entity)); - } - } - } - Image::moveToNewFileSystem(); - } - - public function copyImagesScene($identifier, array $data) - { - $this->copyImages('scene', $identifier, 'scenes', $data); - - $from_path = $this->img_path.'scenes/thumbs/'; - $dst_path = _PS_IMG_DIR_.'scenes/thumbs/'; - $entity_id = $this->retrieveId('scene', $identifier); - - if (!@copy($from_path.$identifier.'-m_scene_default.jpg', $dst_path.$entity_id.'-m_scene_default.jpg')) { - $this->setError($this->language->l('Cannot create image "%1$s" for entity "%2$s"', $identifier, 'scene')); - return; - } - } - - public function copyImagesOrderState($identifier, array $data) - { - $this->copyImages('order_state', $identifier, 'os', $data, 'gif'); - } - - public function copyImagesTab($identifier, array $data) - { - $from_path = $this->img_path.'t/'; - $dst_path = _PS_IMG_DIR_.'t/'; - if (file_exists($from_path.$data['class_name'].'.gif') && !file_exists($dst_path.$data['class_name'].'.gif')) { - //test if file exist in install dir and if do not exist in dest folder. - if (!@copy($from_path.$data['class_name'].'.gif', $dst_path.$data['class_name'].'.gif')) { - $this->setError($this->language->l('Cannot create image "%1$s" for entity "%2$s"', $identifier, 'tab')); - return; - } - } - } - - public function copyImagesImage($identifier) - { - $path = $this->img_path.'p/'; - $image = new Image($this->retrieveId('image', $identifier)); - $dst_path = $image->getPathForCreation(); - if (!@copy($path.$identifier.'.jpg', $dst_path.'.'.$image->image_format)) { - $this->setError($this->language->l('Cannot create image "%1$s" for entity "%2$s"', $identifier, 'product')); - return; - } - @chmod($dst_path.'.'.$image->image_format, 0644); - - $types = ImageType::getImagesTypes('products'); - foreach ($types as $type) { - $origin_file = $path.$identifier.'-'.$type['name'].'.jpg'; - $target_file = $dst_path.'-'.$type['name'].'.'.$image->image_format; - - // Test if dest folder is writable - if (!is_writable(dirname($target_file))) { - $this->setError($this->language->l('Cannot create image "%1$s" (bad permissions on folder "%2$s")', $identifier.'-'.$type['name'], dirname($target_file))); - } - // If a file named folder/entity-type.jpg exists just copy it, this is an optimisation in order to prevent to much resize - elseif (file_exists($origin_file)) { - if (!@copy($origin_file, $target_file)) { - $this->setError($this->language->l('Cannot create image "%1$s" for entity "%2$s"', $identifier.'-'.$type['name'], 'product')); - } - @chmod($target_file, 0644); - } - // Resize the image if no cache was prepared in fixtures - elseif (!ImageManager::resize($path.$identifier.'.jpg', $target_file, $type['width'], $type['height'])) { - $this->setError($this->language->l('Cannot create image "%1$s" for entity "%2$s"', $identifier.'-'.$type['name'], 'product')); - } - } - } - - public function getTables() - { - static $tables = null; - - if (is_null($tables)) { - $tables = array(); - foreach (Db::getInstance()->executeS('SHOW TABLES') as $row) { - $table = current($row); - if (preg_match('#^'._DB_PREFIX_.'(.+?)(_lang)?$#i', $table, $m)) { - $tables[$m[1]] = (isset($m[2]) && $m[2]) ? true : false; - } - } - } - - return $tables; - } - - public function hasElements($table) - { - return (bool)Db::getInstance()->getValue('SELECT COUNT(*) FROM '._DB_PREFIX_.$table); - } - - public function getColumns($table, $multilang = false, array $exclude = array()) - { - static $columns = array(); - - if ($multilang) { - return ($this->isMultilang($table)) ? $this->getColumns($table.'_lang', false, array('id_'.$table)) : array(); - } - - if (!isset($columns[$table])) { - $columns[$table] = array(); - $sql = 'SHOW COLUMNS FROM `'._DB_PREFIX_.bqSQL($table).'`'; - foreach (Db::getInstance()->executeS($sql) as $row) { - $columns[$table][$row['Field']] = $this->checkIfTypeIsText($row['Type']); - } - } - - $exclude = array_merge(array('id_'.$table, 'date_add', 'date_upd', 'deleted', 'id_lang'), $exclude); - - $list = array(); - foreach ($columns[$table] as $k => $v) { - if (!in_array($k, $exclude)) { - $list[$k] = $v; - } - } - - return $list; - } - - public function getClasses($path = null) - { - static $cache = null; - - if (!is_null($cache)) { - return $cache; - } - - $dir = $path; - if (is_null($dir)) { - $dir = _PS_CLASS_DIR_; - } - - $classes = array(); - foreach (scandir($dir) as $file) { - if ($file[0] != '.' && $file != 'index.php') { - if (is_dir($dir.$file)) { - $classes = array_merge($classes, $this->getClasses($dir.$file.'/')); - } elseif (preg_match('#^(.+)\.php$#', $file, $m)) { - $classes[] = $m[1]; - } - } - } - - sort($classes); - if (is_null($path)) { - $cache = $classes; - } - return $classes; - } - - public function checkIfTypeIsText($type) - { - if (preg_match('#^(longtext|text|tinytext)#i', $type)) { - return true; - } - - if (preg_match('#^varchar\(([0-9]+)\)$#i', $type, $m)) { - return intval($m[1]) >= 64 ? true : false; - } - return false; - } - - public function isMultilang($entity) - { - $tables = $this->getTables(); - return isset($tables[$entity]) && $tables[$entity]; - } - - public function entityExists($entity) - { - return file_exists($this->data_path.$entity.'.xml'); - } - - public function getEntitiesList() - { - $entities = array(); - foreach (scandir($this->data_path) as $file) { - if ($file[0] != '.' && preg_match('#^(.+)\.xml$#', $file, $m)) { - $entities[] = $m[1]; - } - } - return $entities; - } - - public function getEntityInfo($entity) - { - $info = array( - 'config' => array( - 'id' => '', - 'primary' => '', - 'class' => '', - 'sql' => '', - 'ordersql' => '', - 'image' => '', - 'null' => '', - ), - 'fields' => array(), - ); - - if (!$this->entityExists($entity)) { - return $info; - } - - $xml = @simplexml_load_file($this->data_path.$entity.'.xml', 'InstallSimplexmlElement'); - if (!$xml) { - return $info; - } - - if ($xml->fields['id']) { - $info['config']['id'] = (string)$xml->fields['id']; - } - - if ($xml->fields['primary']) { - $info['config']['primary'] = (string)$xml->fields['primary']; - } - - if ($xml->fields['class']) { - $info['config']['class'] = (string)$xml->fields['class']; - } - - if ($xml->fields['sql']) { - $info['config']['sql'] = (string)$xml->fields['sql']; - } - - if ($xml->fields['ordersql']) { - $info['config']['ordersql'] = (string)$xml->fields['ordersql']; - } - - if ($xml->fields['null']) { - $info['config']['null'] = (string)$xml->fields['null']; - } - - if ($xml->fields['image']) { - $info['config']['image'] = (string)$xml->fields['image']; - } - - foreach ($xml->fields->field as $field) { - $column = (string)$field['name']; - $info['fields'][$column] = array(); - if (isset($field['relation'])) { - $info['fields'][$column]['relation'] = (string)$field['relation']; - } - } - return $info; - } - - public function getDependencies() - { - $entities = array(); - foreach ($this->getEntitiesList() as $entity) { - $entities[$entity] = $this->getEntityInfo($entity); - } - - $dependencies = array(); - foreach ($entities as $entity => $info) { - foreach ($info['fields'] as $field => $info_field) { - if (isset($info_field['relation']) && $info_field['relation'] != $entity) { - if (!isset($dependencies[$info_field['relation']])) { - $dependencies[$info_field['relation']] = array(); - } - $dependencies[$info_field['relation']][] = $entity; - } - } - } - - return $dependencies; - } - - public function generateEntitySchema($entity, array $fields, array $config) - { - if ($this->entityExists($entity)) { - $xml = $this->loadEntity($entity); - } else { - $xml = new InstallSimplexmlElement(''); - } - unset($xml->fields); - - // Fill attributes (config) - $xml_fields = $xml->addChild('fields'); - foreach ($config as $k => $v) { - if ($v) { - $xml_fields[$k] = $v; - } - } - - // Create list of fields - foreach ($fields as $column => $info) { - $field = $xml_fields->addChild('field'); - $field['name'] = $column; - if (isset($info['relation'])) { - $field['relation'] = $info['relation']; - } - } - - // Recreate entities nodes, in order to have the node after the node - $store_entities = clone $xml->entities; - unset($xml->entities); - $xml->addChild('entities', $store_entities); - - $xml->asXML($this->data_path.$entity.'.xml'); - } - - /** - * ONLY FOR DEVELOPMENT PURPOSE - */ - public function generateAllEntityFiles() - { - $entities = array(); - foreach ($this->getEntitiesList() as $entity) { - $entities[$entity] = $this->getEntityInfo($entity); - } - $this->generateEntityFiles($entities); - } - - /** - * ONLY FOR DEVELOPMENT PURPOSE - */ - public function generateEntityFiles($entities) - { - $dependencies = $this->getDependencies(); - - // Sort entities to populate database in good order (E.g. zones before countries) - do { - $current = (isset($sort_entities)) ? $sort_entities : array(); - $sort_entities = array(); - foreach ($entities as $entity) { - if (isset($dependencies[$entity])) { - $min = count($entities) - 1; - foreach ($dependencies[$entity] as $item) { - if (($key = array_search($item, $sort_entities)) !== false) { - $min = min($min, $key); - } - } - if ($min == 0) { - array_unshift($sort_entities, $entity); - } else { - array_splice($sort_entities, $min, 0, array($entity)); - } - } else { - $sort_entities[] = $entity; - } - } - $entities = $sort_entities; - } while ($current != $sort_entities); - - foreach ($sort_entities as $entity) { - $this->generateEntityContent($entity); - } - } - - public function generateEntityContent($entity) - { - $xml = $this->loadEntity($entity); - if (method_exists($this, 'getEntityContents'.Tools::toCamelCase($entity))) { - $content = $this->{'getEntityContents'.Tools::toCamelCase($entity)}($entity); - } else { - $content = $this->getEntityContents($entity); - } - - unset($xml->entities); - $entities = $xml->addChild('entities'); - $this->createXmlEntityNodes($entity, $content['nodes'], $entities); - $xml->asXML($this->data_path.$entity.'.xml'); - - // Generate multilang XML files - if ($content['nodes_lang']) { - foreach ($content['nodes_lang'] as $id_lang => $nodes) { - if (!isset($this->languages[$id_lang])) { - continue; - } - - $iso = $this->languages[$id_lang]; - if (!is_dir($this->lang_path.$this->getFallBackToDefaultLanguage($iso).'/data')) { - mkdir($this->lang_path.$this->getFallBackToDefaultLanguage($iso).'/data'); - } - - $xml_node = new InstallSimplexmlElement(''); - $this->createXmlEntityNodes($entity, $nodes, $xml_node); - $xml_node->asXML($this->lang_path.$this->getFallBackToDefaultLanguage($iso).'/data/'.$entity.'.xml'); - } - } - - if ($xml->fields['image']) { - if (method_exists($this, 'backupImage'.Tools::toCamelCase($entity))) { - $this->{'backupImage'.Tools::toCamelCase($entity)}((string)$xml->fields['image']); - } else { - $this->backupImage($entity, (string)$xml->fields['image']); - } - } - } - - /** - * ONLY FOR DEVELOPMENT PURPOSE - */ - public function getEntityContents($entity) - { - $xml = $this->loadEntity($entity); - $primary = (isset($xml->fields['primary']) && $xml->fields['primary']) ? (string)$xml->fields['primary'] : 'id_'.$entity; - $is_multilang = $this->isMultilang($entity); - - // Check if current table is an association table (if multiple primary keys) - $is_association = false; - if (strpos($primary, ',') !== false) { - $is_association = true; - $primary = array_map('trim', explode(',', $primary)); - } - - // Build query - $sql = new DbQuery(); - $sql->select('a.*'); - $sql->from($entity, 'a'); - if ($is_multilang) { - $sql->select('b.*'); - $sql->leftJoin($entity.'_lang', 'b', 'a.'.$primary.' = b.'.$primary); - } - - if (isset($xml->fields['sql']) && $xml->fields['sql']) { - $sql->where((string)$xml->fields['sql']); - } - - if (!$is_association) { - $sql->select('a.'.$primary); - if (!isset($xml->fields['ordersql']) || !$xml->fields['ordersql']) { - $sql->orderBy('a.'.$primary); - } - } - - if ($is_multilang && (!isset($xml->fields['ordersql']) || !$xml->fields['ordersql'])) { - $sql->orderBy('b.id_lang'); - } - - if (isset($xml->fields['ordersql']) && $xml->fields['ordersql']) { - $sql->orderBy((string)$xml->fields['ordersql']); - } - - // Get multilang columns - $alias_multilang = array(); - if ($is_multilang) { - $columns = $this->getColumns($entity); - $multilang_columns = $this->getColumns($entity, true); - - // If some columns from _lang table have same name than original table, rename them (E.g. value in configuration) - foreach ($multilang_columns as $c => $is_text) { - if (isset($columns[$c])) { - $alias = $c.'_alias'; - $alias_multilang[$c] = $alias; - $sql->select('a.'.$c.' as '.$c.', b.'.$c.' as '.$alias); - } - } - } - - // Get all results - $nodes = $nodes_lang = array(); - $results = Db::getInstance()->executeS($sql); - if (Db::getInstance()->getNumberError()) { - $this->setError($this->language->l('SQL error on query %s', $sql)); - } else { - foreach ($results as $row) { - // Store common columns - if ($is_association) { - $id = $entity; - foreach ($primary as $key) { - $id .= '_'.$row[$key]; - } - } else { - $id = $this->generateId($entity, $row[$primary], $row, (isset($xml->fields['id']) && $xml->fields['id']) ? (string)$xml->fields['id'] : null); - } - - if (!isset($nodes[$id])) { - $node = array(); - foreach ($xml->fields->field as $field) { - $column = (string)$field['name']; - if (isset($field['relation'])) { - $sql = 'SELECT `id_'.bqSQL($field['relation']).'` - FROM `'.bqSQL(_DB_PREFIX_.$field['relation']).'` - WHERE `id_'.bqSQL($field['relation']).'` = '.(int)$row[$column]; - $node[$column] = $this->generateId((string)$field['relation'], Db::getInstance()->getValue($sql)); - - // A little trick to allow storage of some hard values, like '-1' for tab.id_parent - if (!$node[$column] && $row[$column]) { - $node[$column] = $row[$column]; - } - } else { - $node[$column] = $row[$column]; - } - } - $nodes[$id] = $node; - } - - // Store multilang columns - if ($is_multilang && $row['id_lang']) { - $node = array(); - foreach ($multilang_columns as $column => $is_text) { - $node[$column] = $row[isset($alias_multilang[$column]) ? $alias_multilang[$column] : $column]; - } - $nodes_lang[$row['id_lang']][$id] = $node; - } - } - } - - return array( - 'nodes' => $nodes, - 'nodes_lang' => $nodes_lang, - ); - } - - public function getEntityContentsTag() - { - $nodes_lang = array(); - - $sql = 'SELECT t.id_tag, t.id_lang, t.name, pt.id_product - FROM '._DB_PREFIX_.'tag t - LEFT JOIN '._DB_PREFIX_.'product_tag pt ON t.id_tag = pt.id_tag - ORDER BY id_lang'; - foreach (Db::getInstance()->executeS($sql) as $row) { - $identifier = $this->generateId('tag', $row['id_tag']); - if (!isset($nodes_lang[$row['id_lang']])) { - $nodes_lang[$row['id_lang']] = array(); - } - - if (!isset($nodes_lang[$row['id_lang']][$identifier])) { - $nodes_lang[$row['id_lang']][$identifier] = array( - 'name' => $row['name'], - 'products' => '', - ); - } - - $nodes_lang[$row['id_lang']][$identifier]['products'] .= (($nodes_lang[$row['id_lang']][$identifier]['products']) ? ',' : '').$this->generateId('product', $row['id_product']); - } - - return array( - 'nodes' => array(), - 'nodes_lang' => $nodes_lang, - ); - } - - /** - * ONLY FOR DEVELOPMENT PURPOSE - */ - public function generateId($entity, $primary, array $row = array(), $id_format = null) - { - static $ids = array(); - - if (isset($ids[$entity][$primary])) { - return $ids[$entity][$primary]; - } - - if (!isset($ids[$entity])) { - $ids[$entity] = array(); - } - - if (!$primary) { - return ''; - } - - if (!$id_format || !$row || !$row[$id_format]) { - $ids[$entity][$primary] = $entity.'_'.$primary; - } else { - $value = $row[$id_format]; - $value = preg_replace('#[^a-z0-9_-]#i', '_', $value); - $value = preg_replace('#_+#', '_', $value); - $value = preg_replace('#^_+#', '', $value); - $value = preg_replace('#_+$#', '', $value); - - $store_identifier = $value; - $i = 1; - while (in_array($store_identifier, $ids[$entity])) { - $store_identifier = $value.'_'.$i++; - } - $ids[$entity][$primary] = $store_identifier; - } - return $ids[$entity][$primary]; - } - - /** - * ONLY FOR DEVELOPMENT PURPOSE - */ - public function createXmlEntityNodes($entity, array $nodes, SimpleXMLElement $entities) - { - $types = array_merge($this->getColumns($entity), $this->getColumns($entity, true)); - foreach ($nodes as $id => $node) { - $entity_node = $entities->addChild($entity); - $entity_node['id'] = $id; - foreach ($node as $k => $v) { - if (isset($types[$k]) && $types[$k]) { - $entity_node->addChild($k, $v); - } else { - $entity_node[$k] = $v; - } - } - } - } - - /** - * ONLY FOR DEVELOPMENT PURPOSE - */ - public function backupImage($entity, $path) - { - $reference = array( - 'product' => 'products', - 'category' => 'categories', - 'manufacturer' => 'manufacturers', - 'supplier' => 'suppliers', - 'scene' => 'scenes', - 'store' => 'stores', - ); - - $types = array(); - if (isset($reference[$entity])) { - $types = array(); - foreach (ImageType::getImagesTypes($reference[$entity]) as $type) { - $types[] = $type['name']; - } - } - - $path_list = array_map('trim', explode(',', $path)); - foreach ($path_list as $p) { - $backup_path = $this->img_path.$p.'/'; - $from_path = _PS_IMG_DIR_.$p.'/'; - - if (!is_dir($backup_path) && !mkdir($backup_path)) { - $this->setError(sprintf('Cannot create directory %s', $backup_path)); - } - - foreach (scandir($from_path) as $file) { - if ($file[0] != '.' && preg_match('#^(([0-9]+)(-('.implode('|', $types).'))?)\.(gif|jpg|jpeg|png)$#i', $file, $m)) { - $file_id = $m[2]; - $file_type = $m[3]; - $file_extension = $m[5]; - copy($from_path.$file, $backup_path.$this->generateId($entity, $file_id).$file_type.'.'.$file_extension); - } - } - } - } - - /** - * ONLY FOR DEVELOPMENT PURPOSE - */ - public function backupImageImage() - { - $types = array(); - foreach (ImageType::getImagesTypes('products') as $type) { - $types[] = $type['name']; - } - - $backup_path = $this->img_path.'p/'; - $from_path = _PS_PROD_IMG_DIR_; - if (!is_dir($backup_path) && !mkdir($backup_path)) { - $this->setError(sprintf('Cannot create directory %s', $backup_path)); - } - - foreach (Image::getAllImages() as $image) { - $image = new Image($image['id_image']); - $image_path = $image->getExistingImgPath(); - if (file_exists($from_path.$image_path.'.'.$image->image_format)) { - copy($from_path.$image_path.'.'.$image->image_format, $backup_path.$this->generateId('image', $image->id).'.'.$image->image_format); - } - - foreach ($types as $type) { - if (file_exists($from_path.$image_path.'-'.$type.'.'.$image->image_format)) { - copy($from_path.$image_path.'-'.$type.'.'.$image->image_format, $backup_path.$this->generateId('image', $image->id).'-'.$type.'.'.$image->image_format); - } - } - } - } - - /** - * ONLY FOR DEVELOPMENT PURPOSE - */ - public function backupImageTab() - { - $backup_path = $this->img_path.'t/'; - $from_path = _PS_IMG_DIR_.'t/'; - if (!is_dir($backup_path) && !mkdir($backup_path)) { - $this->setError(sprintf('Cannot create directory %s', $backup_path)); - } - - $xml = $this->loadEntity('tab'); - foreach ($xml->entities->tab as $tab) { - if (file_exists($from_path.$tab->class_name.'.gif')) { - copy($from_path.$tab->class_name.'.gif', $backup_path.$tab->class_name.'.gif'); - } - } - } -} diff --git a/www/_install/controllers/console/index.php b/www/_install/controllers/console/index.php deleted file mode 100644 index faef08a..0000000 --- a/www/_install/controllers/console/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/controllers/console/process.php b/www/_install/controllers/console/process.php deleted file mode 100644 index 863c40b..0000000 --- a/www/_install/controllers/console/process.php +++ /dev/null @@ -1,341 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -class InstallControllerConsoleProcess extends InstallControllerConsole -{ - const SETTINGS_FILE = 'config/settings.inc.php'; - - protected $model_install; - public $process_steps = array(); - public $previous_button = false; - - public function init() - { - require_once _PS_INSTALL_MODELS_PATH_.'install.php'; - require_once _PS_INSTALL_MODELS_PATH_.'database.php'; - $this->model_install = new InstallModelInstall(); - $this->model_database = new InstallModelDatabase(); - } - - /** - * @see InstallAbstractModel::processNextStep() - */ - public function processNextStep() - { - } - - /** - * @see InstallAbstractModel::validate() - */ - public function validate() - { - return false; - } - - public function initializeContext() - { - global $smarty; - - // Clean all cache values - Cache::clean('*'); - - Context::getContext()->shop = new Shop(1); - Shop::setContext(Shop::CONTEXT_SHOP, 1); - Configuration::loadConfiguration(); - if (!isset(Context::getContext()->language) || !Validate::isLoadedObject(Context::getContext()->language)) { - if ($id_lang = (int)Configuration::get('PS_LANG_DEFAULT')) { - Context::getContext()->language = new Language($id_lang); - } - } - if (!isset(Context::getContext()->country) || !Validate::isLoadedObject(Context::getContext()->country)) { - if ($id_country = (int)Configuration::get('PS_COUNTRY_DEFAULT')) { - Context::getContext()->country = new Country((int)$id_country); - } - } - if (!isset(Context::getContext()->currency) || !Validate::isLoadedObject(Context::getContext()->currency)) { - if ($id_currency = (int)Configuration::get('PS_CURRENCY_DEFAULT')) { - Context::getContext()->currency = new Currency((int)$id_currency); - } - } - - Context::getContext()->cart = new Cart(); - Context::getContext()->employee = new Employee(1); - if (!defined('_PS_SMARTY_FAST_LOAD_')) { - define('_PS_SMARTY_FAST_LOAD_', true); - } - require_once _PS_ROOT_DIR_.'/config/smarty.config.inc.php'; - - Context::getContext()->smarty = $smarty; - } - - public function process() - { - $steps = explode(',', $this->datas->step); - if (in_array('all', $steps)) { - $steps = array('database','fixtures','theme','modules','addons_modules'); - } - - if (in_array('database', $steps)) { - if (!$this->processGenerateSettingsFile()) { - $this->printErrors(); - } - - if ($this->datas->database_create) { - $this->model_database->createDatabase($this->datas->database_server, $this->datas->database_name, $this->datas->database_login, $this->datas->database_password); - } - - if (!$this->model_database->testDatabaseSettings($this->datas->database_server, $this->datas->database_name, $this->datas->database_login, $this->datas->database_password, $this->datas->database_prefix, $this->datas->database_engine, $this->datas->database_clear)) { - $this->printErrors(); - } - if (!$this->processInstallDatabase()) { - $this->printErrors(); - } - if (!$this->processInstallDefaultData()) { - $this->printErrors(); - } - if (!$this->processPopulateDatabase()) { - $this->printErrors(); - } - if (!$this->processConfigureShop()) { - $this->printErrors(); - } - } - - if (in_array('fixtures', $steps)) { - if (!$this->processInstallFixtures()) { - $this->printErrors(); - } - } - - if (in_array('modules', $steps)) { - if (!$this->processInstallModules()) { - $this->printErrors(); - } - } - - if (in_array('addons_modules', $steps)) { - if (!$this->processInstallAddonsModules()) { - $this->printErrors(); - } - } - - if (in_array('theme', $steps)) { - if (!$this->processInstallTheme()) { - $this->printErrors(); - } - } - - if ($this->datas->newsletter) { - $params = http_build_query(array( - 'email' => $this->datas->admin_email, - 'method' => 'addMemberToNewsletter', - 'language' => $this->datas->lang, - 'visitorType' => 1, - 'source' => 'installer' - )); - Tools::file_get_contents('http://www.prestashop.com/ajax/controller.php?'.$params); - } - - if ($this->datas->send_email) { - if (!$this->processSendEmail()) { - $this->printErrors(); - } - } - } - - /** - * PROCESS : generateSettingsFile - */ - public function processGenerateSettingsFile() - { - return $this->model_install->generateSettingsFile( - $this->datas->database_server, - $this->datas->database_login, - $this->datas->database_password, - $this->datas->database_name, - $this->datas->database_prefix, - $this->datas->database_engine - ); - } - - /** - * PROCESS : installDatabase - * Create database structure - */ - public function processInstallDatabase() - { - return $this->model_install->installDatabase($this->datas->database_clear); - } - - /** - * PROCESS : installDefaultData - * Create default shop and languages - */ - public function processInstallDefaultData() - { - $this->initializeContext(); - if (!$res = $this->model_install->installDefaultData($this->datas->shop_name, $this->datas->shop_country, (int)$this->datas->all_languages, true)) { - return false; - } - - if ($this->datas->base_uri != '/') { - $shop_url = new ShopUrl(1); - $shop_url->physical_uri = $this->datas->base_uri; - $shop_url->save(); - } - - return $res; - } - - /** - * PROCESS : populateDatabase - * Populate database with default data - */ - public function processPopulateDatabase() - { - $this->initializeContext(); - - $this->model_install->xml_loader_ids = $this->datas->xml_loader_ids; - $result = $this->model_install->populateDatabase(); - $this->datas->xml_loader_ids = $this->model_install->xml_loader_ids; - Configuration::updateValue('PS_INSTALL_XML_LOADERS_ID', Tools::jsonEncode($this->datas->xml_loader_ids)); - - return $result; - } - - /** - * PROCESS : configureShop - * Set default shop configuration - */ - public function processConfigureShop() - { - $this->initializeContext(); - - return $this->model_install->configureShop(array( - 'shop_name' => $this->datas->shop_name, - 'shop_activity' => $this->datas->shop_activity, - 'shop_country' => $this->datas->shop_country, - 'shop_timezone' => $this->datas->timezone, - 'use_smtp' => false, - 'admin_firstname' => $this->datas->admin_firstname, - 'admin_lastname' => $this->datas->admin_lastname, - 'admin_password' => $this->datas->admin_password, - 'admin_email' => $this->datas->admin_email, - 'configuration_agrement' => true, - 'send_informations' => true, - )); - } - - /** - * PROCESS : installModules - * Install all modules in ~/modules/ directory - */ - public function processInstallModules() - { - $this->initializeContext(); - - return $this->model_install->installModules(); - } - - /** - * PROCESS : installFixtures - * Install fixtures (E.g. demo products) - */ - public function processInstallFixtures() - { - $this->initializeContext(); - - if ((!$this->datas->xml_loader_ids || !is_array($this->datas->xml_loader_ids)) && ($xml_ids = Tools::jsonDecode(Configuration::get('PS_INSTALL_XML_LOADERS_ID'), true))) { - $this->datas->xml_loader_ids = $xml_ids; - } - - $this->model_install->xml_loader_ids = $this->datas->xml_loader_ids; - $result = $this->model_install->installFixtures(null, array('shop_activity' => $this->datas->shop_activity, 'shop_country' => $this->datas->shop_country)); - $this->datas->xml_loader_ids = $this->model_install->xml_loader_ids; - return $result; - } - - /** - * PROCESS : installTheme - * Install theme - */ - public function processInstallTheme() - { - $this->initializeContext(); - - return $this->model_install->installTheme(); - } - - /** - * PROCESS : installModulesAddons - * Install modules from addons - */ - public function processInstallAddonsModules() - { - return $this->model_install->installModulesAddons(); - } - - /** - * PROCESS : sendEmail - * Send information e-mail - */ - public function processSendEmail() - { - require_once _PS_INSTALL_MODELS_PATH_.'mail.php'; - $mail = new InstallModelMail( - false, - $this->datas->smtp_server, - $this->datas->smtp_login, - $this->datas->smtp_password, - $this->datas->smtp_port, - $this->datas->smtp_encryption, - $this->datas->admin_email - ); - - if (file_exists(_PS_INSTALL_LANGS_PATH_.$this->language->getLanguageIso().'/mail_identifiers.txt')) { - $content = file_get_contents(_PS_INSTALL_LANGS_PATH_.$this->language->getLanguageIso().'/mail_identifiers.txt'); - } else { - $content = file_get_contents(_PS_INSTALL_LANGS_PATH_.InstallLanguages::DEFAULT_ISO.'/mail_identifiers.txt'); - } - - $vars = array( - '{firstname}' => $this->datas->admin_firstname, - '{lastname}' => $this->datas->admin_lastname, - '{shop_name}' => $this->datas->shop_name, - '{passwd}' => $this->datas->admin_password, - '{email}' => $this->datas->admin_email, - '{shop_url}' => Tools::getHttpHost(true).__PS_BASE_URI__, - ); - $content = str_replace(array_keys($vars), array_values($vars), $content); - - $mail->send( - $this->l('%s Login information', $this->datas->shop_name), - $content - ); - - return true; - } -} diff --git a/www/_install/controllers/http/configure.php b/www/_install/controllers/http/configure.php deleted file mode 100644 index e318a37..0000000 --- a/www/_install/controllers/http/configure.php +++ /dev/null @@ -1,319 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -/** - * Step 4 : configure the shop and admin access - */ -class InstallControllerHttpConfigure extends InstallControllerHttp -{ - public $list_countries = array(); - - /** - * @see InstallAbstractModel::processNextStep() - */ - public function processNextStep() - { - if (Tools::isSubmit('shop_name')) { - // Save shop configuration - $this->session->shop_name = trim(Tools::getValue('shop_name')); - $this->session->shop_activity = Tools::getValue('shop_activity'); - $this->session->install_type = Tools::getValue('db_mode'); - $this->session->shop_country = Tools::getValue('shop_country'); - $this->session->shop_timezone = Tools::getValue('shop_timezone'); - - // Save admin configuration - $this->session->admin_firstname = trim(Tools::getValue('admin_firstname')); - $this->session->admin_lastname = trim(Tools::getValue('admin_lastname')); - $this->session->admin_email = trim(Tools::getValue('admin_email')); - $this->session->send_informations = Tools::getValue('send_informations'); - if ($this->session->send_informations) { - $params = http_build_query(array( - 'email' => $this->session->admin_email, - 'method' => 'addMemberToNewsletter', - 'language' => $this->language->getLanguageIso(), - 'visitorType' => 1, - 'source' => 'installer' - )); - Tools::file_get_contents('http://www.prestashop.com/ajax/controller.php?'.$params); - } - - // If password fields are empty, but are already stored in session, do not fill them again - if (!$this->session->admin_password || trim(Tools::getValue('admin_password'))) { - $this->session->admin_password = trim(Tools::getValue('admin_password')); - } - - if (!$this->session->admin_password_confirm || trim(Tools::getValue('admin_password_confirm'))) { - $this->session->admin_password_confirm = trim(Tools::getValue('admin_password_confirm')); - } - } - } - - /** - * @see InstallAbstractModel::validate() - */ - public function validate() - { - // List of required fields - $required_fields = array('shop_name', 'shop_country', 'shop_timezone', 'admin_firstname', 'admin_lastname', 'admin_email', 'admin_password'); - foreach ($required_fields as $field) { - if (!$this->session->$field) { - $this->errors[$field] = $this->l('Field required'); - } - } - - // Check shop name - if ($this->session->shop_name && !Validate::isGenericName($this->session->shop_name)) { - $this->errors['shop_name'] = $this->l('Invalid shop name'); - } elseif (strlen($this->session->shop_name) > 64) { - $this->errors['shop_name'] = $this->l('The field %s is limited to %d characters', $this->l('shop name'), 64); - } - - // Check admin name - if ($this->session->admin_firstname && !Validate::isName($this->session->admin_firstname)) { - $this->errors['admin_firstname'] = $this->l('Your firstname contains some invalid characters'); - } elseif (strlen($this->session->admin_firstname) > 32) { - $this->errors['admin_firstname'] = $this->l('The field %s is limited to %d characters', $this->l('firstname'), 32); - } - - if ($this->session->admin_lastname && !Validate::isName($this->session->admin_lastname)) { - $this->errors['admin_lastname'] = $this->l('Your lastname contains some invalid characters'); - } elseif (strlen($this->session->admin_lastname) > 32) { - $this->errors['admin_lastname'] = $this->l('The field %s is limited to %d characters', $this->l('lastname'), 32); - } - - // Check passwords - if ($this->session->admin_password) { - if (!Validate::isPasswdAdmin($this->session->admin_password)) { - $this->errors['admin_password'] = $this->l('The password is incorrect (alphanumeric string with at least 8 characters)'); - } elseif ($this->session->admin_password != $this->session->admin_password_confirm) { - $this->errors['admin_password'] = $this->l('Password and its confirmation are different'); - } - } - - // Check email - if ($this->session->admin_email && !Validate::isEmail($this->session->admin_email)) { - $this->errors['admin_email'] = $this->l('This e-mail address is invalid'); - } - - return count($this->errors) ? false : true; - } - - public function process() - { - if (Tools::getValue('uploadLogo')) { - $this->processUploadLogo(); - } elseif (Tools::getValue('timezoneByIso')) { - $this->processTimezoneByIso(); - } - } - - /** - * Process the upload of new logo - */ - public function processUploadLogo() - { - $error = ''; - if (isset($_FILES['fileToUpload']['tmp_name']) && $_FILES['fileToUpload']['tmp_name']) { - $file = $_FILES['fileToUpload']; - $error = ImageManager::validateUpload($file, 300000); - if (!strlen($error)) { - $tmp_name = tempnam(_PS_TMP_IMG_DIR_, 'PS'); - if (!$tmp_name || !move_uploaded_file($file['tmp_name'], $tmp_name)) { - return false; - } - - list($width, $height, $type) = getimagesize($tmp_name); - - $newheight = ($height > 500) ? 500 : $height; - $percent = $newheight / $height; - $newwidth = $width * $percent; - $newheight = $height * $percent; - - if (!is_writable(_PS_ROOT_DIR_.'/img/')) { - $error = $this->l('Image folder %s is not writable', _PS_ROOT_DIR_.'/img/'); - } - if (!$error) { - list($src_width, $src_height, $type) = getimagesize($tmp_name); - $src_image = ImageManager::create($type, $tmp_name); - $dest_image = imagecreatetruecolor($src_width, $src_height); - $white = imagecolorallocate($dest_image, 255, 255, 255); - imagefilledrectangle($dest_image, 0, 0, $src_width, $src_height, $white); - imagecopyresampled($dest_image, $src_image, 0, 0, 0, 0, $src_width, $src_height, $src_width, $src_height); - if (!imagejpeg($dest_image, _PS_ROOT_DIR_.'/img/logo.jpg', 95)) { - $error = $this->l('An error occurred during logo copy.'); - } else { - imagedestroy($dest_image); - @chmod($filename, 0664); - } - } - } else { - $error = $this->l('An error occurred during logo upload.'); - } - } - - $this->ajaxJsonAnswer(($error) ? false : true, $error); - } - - /** - * Obtain the timezone associated to an iso - */ - public function processTimezoneByIso() - { - $timezone = $this->getTimezoneByIso(Tools::getValue('iso')); - $this->ajaxJsonAnswer(($timezone) ? true : false, $timezone); - } - - /** - * Get list of timezones - * - * @return array - */ - public function getTimezones() - { - if (!is_null($this->cache_timezones)) { - return; - } - - if (!file_exists(_PS_INSTALL_DATA_PATH_.'xml/timezone.xml')) { - return array(); - } - - $xml = @simplexml_load_file(_PS_INSTALL_DATA_PATH_.'xml/timezone.xml'); - $timezones = array(); - if ($xml) { - foreach ($xml->entities->timezone as $timezone) { - $timezones[] = (string)$timezone['name']; - } - } - return $timezones; - } - - /** - * Get a timezone associated to an iso - * - * @param string $iso - * @return string - */ - public function getTimezoneByIso($iso) - { - if (!file_exists(_PS_INSTALL_DATA_PATH_.'iso_to_timezone.xml')) { - return ''; - } - - $xml = @simplexml_load_file(_PS_INSTALL_DATA_PATH_.'iso_to_timezone.xml'); - $timezones = array(); - if ($xml) { - foreach ($xml->relation as $relation) { - $timezones[(string)$relation['iso']] = (string)$relation['zone']; - } - } - return isset($timezones[$iso]) ? $timezones[$iso] : ''; - } - - /** - * @see InstallAbstractModel::display() - */ - public function display() - { - // List of activities - $list_activities = array( - 1 => $this->l('Lingerie and Adult'), - 2 => $this->l('Animals and Pets'), - 3 => $this->l('Art and Culture'), - 4 => $this->l('Babies'), - 5 => $this->l('Beauty and Personal Care'), - 6 => $this->l('Cars'), - 7 => $this->l('Computer Hardware and Software'), - 8 => $this->l('Download'), - 9 => $this->l('Fashion and accessories'), - 10 => $this->l('Flowers, Gifts and Crafts'), - 11 => $this->l('Food and beverage'), - 12 => $this->l('HiFi, Photo and Video'), - 13 => $this->l('Home and Garden'), - 14 => $this->l('Home Appliances'), - 15 => $this->l('Jewelry'), - 16 => $this->l('Mobile and Telecom'), - 17 => $this->l('Services'), - 18 => $this->l('Shoes and accessories'), - 19 => $this->l('Sports and Entertainment'), - 20 => $this->l('Travel'), - ); - - asort($list_activities); - $this->list_activities = $list_activities; - - // Countries list - $this->list_countries = array(); - $countries = $this->language->getCountries(); - $top_countries = array( - 'fr', 'es', 'us', - 'gb', 'it', 'de', - 'nl', 'pl', 'id', - 'be', 'br', 'se', - 'ca', 'ru', 'cn', - ); - - foreach ($top_countries as $iso) { - $this->list_countries[] = array('iso' => $iso, 'name' => $countries[$iso]); - } - $this->list_countries[] = array('iso' => 0, 'name' => '-----------------'); - - foreach ($countries as $iso => $lang) { - if (!in_array($iso, $top_countries)) { - $this->list_countries[] = array('iso' => $iso, 'name' => $lang); - } - } - - // Try to detect default country - if (!$this->session->shop_country) { - $detect_language = $this->language->detectLanguage(); - if (isset($detect_language['primarytag'])) { - $this->session->shop_country = strtolower(isset($detect_language['subtag']) ? $detect_language['subtag'] : $detect_language['primarytag']); - $this->session->shop_timezone = $this->getTimezoneByIso($this->session->shop_country); - } - } - - // Install type - $this->install_type = ($this->session->install_type) ? $this->session->install_type : 'full'; - - $this->displayTemplate('configure'); - } - - /** - * Helper to display error for a field - * - * @param string $field - * @return string|void - */ - public function displayError($field) - { - if (!isset($this->errors[$field])) { - return; - } - - return ''.$this->errors[$field].''; - } -} diff --git a/www/_install/controllers/http/database.php b/www/_install/controllers/http/database.php deleted file mode 100644 index c0cdb12..0000000 --- a/www/_install/controllers/http/database.php +++ /dev/null @@ -1,180 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -/** - * Step 3 : configure database and email connection - */ -class InstallControllerHttpDatabase extends InstallControllerHttp -{ - /** - * @var InstallModelDatabase - */ - public $model_database; - - /** - * @var InstallModelMail - */ - public $model_mail; - - public function init() - { - require_once _PS_INSTALL_MODELS_PATH_.'database.php'; - $this->model_database = new InstallModelDatabase(); - } - - /** - * @see InstallAbstractModel::processNextStep() - */ - public function processNextStep() - { - // Save database config - $this->session->database_server = trim(Tools::getValue('dbServer')); - $this->session->database_name = trim(Tools::getValue('dbName')); - $this->session->database_login = trim(Tools::getValue('dbLogin')); - $this->session->database_password = trim(Tools::getValue('dbPassword')); - $this->session->database_prefix = trim(Tools::getValue('db_prefix')); - $this->session->database_clear = Tools::getValue('database_clear'); - - $this->session->rewrite_engine = Tools::getValue('rewrite_engine'); - } - - /** - * Database configuration must be valid to validate this step - * - * @see InstallAbstractModel::validate() - */ - public function validate() - { - $this->errors = $this->model_database->testDatabaseSettings( - $this->session->database_server, - $this->session->database_name, - $this->session->database_login, - $this->session->database_password, - $this->session->database_prefix, - // We do not want to validate table prefix if we are already in install process - ($this->session->step == 'process') ? true : $this->session->database_clear - ); - if (count($this->errors)) { - return false; - } - - if (!isset($this->session->database_engine)) { - $this->session->database_engine = $this->model_database->getBestEngine($this->session->database_server, $this->session->database_name, $this->session->database_login, $this->session->database_password); - } - return true; - } - - public function process() - { - if (Tools::getValue('checkDb')) { - $this->processCheckDb(); - } elseif (Tools::getValue('createDb')) { - $this->processCreateDb(); - } - } - - /** - * Check if a connection to database is possible with these data - */ - public function processCheckDb() - { - $server = Tools::getValue('dbServer'); - $database = Tools::getValue('dbName'); - $login = Tools::getValue('dbLogin'); - $password = Tools::getValue('dbPassword'); - $prefix = Tools::getValue('db_prefix'); - $clear = Tools::getValue('clear'); - - $errors = $this->model_database->testDatabaseSettings($server, $database, $login, $password, $prefix, $clear); - - $this->ajaxJsonAnswer( - (count($errors)) ? false : true, - (count($errors)) ? implode('
', $errors) : $this->l('Database is connected') - ); - } - - /** - * Attempt to create the database - */ - public function processCreateDb() - { - $server = Tools::getValue('dbServer'); - $database = Tools::getValue('dbName'); - $login = Tools::getValue('dbLogin'); - $password = Tools::getValue('dbPassword'); - - $success = $this->model_database->createDatabase($server, $database, $login, $password); - - $this->ajaxJsonAnswer( - $success, - $success ? $this->l('Database is created') : $this->l('Cannot create the database automatically') - ); - } - - /** - * @see InstallAbstractModel::display() - */ - public function display() - { - if (!$this->session->database_server) { - if (file_exists(_PS_ROOT_DIR_.'/config/settings.inc.php')) { - @include_once _PS_ROOT_DIR_.'/config/settings.inc.php'; - $this->database_server = _DB_SERVER_; - $this->database_name = _DB_NAME_; - $this->database_login = _DB_USER_; - $this->database_password = _DB_PASSWD_; - $this->database_engine = _MYSQL_ENGINE_; - $this->database_prefix = _DB_PREFIX_; - } else { - $this->database_server = 'localhost'; - $this->database_name = 'prestashop'; - $this->database_login = 'root'; - $this->database_password = ''; - $this->database_engine = 'InnoDB'; - $this->database_prefix = 'ps_'; - } - - $this->database_clear = true; - $this->use_smtp = false; - $this->smtp_encryption = 'off'; - $this->smtp_port = 25; - } else { - $this->database_server = $this->session->database_server; - $this->database_name = $this->session->database_name; - $this->database_login = $this->session->database_login; - $this->database_password = $this->session->database_password; - $this->database_engine = $this->session->database_engine; - $this->database_prefix = $this->session->database_prefix; - $this->database_clear = $this->session->database_clear; - - $this->use_smtp = $this->session->use_smtp; - $this->smtp_encryption = $this->session->smtp_encryption; - $this->smtp_port = $this->session->smtp_port; - } - - $this->displayTemplate('database'); - } -} diff --git a/www/_install/controllers/http/index.php b/www/_install/controllers/http/index.php deleted file mode 100644 index faef08a..0000000 --- a/www/_install/controllers/http/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/controllers/http/license.php b/www/_install/controllers/http/license.php deleted file mode 100644 index 0d3cb9a..0000000 --- a/www/_install/controllers/http/license.php +++ /dev/null @@ -1,64 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -/** - * Step 2 : display license form - */ -class InstallControllerHttpLicense extends InstallControllerHttp -{ - /** - * Process license form - * - * @see InstallAbstractModel::process() - */ - public function processNextStep() - { - $this->session->licence_agrement = Tools::getValue('licence_agrement'); - $this->session->configuration_agrement = Tools::getValue('configuration_agrement'); - } - - /** - * Licence agrement must be checked to validate this step - * - * @see InstallAbstractModel::validate() - */ - public function validate() - { - return $this->session->licence_agrement; - } - - public function process() - { - } - - /** - * Display license step - */ - public function display() - { - $this->displayTemplate('license'); - } -} diff --git a/www/_install/controllers/http/process.php b/www/_install/controllers/http/process.php deleted file mode 100644 index e6fcbd5..0000000 --- a/www/_install/controllers/http/process.php +++ /dev/null @@ -1,356 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -class InstallControllerHttpProcess extends InstallControllerHttp -{ - const SETTINGS_FILE = 'config/settings.inc.php'; - - protected $model_install; - public $process_steps = array(); - public $previous_button = false; - - public function init() - { - require_once _PS_INSTALL_MODELS_PATH_.'install.php'; - $this->model_install = new InstallModelInstall(); - } - - /** - * @see InstallAbstractModel::processNextStep() - */ - public function processNextStep() - { - } - - /** - * @see InstallAbstractModel::validate() - */ - public function validate() - { - return false; - } - - public function initializeContext() - { - global $smarty; - - Context::getContext()->shop = new Shop(1); - Shop::setContext(Shop::CONTEXT_SHOP, 1); - Configuration::loadConfiguration(); - Context::getContext()->language = new Language(Configuration::get('PS_LANG_DEFAULT')); - Context::getContext()->country = new Country(Configuration::get('PS_COUNTRY_DEFAULT')); - Context::getContext()->currency = new Currency(Configuration::get('PS_CURRENCY_DEFAULT')); - Context::getContext()->cart = new Cart(); - Context::getContext()->employee = new Employee(1); - define('_PS_SMARTY_FAST_LOAD_', true); - require_once _PS_ROOT_DIR_.'/config/smarty.config.inc.php'; - - Context::getContext()->smarty = $smarty; - } - - public function process() - { - if (file_exists(_PS_ROOT_DIR_.'/'.self::SETTINGS_FILE)) { - require_once _PS_ROOT_DIR_.'/'.self::SETTINGS_FILE; - } - - if (!$this->session->process_validated) { - $this->session->process_validated = array(); - } - - if (Tools::getValue('generateSettingsFile')) { - $this->processGenerateSettingsFile(); - } elseif (Tools::getValue('installDatabase') && !empty($this->session->process_validated['generateSettingsFile'])) { - $this->processInstallDatabase(); - } elseif (Tools::getValue('installDefaultData')) { - $this->processInstallDefaultData(); - } elseif (Tools::getValue('populateDatabase') && !empty($this->session->process_validated['installDatabase'])) { - $this->processPopulateDatabase(); - } elseif (Tools::getValue('configureShop') && !empty($this->session->process_validated['populateDatabase'])) { - $this->processConfigureShop(); - } elseif (Tools::getValue('installFixtures') && !empty($this->session->process_validated['configureShop'])) { - $this->processInstallFixtures(); - } elseif (Tools::getValue('installModules') && (!empty($this->session->process_validated['installFixtures']) || $this->session->install_type != 'full')) { - $this->processInstallModules(); - } elseif (Tools::getValue('installModulesAddons') && !empty($this->session->process_validated['installModules'])) { - $this->processInstallAddonsModules(); - } elseif (Tools::getValue('installTheme') && !empty($this->session->process_validated['installModulesAddons'])) { - $this->processInstallTheme(); - } elseif (Tools::getValue('sendEmail') && !empty($this->session->process_validated['installTheme'])) { - $this->processSendEmail(); - } else { - // With no parameters, we consider that we are doing a new install, so session where the last process step - // was stored can be cleaned - if (Tools::getValue('restart')) { - $this->session->process_validated = array(); - $this->session->database_clear = true; - if (Tools::getSafeModeStatus()) { - $this->session->safe_mode = true; - } - } elseif (!Tools::getValue('submitNext')) { - $this->session->step = 'configure'; - $this->session->last_step = 'configure'; - Tools::redirect('index.php'); - } - } - } - - /** - * PROCESS : generateSettingsFile - */ - public function processGenerateSettingsFile() - { - $success = $this->model_install->generateSettingsFile( - $this->session->database_server, - $this->session->database_login, - $this->session->database_password, - $this->session->database_name, - $this->session->database_prefix, - $this->session->database_engine - ); - - if (!$success) { - $this->ajaxJsonAnswer(false); - } - $this->session->process_validated = array_merge($this->session->process_validated, array('generateSettingsFile' => true)); - $this->ajaxJsonAnswer(true); - } - - /** - * PROCESS : installDatabase - * Create database structure - */ - public function processInstallDatabase() - { - if (!$this->model_install->installDatabase($this->session->database_clear) || $this->model_install->getErrors()) { - $this->ajaxJsonAnswer(false, $this->model_install->getErrors()); - } - $this->session->process_validated = array_merge($this->session->process_validated, array('installDatabase' => true)); - $this->ajaxJsonAnswer(true); - } - - /** - * PROCESS : installDefaultData - * Create default shop and languages - */ - public function processInstallDefaultData() - { - // @todo remove true in populateDatabase for 1.5.0 RC version - $result = $this->model_install->installDefaultData($this->session->shop_name, $this->session->shop_country, false, true); - - if (!$result || $this->model_install->getErrors()) { - $this->ajaxJsonAnswer(false, $this->model_install->getErrors()); - } - $this->ajaxJsonAnswer(true); - } - - /** - * PROCESS : populateDatabase - * Populate database with default data - */ - public function processPopulateDatabase() - { - $this->initializeContext(); - - $this->model_install->xml_loader_ids = $this->session->xml_loader_ids; - $result = $this->model_install->populateDatabase(Tools::getValue('entity')); - if (!$result || $this->model_install->getErrors()) { - $this->ajaxJsonAnswer(false, $this->model_install->getErrors()); - } - $this->session->xml_loader_ids = $this->model_install->xml_loader_ids; - $this->session->process_validated = array_merge($this->session->process_validated, array('populateDatabase' => true)); - $this->ajaxJsonAnswer(true); - } - - /** - * PROCESS : configureShop - * Set default shop configuration - */ - public function processConfigureShop() - { - $this->initializeContext(); - - $success = $this->model_install->configureShop(array( - 'shop_name' => $this->session->shop_name, - 'shop_activity' => $this->session->shop_activity, - 'shop_country' => $this->session->shop_country, - 'shop_timezone' => $this->session->shop_timezone, - 'admin_firstname' => $this->session->admin_firstname, - 'admin_lastname' => $this->session->admin_lastname, - 'admin_password' => $this->session->admin_password, - 'admin_email' => $this->session->admin_email, - 'send_informations' => $this->session->send_informations, - 'configuration_agrement' => $this->session->configuration_agrement, - 'rewrite_engine' => $this->session->rewrite_engine, - )); - - if (!$success || $this->model_install->getErrors()) { - $this->ajaxJsonAnswer(false, $this->model_install->getErrors()); - } - - $this->session->process_validated = array_merge($this->session->process_validated, array('configureShop' => true)); - $this->ajaxJsonAnswer(true); - } - - /** - * PROCESS : installModules - * Install all modules in ~/modules/ directory - */ - public function processInstallModules() - { - $this->initializeContext(); - - $result = $this->model_install->installModules(Tools::getValue('module')); - if (!$result || $this->model_install->getErrors()) { - $this->ajaxJsonAnswer(false, $this->model_install->getErrors()); - } - $this->session->process_validated = array_merge($this->session->process_validated, array('installModules' => true)); - $this->ajaxJsonAnswer(true); - } - - /** - * PROCESS : installModulesAddons - * Install modules from addons - */ - public function processInstallAddonsModules() - { - $this->initializeContext(); - if (($module = Tools::getValue('module')) && $id_module = Tools::getValue('id_module')) { - $result = $this->model_install->installModulesAddons(array('name' => $module, 'id_module' => $id_module)); - } else { - $result = $this->model_install->installModulesAddons(); - } - if (!$result || $this->model_install->getErrors()) { - $this->ajaxJsonAnswer(false, $this->model_install->getErrors()); - } - $this->session->process_validated = array_merge($this->session->process_validated, array('installModulesAddons' => true)); - $this->ajaxJsonAnswer(true); - } - - /** - * PROCESS : installFixtures - * Install fixtures (E.g. demo products) - */ - public function processInstallFixtures() - { - $this->initializeContext(); - - $this->model_install->xml_loader_ids = $this->session->xml_loader_ids; - if (!$this->model_install->installFixtures(Tools::getValue('entity', null), array('shop_activity' => $this->session->shop_activity, 'shop_country' => $this->session->shop_country)) || $this->model_install->getErrors()) { - $this->ajaxJsonAnswer(false, $this->model_install->getErrors()); - } - $this->session->xml_loader_ids = $this->model_install->xml_loader_ids; - $this->session->process_validated = array_merge($this->session->process_validated, array('installFixtures' => true)); - $this->ajaxJsonAnswer(true); - } - - /** - * PROCESS : installTheme - * Install theme - */ - public function processInstallTheme() - { - $this->initializeContext(); - - $this->model_install->installTheme(); - if ($this->model_install->getErrors()) { - $this->ajaxJsonAnswer(false, $this->model_install->getErrors()); - } - - $this->session->process_validated = array_merge($this->session->process_validated, array('installTheme' => true)); - $this->ajaxJsonAnswer(true); - } - - /** - * @see InstallAbstractModel::display() - */ - public function display() - { - // The installer SHOULD take less than 32M, but may take up to 35/36M sometimes. So 42M is a good value :) - $low_memory = Tools::getMemoryLimit() < Tools::getOctets('42M'); - - // We fill the process step used for Ajax queries - $this->process_steps[] = array('key' => 'generateSettingsFile', 'lang' => $this->l('Create settings.inc file')); - $this->process_steps[] = array('key' => 'installDatabase', 'lang' => $this->l('Create database tables')); - $this->process_steps[] = array('key' => 'installDefaultData', 'lang' => $this->l('Create default shop and languages')); - - // If low memory, create subtasks for populateDatabase step (entity per entity) - $populate_step = array('key' => 'populateDatabase', 'lang' => $this->l('Populate database tables')); - if ($low_memory) { - $populate_step['subtasks'] = array(); - $xml_loader = new InstallXmlLoader(); - foreach ($xml_loader->getSortedEntities() as $entity) { - $populate_step['subtasks'][] = array('entity' => $entity); - } - } - - $this->process_steps[] = $populate_step; - $this->process_steps[] = array('key' => 'configureShop', 'lang' => $this->l('Configure shop information')); - - if ($this->session->install_type == 'full') { - // If low memory, create subtasks for installFixtures step (entity per entity) - $fixtures_step = array('key' => 'installFixtures', 'lang' => $this->l('Install demonstration data')); - if ($low_memory) { - $fixtures_step['subtasks'] = array(); - $xml_loader = new InstallXmlLoader(); - $xml_loader->setFixturesPath(); - foreach ($xml_loader->getSortedEntities() as $entity) { - $fixtures_step['subtasks'][] = array('entity' => $entity); - } - } - $this->process_steps[] = $fixtures_step; - } - - $install_modules = array('key' => 'installModules', 'lang' => $this->l('Install modules')); - if ($low_memory) { - foreach ($this->model_install->getModulesList() as $module) { - $install_modules['subtasks'][] = array('module' => $module); - } - } - $this->process_steps[] = $install_modules; - - $install_modules = array('key' => 'installModulesAddons', 'lang' => $this->l('Install Addons modules')); - - $params = array( - 'iso_lang' => $this->language->getLanguageIso(), - 'iso_country' => $this->session->shop_country, - 'email' => $this->session->admin_email, - 'shop_url' => Tools::getHttpHost(), - 'version' => _PS_INSTALL_VERSION_ - ); - - if ($low_memory) { - foreach ($this->model_install->getAddonsModulesList($params) as $module) { - $install_modules['subtasks'][] = array('module' => (string)$module['name'], 'id_module' => (string)$module['id_module']); - } - } - $this->process_steps[] = $install_modules; - - $this->process_steps[] = array('key' => 'installTheme', 'lang' => $this->l('Install theme')); - - $this->displayTemplate('process'); - } -} diff --git a/www/_install/controllers/http/smarty_compile.php b/www/_install/controllers/http/smarty_compile.php deleted file mode 100644 index e9fe704..0000000 --- a/www/_install/controllers/http/smarty_compile.php +++ /dev/null @@ -1,45 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -define('_PS_DO_NOT_LOAD_CONFIGURATION_', true); -if (Tools::getValue('bo')) { - if (!is_dir(_PS_ROOT_DIR_.'/admin/')) { - exit; - } - define('_PS_ADMIN_DIR_', _PS_ROOT_DIR_.'/admin/'); - $directory = _PS_ADMIN_DIR_.'themes/default/'; -} else { - $directory = _PS_THEME_DIR_; -} - -require_once(_PS_ROOT_DIR_.'/config/smarty.config.inc.php'); - -$smarty->setTemplateDir($directory); -ob_start(); -$smarty->compileAllTemplates('.tpl', false); -if (ob_get_level() && ob_get_length() > 0) { - ob_end_clean(); -} diff --git a/www/_install/controllers/http/system.php b/www/_install/controllers/http/system.php deleted file mode 100644 index e4ebefb..0000000 --- a/www/_install/controllers/http/system.php +++ /dev/null @@ -1,157 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -/** - * Step 2 : check system configuration (permissions on folders, PHP version, etc.) - */ -class InstallControllerHttpSystem extends InstallControllerHttp -{ - public $tests = array(); - - /** - * @var InstallModelSystem - */ - public $model_system; - - /** - * @see InstallAbstractModel::init() - */ - public function init() - { - require_once _PS_INSTALL_MODELS_PATH_.'system.php'; - $this->model_system = new InstallModelSystem(); - } - - /** - * @see InstallAbstractModel::processNextStep() - */ - public function processNextStep() - { - } - - /** - * Required tests must be passed to validate this step - * - * @see InstallAbstractModel::validate() - */ - public function validate() - { - $this->tests['required'] = $this->model_system->checkRequiredTests(); - - return $this->tests['required']['success']; - } - - /** - * Display system step - */ - public function display() - { - if (!isset($this->tests['required'])) { - $this->tests['required'] = $this->model_system->checkRequiredTests(); - } - if (!isset($this->tests['optional'])) { - $this->tests['optional'] = $this->model_system->checkOptionalTests(); - } - - if (!is_callable('getenv') || !($user = @getenv('APACHE_RUN_USER'))) { - $user = 'Apache'; - } - - // Generate display array - $this->tests_render = array( - 'required' => array( - array( - 'title' => $this->l('Required PHP parameters'), - 'success' => 1, - 'checks' => array( - 'phpversion' => $this->l('PHP 5.1.2 or later is not enabled'), - 'upload' => $this->l('Cannot upload files'), - 'system' => $this->l('Cannot create new files and folders'), - 'gd' => $this->l('GD library is not installed'), - 'mysql_support' => $this->l('MySQL support is not activated') - ) - ), - array( - 'title' => $this->l('Files'), - 'success' => 1, - 'checks' => array( - 'files' => $this->l('Not all files were successfully uploaded on your server') - ) - ), - array( - 'title' => $this->l('Permissions on files and folders'), - 'success' => 1, - 'checks' => array( - 'config_dir' => $this->l('Recursive write permissions for %1$s user on %2$s', $user, '~/config/'), - 'cache_dir' => $this->l('Recursive write permissions for %1$s user on %2$s', $user, '~/cache/'), - 'log_dir' => $this->l('Recursive write permissions for %1$s user on %2$s', $user, '~/log/'), - 'img_dir' => $this->l('Recursive write permissions for %1$s user on %2$s', $user, '~/img/'), - 'mails_dir' => $this->l('Recursive write permissions for %1$s user on %2$s', $user, '~/mails/'), - 'module_dir' => $this->l('Recursive write permissions for %1$s user on %2$s', $user, '~/modules/'), - 'theme_lang_dir' => $this->l('Recursive write permissions for %1$s user on %2$s', $user, '~/themes/default-bootstrap/lang/'), - 'theme_pdf_lang_dir' => $this->l('Recursive write permissions for %1$s user on %2$s', $user, '~/themes/default-bootstrap/pdf/lang/'), - 'theme_cache_dir' => $this->l('Recursive write permissions for %1$s user on %2$s', $user, '~/themes/default-bootstrap/cache/'), - 'translations_dir' => $this->l('Recursive write permissions for %1$s user on %2$s', $user, '~/translations/'), - 'customizable_products_dir' => $this->l('Recursive write permissions for %1$s user on %2$s', $user, '~/upload/'), - 'virtual_products_dir' => $this->l('Recursive write permissions for %1$s user on %2$s', $user, '~/download/') - ) - ), - ), - 'optional' => array( - array( - 'title' => $this->l('Recommended PHP parameters'), - 'success' => $this->tests['optional']['success'], - 'checks' => array( - 'new_phpversion' => sprintf($this->l('You are using PHP %s version. Soon, the latest PHP version supported by PrestaShop will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!'), phpversion()), - 'fopen' => $this->l('Cannot open external URLs'), - 'register_globals' => $this->l('PHP register_globals option is enabled'), - 'gz' => $this->l('GZIP compression is not activated'), - 'mcrypt' => $this->l('Mcrypt extension is not enabled'), - 'mbstring' => $this->l('Mbstring extension is not enabled'), - 'magicquotes' => $this->l('PHP magic quotes option is enabled'), - 'dom' => $this->l('Dom extension is not loaded'), - 'pdo_mysql' => $this->l('PDO MySQL extension is not loaded') - ) - ), - ), - ); - - foreach ($this->tests_render['required'] as &$category) { - foreach ($category['checks'] as $id => $check) { - if ($this->tests['required']['checks'][$id] != 'ok') { - $category['success'] = 0; - } - } - } - - // If required tests failed, disable next button - if (!$this->tests['required']['success']) { - $this->next_button = false; - } - - $this->displayTemplate('system'); - } -} diff --git a/www/_install/controllers/http/welcome.php b/www/_install/controllers/http/welcome.php deleted file mode 100644 index 6775b3f..0000000 --- a/www/_install/controllers/http/welcome.php +++ /dev/null @@ -1,68 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -/** - * Step 1 : display language form - */ -class InstallControllerHttpWelcome extends InstallControllerHttp -{ - public function processNextStep() - { - } - - public function validate() - { - return true; - } - - /** - * Change language - */ - public function process() - { - if (Tools::getValue('language')) { - $this->session->lang = Tools::getValue('language'); - $this->redirect('welcome'); - } - } - - /** - * Display welcome step - */ - public function display() - { - $this->can_upgrade = false; - if (file_exists(_PS_ROOT_DIR_.'/config/settings.inc.php')) { - @include_once(_PS_ROOT_DIR_.'/config/settings.inc.php'); - if (version_compare(_PS_VERSION_, _PS_INSTALL_VERSION_, '<')) { - $this->can_upgrade = true; - $this->ps_version = _PS_VERSION_; - } - } - - $this->displayTemplate('welcome'); - } -} diff --git a/www/_install/controllers/index.php b/www/_install/controllers/index.php deleted file mode 100644 index a0a3051..0000000 --- a/www/_install/controllers/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/data/img/genders/Mr.jpg b/www/_install/data/img/genders/Mr.jpg deleted file mode 100644 index 09ef648..0000000 Binary files a/www/_install/data/img/genders/Mr.jpg and /dev/null differ diff --git a/www/_install/data/img/genders/Mrs.jpg b/www/_install/data/img/genders/Mrs.jpg deleted file mode 100644 index 4df662a..0000000 Binary files a/www/_install/data/img/genders/Mrs.jpg and /dev/null differ diff --git a/www/_install/data/img/genders/Unknown.jpg b/www/_install/data/img/genders/Unknown.jpg deleted file mode 100644 index 237d3c6..0000000 Binary files a/www/_install/data/img/genders/Unknown.jpg and /dev/null differ diff --git a/www/_install/data/img/genders/index.php b/www/_install/data/img/genders/index.php deleted file mode 100644 index b5fc656..0000000 --- a/www/_install/data/img/genders/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/data/img/index.php b/www/_install/data/img/index.php deleted file mode 100644 index faef08a..0000000 --- a/www/_install/data/img/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/data/img/os/Awaiting_PayPal_payment.gif b/www/_install/data/img/os/Awaiting_PayPal_payment.gif deleted file mode 100644 index 57abc20..0000000 Binary files a/www/_install/data/img/os/Awaiting_PayPal_payment.gif and /dev/null differ diff --git a/www/_install/data/img/os/Awaiting_bank_wire_payment.gif b/www/_install/data/img/os/Awaiting_bank_wire_payment.gif deleted file mode 100644 index 2780d81..0000000 Binary files a/www/_install/data/img/os/Awaiting_bank_wire_payment.gif and /dev/null differ diff --git a/www/_install/data/img/os/Awaiting_cheque_payment.gif b/www/_install/data/img/os/Awaiting_cheque_payment.gif deleted file mode 100644 index a0438cf..0000000 Binary files a/www/_install/data/img/os/Awaiting_cheque_payment.gif and /dev/null differ diff --git a/www/_install/data/img/os/Awaiting_cod_validation.gif b/www/_install/data/img/os/Awaiting_cod_validation.gif deleted file mode 100644 index 2780d81..0000000 Binary files a/www/_install/data/img/os/Awaiting_cod_validation.gif and /dev/null differ diff --git a/www/_install/data/img/os/Canceled.gif b/www/_install/data/img/os/Canceled.gif deleted file mode 100644 index a916b9e..0000000 Binary files a/www/_install/data/img/os/Canceled.gif and /dev/null differ diff --git a/www/_install/data/img/os/Delivered.gif b/www/_install/data/img/os/Delivered.gif deleted file mode 100644 index 0fb4380..0000000 Binary files a/www/_install/data/img/os/Delivered.gif and /dev/null differ diff --git a/www/_install/data/img/os/On_backorder_paid.gif b/www/_install/data/img/os/On_backorder_paid.gif deleted file mode 100644 index b8224b9..0000000 Binary files a/www/_install/data/img/os/On_backorder_paid.gif and /dev/null differ diff --git a/www/_install/data/img/os/On_backorder_unpaid.gif b/www/_install/data/img/os/On_backorder_unpaid.gif deleted file mode 100644 index b8224b9..0000000 Binary files a/www/_install/data/img/os/On_backorder_unpaid.gif and /dev/null differ diff --git a/www/_install/data/img/os/Payment_accepted.gif b/www/_install/data/img/os/Payment_accepted.gif deleted file mode 100644 index 1928295..0000000 Binary files a/www/_install/data/img/os/Payment_accepted.gif and /dev/null differ diff --git a/www/_install/data/img/os/Payment_error.gif b/www/_install/data/img/os/Payment_error.gif deleted file mode 100644 index 80e916a..0000000 Binary files a/www/_install/data/img/os/Payment_error.gif and /dev/null differ diff --git a/www/_install/data/img/os/Payment_remotely_accepted.gif b/www/_install/data/img/os/Payment_remotely_accepted.gif deleted file mode 100644 index 0f2e46e..0000000 Binary files a/www/_install/data/img/os/Payment_remotely_accepted.gif and /dev/null differ diff --git a/www/_install/data/img/os/Preparation_in_progress.gif b/www/_install/data/img/os/Preparation_in_progress.gif deleted file mode 100644 index 56d6cef..0000000 Binary files a/www/_install/data/img/os/Preparation_in_progress.gif and /dev/null differ diff --git a/www/_install/data/img/os/Refund.gif b/www/_install/data/img/os/Refund.gif deleted file mode 100644 index 3901ddd..0000000 Binary files a/www/_install/data/img/os/Refund.gif and /dev/null differ diff --git a/www/_install/data/img/os/Shipped.gif b/www/_install/data/img/os/Shipped.gif deleted file mode 100644 index cbd0fea..0000000 Binary files a/www/_install/data/img/os/Shipped.gif and /dev/null differ diff --git a/www/_install/data/img/os/index.php b/www/_install/data/img/os/index.php deleted file mode 100644 index b5fc656..0000000 --- a/www/_install/data/img/os/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/data/img/os/order_state_1.gif b/www/_install/data/img/os/order_state_1.gif deleted file mode 100644 index a0438cf..0000000 Binary files a/www/_install/data/img/os/order_state_1.gif and /dev/null differ diff --git a/www/_install/data/img/os/order_state_10.gif b/www/_install/data/img/os/order_state_10.gif deleted file mode 100644 index 2780d81..0000000 Binary files a/www/_install/data/img/os/order_state_10.gif and /dev/null differ diff --git a/www/_install/data/img/os/order_state_11.gif b/www/_install/data/img/os/order_state_11.gif deleted file mode 100644 index 57abc20..0000000 Binary files a/www/_install/data/img/os/order_state_11.gif and /dev/null differ diff --git a/www/_install/data/img/os/order_state_12.gif b/www/_install/data/img/os/order_state_12.gif deleted file mode 100644 index 0f2e46e..0000000 Binary files a/www/_install/data/img/os/order_state_12.gif and /dev/null differ diff --git a/www/_install/data/img/os/order_state_2.gif b/www/_install/data/img/os/order_state_2.gif deleted file mode 100644 index 1928295..0000000 Binary files a/www/_install/data/img/os/order_state_2.gif and /dev/null differ diff --git a/www/_install/data/img/os/order_state_3.gif b/www/_install/data/img/os/order_state_3.gif deleted file mode 100644 index 56d6cef..0000000 Binary files a/www/_install/data/img/os/order_state_3.gif and /dev/null differ diff --git a/www/_install/data/img/os/order_state_4.gif b/www/_install/data/img/os/order_state_4.gif deleted file mode 100644 index cbd0fea..0000000 Binary files a/www/_install/data/img/os/order_state_4.gif and /dev/null differ diff --git a/www/_install/data/img/os/order_state_5.gif b/www/_install/data/img/os/order_state_5.gif deleted file mode 100644 index 0fb4380..0000000 Binary files a/www/_install/data/img/os/order_state_5.gif and /dev/null differ diff --git a/www/_install/data/img/os/order_state_6.gif b/www/_install/data/img/os/order_state_6.gif deleted file mode 100644 index a916b9e..0000000 Binary files a/www/_install/data/img/os/order_state_6.gif and /dev/null differ diff --git a/www/_install/data/img/os/order_state_7.gif b/www/_install/data/img/os/order_state_7.gif deleted file mode 100644 index 3901ddd..0000000 Binary files a/www/_install/data/img/os/order_state_7.gif and /dev/null differ diff --git a/www/_install/data/img/os/order_state_8.gif b/www/_install/data/img/os/order_state_8.gif deleted file mode 100644 index 80e916a..0000000 Binary files a/www/_install/data/img/os/order_state_8.gif and /dev/null differ diff --git a/www/_install/data/img/os/order_state_9.gif b/www/_install/data/img/os/order_state_9.gif deleted file mode 100644 index b8224b9..0000000 Binary files a/www/_install/data/img/os/order_state_9.gif and /dev/null differ diff --git a/www/_install/data/index.php b/www/_install/data/index.php deleted file mode 100644 index a0a3051..0000000 --- a/www/_install/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/data/iso_to_timezone.xml b/www/_install/data/iso_to_timezone.xml deleted file mode 100644 index c2a1fa9..0000000 --- a/www/_install/data/iso_to_timezone.xml +++ /dev/null @@ -1,244 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/www/_install/data/xml/access.xml b/www/_install/data/xml/access.xml deleted file mode 100644 index 3e51073..0000000 --- a/www/_install/data/xml/access.xml +++ /dev/null @@ -1,102 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/data/xml/address_format.xml b/www/_install/data/xml/address_format.xml deleted file mode 100644 index 53107b7..0000000 --- a/www/_install/data/xml/address_format.xml +++ /dev/null @@ -1,2696 +0,0 @@ - - - - - - - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -address1 -address2 -city State:name postcode -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -State:name -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -State:name -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -city -postcode -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -address1 address2 -city, State:name postcode -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -State:name -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -State:name -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -State:name -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - firstname lastname -company -vat_number -address1 -address2 -postcode city -Country:name -phone -phone_mobile - - - diff --git a/www/_install/data/xml/carrier.xml b/www/_install/data/xml/carrier.xml deleted file mode 100644 index f2e9be6..0000000 --- a/www/_install/data/xml/carrier.xml +++ /dev/null @@ -1,27 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - 0 - - - - diff --git a/www/_install/data/xml/carrier_group.xml b/www/_install/data/xml/carrier_group.xml deleted file mode 100644 index 94cce90..0000000 --- a/www/_install/data/xml/carrier_group.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - - - - - - - - - diff --git a/www/_install/data/xml/carrier_tax_rules_group_shop.xml b/www/_install/data/xml/carrier_tax_rules_group_shop.xml deleted file mode 100644 index 371a546..0000000 --- a/www/_install/data/xml/carrier_tax_rules_group_shop.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - diff --git a/www/_install/data/xml/carrier_zone.xml b/www/_install/data/xml/carrier_zone.xml deleted file mode 100644 index eba14ab..0000000 --- a/www/_install/data/xml/carrier_zone.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/data/xml/category.xml b/www/_install/data/xml/category.xml deleted file mode 100644 index 8e1562d..0000000 --- a/www/_install/data/xml/category.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - diff --git a/www/_install/data/xml/category_group.xml b/www/_install/data/xml/category_group.xml deleted file mode 100644 index 3de4adc..0000000 --- a/www/_install/data/xml/category_group.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - - - - - - - - - diff --git a/www/_install/data/xml/cms.xml b/www/_install/data/xml/cms.xml deleted file mode 100644 index b8ca83e..0000000 --- a/www/_install/data/xml/cms.xml +++ /dev/null @@ -1,14 +0,0 @@ - - - - - - - - - - - - - - diff --git a/www/_install/data/xml/cms_category.xml b/www/_install/data/xml/cms_category.xml deleted file mode 100644 index 33d4e3d..0000000 --- a/www/_install/data/xml/cms_category.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/data/xml/configuration.xml b/www/_install/data/xml/configuration.xml deleted file mode 100644 index 648f4b6..0000000 --- a/www/_install/data/xml/configuration.xml +++ /dev/null @@ -1,851 +0,0 @@ - - - - - - - - - 1 - - - 1 - - - 1 - - - 0 - - - 1 - - - 8 - - - 0 - - - 0 - - - 3 - - - 1 - - - 1 - - - 0 - - - 0 - - - 0 - - - 1 - - - > - - - 12 - - - 0 - - - 0 - - - 4 - - - 1 - - - 2 - - - 0 - - - 0 - - - 1 - - - 1 - - - 1 - - - 20 - - - 0 - - - kg - - - 1 - - - 0 - - - 14 - - - 3 - - - 8388608 - - - 64 - - - 64 - - - #IN - - - {"avoid":[]} - - - {"avoid":[]} - - - #DE - - - 1 - - - #RE - - - 1 - - - 360 - - - 360 - - - 1 - - - 3 - - - - - - 6 - - - 10 - - - 1 - - - 1 - - - 3 - - - 3 - - - 4 - - - 2 - - - 2 - - - 1 - - - Europe/Paris - - - 0 - - - 1 - - - 0 - - - 0 - - - 0 - - - 2011-12-27 10:20:42 - - - 2 - - - 2011-12-27 10:20:42 - - - 3 - - - 0 - - - 0 - - - 0 - - - cl - - - 1 - - - 1 - - - 1 - - - - - - 0 - - - 0 - - - 0 - - - 3 - - - 3 - - - 0 - - - id_shop;id_currency;id_country;id_group - - - 0 - - - 0 - - - km - - - 1 - - - 1 - - - 0 - - - 209 - - - 52 - - - 530 - - - 228 - - - 0 - - - 0 - - - 0 - - - 0 - - - AF;ZA;AX;AL;DZ;DE;AD;AO;AI;AQ;AG;AN;SA;AR;AM;AW;AU;AT;AZ;BS;BH;BD;BB;BY;BE;BZ;BJ;BM;BT;BO;BA;BW;BV;BR;BN;BG;BF;MM;BI;KY;KH;CM;CA;CV;CF;CL;CN;CX;CY;CC;CO;KM;CG;CD;CK;KR;KP;CR;CI;HR;CU;DK;DJ;DM;EG;IE;SV;AE;EC;ER;ES;EE;ET;FK;FO;FJ;FI;FR;GA;GM;GE;GS;GH;GI;GR;GD;GL;GP;GU;GT;GG;GN;GQ;GW;GY;GF;HT;HM;HN;HK;HU;IM;MU;VG;VI;IN;ID;IR;IQ;IS;IL;IT;JM;JP;JE;JO;KZ;KE;KG;KI;KW;LA;LS;LV;LB;LR;LY;LI;LT;LU;MO;MK;MG;MY;MW;MV;ML;MT;MP;MA;MH;MQ;MR;YT;MX;FM;MD;MC;MN;ME;MS;MZ;NA;NR;NP;NI;NE;NG;NU;NF;NO;NC;NZ;IO;OM;UG;UZ;PK;PW;PS;PA;PG;PY;NL;PE;PH;PN;PL;PF;PR;PT;QA;DO;CZ;RE;RO;GB;RU;RW;EH;BL;KN;SM;MF;PM;VA;VC;LC;SB;WS;AS;ST;SN;RS;SC;SL;SG;SK;SI;SO;SD;LK;SE;CH;SR;SJ;SZ;SY;TJ;TW;TZ;TD;TF;TH;TL;TG;TK;TO;TT;TN;TM;TC;TR;TV;UA;UY;US;VU;VE;VN;WF;YE;ZM;ZW - - - 0 - - - fr - - - fr - - - 8 - - - 1 - - - cm - - - 0 - - - 1 - - - 1 - - - 0 - - -127;209.185.108;209.185.253;209.85.238;209.85.238.11;209.85.238.4;216.239.33.96;216.239.33.97;216.239.33.98;216.239.33.99;216.239.37.98;216.239.37.99;216.239.39.98;216.239.39.99;216.239.41.96;216.239.41.97;216.239.41.98;216.239.41.99;216.239.45.4;216.239.46;216.239.51.96;216.239.51.97;216.239.51.98;216.239.51.99;216.239.53.98;216.239.53.99;216.239.57.96;91.240.109;216.239.57.97;216.239.57.98;216.239.57.99;216.239.59.98;216.239.59.99;216.33.229.163;64.233.173.193;64.233.173.194;64.233.173.195;64.233.173.196;64.233.173.197;64.233.173.198;64.233.173.199;64.233.173.200;64.233.173.201;64.233.173.202;64.233.173.203;64.233.173.204;64.233.173.205;64.233.173.206;64.233.173.207;64.233.173.208;64.233.173.209;64.233.173.210;64.233.173.211;64.233.173.212;64.233.173.213;64.233.173.214;64.233.173.215;64.233.173.216;64.233.173.217;64.233.173.218;64.233.173.219;64.233.173.220;64.233.173.221;64.233.173.222;64.233.173.223;64.233.173.224;64.233.173.225;64.233.173.226;64.233.173.227;64.233.173.228;64.233.173.229;64.233.173.230;64.233.173.231;64.233.173.232;64.233.173.233;64.233.173.234;64.233.173.235;64.233.173.236;64.233.173.237;64.233.173.238;64.233.173.239;64.233.173.240;64.233.173.241;64.233.173.242;64.233.173.243;64.233.173.244;64.233.173.245;64.233.173.246;64.233.173.247;64.233.173.248;64.233.173.249;64.233.173.250;64.233.173.251;64.233.173.252;64.233.173.253;64.233.173.254;64.233.173.255;64.68.80;64.68.81;64.68.82;64.68.83;64.68.84;64.68.85;64.68.86;64.68.87;64.68.88;64.68.89;64.68.90.1;64.68.90.10;64.68.90.11;64.68.90.12;64.68.90.129;64.68.90.13;64.68.90.130;64.68.90.131;64.68.90.132;64.68.90.133;64.68.90.134;64.68.90.135;64.68.90.136;64.68.90.137;64.68.90.138;64.68.90.139;64.68.90.14;64.68.90.140;64.68.90.141;64.68.90.142;64.68.90.143;64.68.90.144;64.68.90.145;64.68.90.146;64.68.90.147;64.68.90.148;64.68.90.149;64.68.90.15;64.68.90.150;64.68.90.151;64.68.90.152;64.68.90.153;64.68.90.154;64.68.90.155;64.68.90.156;64.68.90.157;64.68.90.158;64.68.90.159;64.68.90.16;64.68.90.160;64.68.90.161;64.68.90.162;64.68.90.163;64.68.90.164;64.68.90.165;64.68.90.166;64.68.90.167;64.68.90.168;64.68.90.169;64.68.90.17;64.68.90.170;64.68.90.171;64.68.90.172;64.68.90.173;64.68.90.174;64.68.90.175;64.68.90.176;64.68.90.177;64.68.90.178;64.68.90.179;64.68.90.18;64.68.90.180;64.68.90.181;64.68.90.182;64.68.90.183;64.68.90.184;64.68.90.185;64.68.90.186;64.68.90.187;64.68.90.188;64.68.90.189;64.68.90.19;64.68.90.190;64.68.90.191;64.68.90.192;64.68.90.193;64.68.90.194;64.68.90.195;64.68.90.196;64.68.90.197;64.68.90.198;64.68.90.199;64.68.90.2;64.68.90.20;64.68.90.200;64.68.90.201;64.68.90.202;64.68.90.203;64.68.90.204;64.68.90.205;64.68.90.206;64.68.90.207;64.68.90.208;64.68.90.21;64.68.90.22;64.68.90.23;64.68.90.24;64.68.90.25;64.68.90.26;64.68.90.27;64.68.90.28;64.68.90.29;64.68.90.3;64.68.90.30;64.68.90.31;64.68.90.32;64.68.90.33;64.68.90.34;64.68.90.35;64.68.90.36;64.68.90.37;64.68.90.38;64.68.90.39;64.68.90.4;64.68.90.40;64.68.90.41;64.68.90.42;64.68.90.43;64.68.90.44;64.68.90.45;64.68.90.46;64.68.90.47;64.68.90.48;64.68.90.49;64.68.90.5;64.68.90.50;64.68.90.51;64.68.90.52;64.68.90.53;64.68.90.54;64.68.90.55;64.68.90.56;64.68.90.57;64.68.90.58;64.68.90.59;64.68.90.6;64.68.90.60;64.68.90.61;64.68.90.62;64.68.90.63;64.68.90.64;64.68.90.65;64.68.90.66;64.68.90.67;64.68.90.68;64.68.90.69;64.68.90.7;64.68.90.70;64.68.90.71;64.68.90.72;64.68.90.73;64.68.90.74;64.68.90.75;64.68.90.76;64.68.90.77;64.68.90.78;64.68.90.79;64.68.90.8;64.68.90.80;64.68.90.9;64.68.91;64.68.92;66.249.64;66.249.65;66.249.66;66.249.67;66.249.68;66.249.69;66.249.70;66.249.71;66.249.72;66.249.73;66.249.78;66.249.79;72.14.199;8.6.48 - - - 5 - - - 1 - - - 25.948969 - - - -80.226439 - - - 0 - - - 1 - - - 1324977642 - - - 1 - - - 1 - - - 2 - - - 3 - - - 4 - - - 5 - - - 6 - - - 7 - - - 8 - - - 9 - - - 10 - - - 11 - - - 12 - - - 9 - - - 13 - - - 14 - - - 0 - - - jpg - - - 7 - - - 90 - - - 480 - - - 480 - - - 0 - - - 1 - - - 1 - - - 1 - - - 1 - - - 1 - - - 1 - - - 1 - - - 0 - - - 0 - - - 0 - - - 0 - - - 1 - - - id_address_delivery - - - 1 - - - 0 - - - 1 - - - 2 - - - 0 - - - 1 - - - 7 - - - 6 - - - 0 - - - 8 - - - 3 - - - 1 - - - 2 - - - 3 - - - 0 - - - invoice - - - 2 - - - 2 - - - - - - - - - 1 - - - - 1 - - - 0 - - - 0 - - - 0 - - - http://www.yoursite.com - - - 2 - - - 5 - - - 2,1 - - - 2,1 - - - 2 - - - 1 - - - 4 - - - 1 - - - 1 - - - 5 - - - 5 - - - 1 - - - graphnvd3 - - - never - - - gridhtml - - - 10 - - - 100 - - - 400 - - - 1 - - - 2 - - - 1 - - - 2 - - - 1 - - - 3 - - - 0_3|0_4 - - - 0_3|0_4 - - - 1 - - - http://www.prestashop.com - - - store.jpg - - - jpg - - - CAT2,CAT3,CAT4 - - - - - - http://www.facebook.com/prestashop - - - http://www.twitter.com/prestashop - - - http://www.prestashop.com/blog/en/feed/ - - - Your company - - - Address line 1 -City -Country - - - 0123-456-789 - - - pub@prestashop.com - - - 0123-456-789 - - - pub@prestashop.com - - - 1 - - - 5 - - - 1 - - - 1 - - - - - - - - - 5 - - - 535 - - - 1300 - - - 7700 - - - 1 - - - m - - - localhost - - - localhost - - - PrestaShop - - - pub@prestashop.com - - - 1 - - - Animaux - - - - favicon.ico - - - logo_stores.png - - - 1 - - - 2 - - - 0 - - - smtp. - - - - - - - - - off - - - 25 - - - #db3484 - - - nK4KJP7jOsnzWMpo - - - 0 - - - 8 - - - 1 - - - - - - 1 - - - 1 - - - SMARTY_DEBUG - - - 0 - - - - - - - 40 - - - 1 - - - 1 - - - 1 - - - filesystem - - - everytime - - - 1 - - - 1 - - - 2 - - - 2 - - - 1 - - - 1 - - - 1 - - - 0 - - - 0 - - - 0 - - - 0 - - - 2 - - - 0 - - - diff --git a/www/_install/data/xml/contact.xml b/www/_install/data/xml/contact.xml deleted file mode 100644 index 9f80343..0000000 --- a/www/_install/data/xml/contact.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/data/xml/country.xml b/www/_install/data/xml/country.xml deleted file mode 100644 index 1a2cfcf..0000000 --- a/www/_install/data/xml/country.xml +++ /dev/null @@ -1,260 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/data/xml/gender.xml b/www/_install/data/xml/gender.xml deleted file mode 100644 index 6e96349..0000000 --- a/www/_install/data/xml/gender.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/data/xml/group.xml b/www/_install/data/xml/group.xml deleted file mode 100644 index 32324b5..0000000 --- a/www/_install/data/xml/group.xml +++ /dev/null @@ -1,13 +0,0 @@ - - - - - - - - - - - - - diff --git a/www/_install/data/xml/hook.xml b/www/_install/data/xml/hook.xml deleted file mode 100644 index e4c1634..0000000 --- a/www/_install/data/xml/hook.xml +++ /dev/null @@ -1,332 +0,0 @@ - - - - - - - - - - - displayPaymentPaymentThis hook displays new elements on the payment page - - - actionValidateOrderNew orders - - - displayMaintenanceMaintenance PageThis hook displays new elements on the maintenance page - - - actionPaymentConfirmationPayment confirmationThis hook displays new elements after the payment is validated - - - displayPaymentReturnPayment return - - - actionUpdateQuantityQuantity updateQuantity is updated only when a customer effectively places their order - - - displayRightColumnRight column blocksThis hook displays new elements in the right-hand column - - - displayLeftColumnLeft column blocksThis hook displays new elements in the left-hand column - - - displayHomeHomepage contentThis hook displays new elements on the homepage - - - HeaderPages html head sectionThis hook adds additional elements in the head section of your pages (head section of html) - - - actionCartSaveCart creation and updateThis hook is displayed when a product is added to the cart or if the cart's content is modified - - - actionAuthenticationSuccessful customer authenticationThis hook is displayed after a customer successfully signs in - - - actionProductAddProduct creationThis hook is displayed after a product is created - - - actionProductUpdateProduct updateThis hook is displayed after a product has been updated - - - displayTopTop of pagesThis hook displays additional elements at the top of your pages - - - displayRightColumnProductNew elements on the product page (right column)This hook displays new elements in the right-hand column of the product page - - - actionProductDeleteProduct deletionThis hook is called when a product is deleted - - - displayFooterProductProduct footerThis hook adds new blocks under the product's description - - - displayInvoiceInvoiceThis hook displays new blocks on the invoice (order) - - - actionOrderStatusUpdateOrder status update - EventThis hook launches modules when the status of an order changes. - - - displayAdminOrderDisplay new elements in the Back Office, tab AdminOrderThis hook launches modules when the AdminOrder tab is displayed in the Back Office - - - displayAdminOrderTabOrderDisplay new elements in Back Office, AdminOrder, panel OrderThis hook launches modules when the AdminOrder tab is displayed in the Back Office and extends / override Order panel tabs - - - displayAdminOrderTabShipDisplay new elements in Back Office, AdminOrder, panel ShippingThis hook launches modules when the AdminOrder tab is displayed in the Back Office and extends / override Shipping panel tabs - - - displayAdminOrderContentOrderDisplay new elements in Back Office, AdminOrder, panel OrderThis hook launches modules when the AdminOrder tab is displayed in the Back Office and extends / override Order panel content - - - displayAdminOrderContentShipDisplay new elements in Back Office, AdminOrder, panel ShippingThis hook launches modules when the AdminOrder tab is displayed in the Back Office and extends / override Shipping panel content - - - displayFooterFooterThis hook displays new blocks in the footer - - - displayPDFInvoicePDF InvoiceThis hook allows you to display additional information on PDF invoices - - - displayInvoiceLegalFreeTextPDF Invoice - Legal Free TextThis hook allows you to modify the legal free text on PDF invoices - - - displayAdminCustomersDisplay new elements in the Back Office, tab AdminCustomersThis hook launches modules when the AdminCustomers tab is displayed in the Back Office - - - displayOrderConfirmationOrder confirmation pageThis hook is called within an order's confirmation page - - - actionCustomerAccountAddSuccessful customer account creationThis hook is called when a new customer creates an account successfully - - - displayCustomerAccountCustomer account displayed in Front OfficeThis hook displays new elements on the customer account page - - - displayCustomerIdentityFormCustomer identity form displayed in Front OfficeThis hook displays new elements on the form to update a customer identity - - - actionOrderSlipAddOrder slip creationThis hook is called when a new credit slip is added regarding client order - - - displayProductTabTabs on product pageThis hook is called on the product page's tab - - - displayProductTabContentTabs content on the product pageThis hook is called on the product page's tab - - - displayShoppingCartFooterShopping cart footerThis hook displays some specific information on the shopping cart's page - - - displayCustomerAccountFormCustomer account creation formThis hook displays some information on the form to create a customer account - - - displayAdminStatsModulesStats - Modules - - - displayAdminStatsGraphEngineGraph engines - - - actionOrderReturnReturned productThis hook is displayed when a customer returns a product - - - displayProductButtonsProduct page actionsThis hook adds new action buttons on the product page - - - displayBackOfficeHomeAdministration panel homepageThis hook is displayed on the admin panel's homepage - - - displayAdminStatsGridEngineGrid engines - - - actionWatermarkWatermark - - - actionProductCancelProduct cancelledThis hook is called when you cancel a product in an order - - - displayLeftColumnProductNew elements on the product page (left column)This hook displays new elements in the left-hand column of the product page - - - actionProductOutOfStockOut-of-stock productThis hook displays new action buttons if a product is out of stock - - - actionProductAttributeUpdateProduct attribute updateThis hook is displayed when a product's attribute is updated - - - displayCarrierListExtra carrier (module mode) - - - displayShoppingCartShopping cart - Additional buttonThis hook displays new action buttons within the shopping cart - - - actionSearchSearch - - - displayBeforePaymentRedirect during the order processThis hook redirects the user to the module instead of displaying payment modules - - - actionCarrierUpdateCarrier UpdateThis hook is called when a carrier is updated - - - actionOrderStatusPostUpdatePost update of order status - - - displayCustomerAccountFormTopBlock above the form for create an accountThis hook is displayed above the customer's account creation form - - - displayBackOfficeHeaderAdministration panel headerThis hook is displayed in the header of the admin panel - - - displayBackOfficeTopAdministration panel hover the tabsThis hook is displayed on the roll hover of the tabs within the admin panel - - - displayBackOfficeFooterAdministration panel footerThis hook is displayed within the admin panel's footer - - - actionProductAttributeDeleteProduct attribute deletionThis hook is displayed when a product's attribute is deleted - - - actionCarrierProcessCarrier process - - - actionOrderDetailOrder detailThis hook is used to set the follow-up in Smarty when an order's detail is called - - - displayBeforeCarrierBefore carriers listThis hook is displayed before the carrier list in Front Office - - - displayOrderDetailOrder detailThis hook is displayed within the order's details in Front Office - - - actionPaymentCCAddPayment CC added - - - displayProductComparisonExtra product comparison - - - actionCategoryAddCategory creationThis hook is displayed when a category is created - - - actionCategoryUpdateCategory modificationThis hook is displayed when a category is modified - - - actionCategoryDeleteCategory deletionThis hook is displayed when a category is deleted - - - actionBeforeAuthenticationBefore authenticationThis hook is displayed before the customer's authentication - - - displayPaymentTopTop of payment pageThis hook is displayed at the top of the payment page - - - actionHtaccessCreateAfter htaccess creationThis hook is displayed after the htaccess creation - - - actionAdminMetaSaveAfter saving the configuration in AdminMetaThis hook is displayed after saving the configuration in AdminMeta - - - displayAttributeGroupFormAdd fields to the form 'attribute group'This hook adds fields to the form 'attribute group' - - - actionAttributeGroupSaveSaving an attribute groupThis hook is called while saving an attributes group - - - actionAttributeGroupDeleteDeleting attribute groupThis hook is called while deleting an attributes group - - - displayFeatureFormAdd fields to the form 'feature'This hook adds fields to the form 'feature' - - - actionFeatureSaveSaving attributes' featuresThis hook is called while saving an attributes features - - - actionFeatureDeleteDeleting attributes' featuresThis hook is called while deleting an attributes features - - - actionProductSaveSaving productsThis hook is called while saving products - - - actionProductListOverrideAssign a products list to a categoryThis hook assigns a products list to a category - - - displayAttributeGroupPostProcessOn post-process in admin attribute groupThis hook is called on post-process in admin attribute group - - - displayFeaturePostProcessOn post-process in admin featureThis hook is called on post-process in admin feature - - - displayFeatureValueFormAdd fields to the form 'feature value'This hook adds fields to the form 'feature value' - - - displayFeatureValuePostProcessOn post-process in admin feature valueThis hook is called on post-process in admin feature value - - - actionFeatureValueDeleteDeleting attributes' features' valuesThis hook is called while deleting an attributes features value - - - actionFeatureValueSaveSaving an attributes features valueThis hook is called while saving an attributes features value - - - displayAttributeFormAdd fields to the form 'attribute value'This hook adds fields to the form 'attribute value' - - - actionAttributePostProcessOn post-process in admin feature valueThis hook is called on post-process in admin feature value - - - actionAttributeDeleteDeleting an attributes features valueThis hook is called while deleting an attributes features value - - - actionAttributeSaveSaving an attributes features valueThis hook is called while saving an attributes features value - - - actionTaxManagerTax Manager Factory - - - displayMyAccountBlockMy account blockThis hook displays extra information within the 'my account' block" - - - actionModuleInstallBeforeactionModuleInstallBefore - - - actionModuleInstallAfteractionModuleInstallAfter - - - displayHomeTabHome Page TabsThis hook displays new elements on the homepage tabs - - - displayHomeTabContentHome Page Tabs ContentThis hook displays new elements on the homepage tabs content - - - displayTopColumnTop column blocksThis hook displays new elements in the top of columns - - - displayBackOfficeCategoryDisplay new elements in the Back Office, tab AdminCategoriesThis hook launches modules when the AdminCategories tab is displayed in the Back Office - - - displayProductListFunctionalButtonsDisplay new elements in the Front Office, products listThis hook launches modules when the products list is displayed in the Front Office - - - displayNavNavigation - - - displayOverrideTemplateChange the default template of current controller - - - actionAdminLoginControllerSetMediaSet media on admin login page headerThis hook is called after adding media to admin login page header - - - actionOrderEditedOrder editedThis hook is called when an order is edited. - - - actionEmailAddBeforeContentAdd extra content before mail contentThis hook is called just before fetching mail template - - - actionEmailAddAfterContentAdd extra content after mail contentThis hook is called just after fetching mail template - - - displayCartExtraProductActionsExtra buttons in shopping cartThis hook adds extra buttons to the product lines, in the shopping cart - - - diff --git a/www/_install/data/xml/hook_alias.xml b/www/_install/data/xml/hook_alias.xml deleted file mode 100644 index 471ddcf..0000000 --- a/www/_install/data/xml/hook_alias.xml +++ /dev/null @@ -1,353 +0,0 @@ - - - - - - - - - payment - displayPayment - - - newOrder - actionValidateOrder - - - paymentConfirm - actionPaymentConfirmation - - - paymentReturn - displayPaymentReturn - - - updateQuantity - actionUpdateQuantity - - - rightColumn - displayRightColumn - - - leftColumn - displayLeftColumn - - - home - displayHome - - - displayHeader - Header - - - cart - actionCartSave - - - authentication - actionAuthentication - - - addproduct - actionProductAdd - - - updateproduct - actionProductUpdate - - - top - displayTop - - - extraRight - displayRightColumnProduct - - - deleteproduct - actionProductDelete - - - productfooter - displayFooterProduct - - - invoice - displayInvoice - - - updateOrderStatus - actionOrderStatusUpdate - - - adminOrder - displayAdminOrder - - - footer - displayFooter - - - PDFInvoice - displayPDFInvoice - - - adminCustomers - displayAdminCustomers - - - orderConfirmation - displayOrderConfirmation - - - createAccount - actionCustomerAccountAdd - - - customerAccount - displayCustomerAccount - - - orderSlip - actionOrderSlipAdd - - - productTab - displayProductTab - - - productTabContent - displayProductTabContent - - - shoppingCart - displayShoppingCartFooter - - - createAccountForm - displayCustomerAccountForm - - - AdminStatsModules - displayAdminStatsModules - - - GraphEngine - displayAdminStatsGraphEngine - - - orderReturn - actionOrderReturn - - - productActions - displayProductButtons - - - backOfficeHome - displayBackOfficeHome - - - GridEngine - displayAdminStatsGridEngine - - - watermark - actionWatermark - - - cancelProduct - actionProductCancel - - - extraLeft - displayLeftColumnProduct - - - productOutOfStock - actionProductOutOfStock - - - updateProductAttribute - actionProductAttributeUpdate - - - extraCarrier - displayCarrierList - - - shoppingCartExtra - displayShoppingCart - - - search - actionSearch - - - backBeforePayment - displayBeforePayment - - - updateCarrier - actionCarrierUpdate - - - postUpdateOrderStatus - actionOrderStatusPostUpdate - - - createAccountTop - displayCustomerAccountFormTop - - - backOfficeHeader - displayBackOfficeHeader - - - backOfficeTop - displayBackOfficeTop - - - backOfficeFooter - displayBackOfficeFooter - - - deleteProductAttribute - actionProductAttributeDelete - - - processCarrier - actionCarrierProcess - - - orderDetail - actionOrderDetail - - - beforeCarrier - displayBeforeCarrier - - - orderDetailDisplayed - displayOrderDetail - - - paymentCCAdded - actionPaymentCCAdd - - - extraProductComparison - displayProductComparison - - - categoryAddition - actionCategoryAdd - - - categoryUpdate - actionCategoryUpdate - - - categoryDeletion - actionCategoryDelete - - - beforeAuthentication - actionBeforeAuthentication - - - paymentTop - displayPaymentTop - - - afterCreateHtaccess - actionHtaccessCreate - - - afterSaveAdminMeta - actionAdminMetaSave - - - attributeGroupForm - displayAttributeGroupForm - - - afterSaveAttributeGroup - actionAttributeGroupSave - - - afterDeleteAttributeGroup - actionAttributeGroupDelete - - - featureForm - displayFeatureForm - - - afterSaveFeature - actionFeatureSave - - - afterDeleteFeature - actionFeatureDelete - - - afterSaveProduct - actionProductSave - - - productListAssign - actionProductListOverride - - - postProcessAttributeGroup - displayAttributeGroupPostProcess - - - postProcessFeature - displayFeaturePostProcess - - - featureValueForm - displayFeatureValueForm - - - postProcessFeatureValue - displayFeatureValuePostProcess - - - afterDeleteFeatureValue - actionFeatureValueDelete - - - afterSaveFeatureValue - actionFeatureValueSave - - - attributeForm - displayAttributeForm - - - postProcessAttribute - actionAttributePostProcess - - - afterDeleteAttribute - actionAttributeDelete - - - afterSaveAttribute - actionAttributeSave - - - taxManager - actionTaxManager - - - myAccountBlock - displayMyAccountBlock - - - diff --git a/www/_install/data/xml/image_type.xml b/www/_install/data/xml/image_type.xml deleted file mode 100644 index 8698aef..0000000 --- a/www/_install/data/xml/image_type.xml +++ /dev/null @@ -1,25 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/data/xml/index.php b/www/_install/data/xml/index.php deleted file mode 100644 index faef08a..0000000 --- a/www/_install/data/xml/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/data/xml/meta.xml b/www/_install/data/xml/meta.xml deleted file mode 100644 index 21ea7b2..0000000 --- a/www/_install/data/xml/meta.xml +++ /dev/null @@ -1,148 +0,0 @@ - - - - - - - - pagenotfound - 1 - - - best-sales - 1 - - - contact - 1 - - - index - 1 - - - manufacturer - 1 - - - new-products - 1 - - - password - 1 - - - prices-drop - 1 - - - sitemap - 1 - - - supplier - 1 - - - address - 1 - - - addresses - 1 - - - authentication - 1 - - - cart - 1 - - - discount - 1 - - - history - 1 - - - identity - 1 - - - my-account - 1 - - - order-follow - 1 - - - order-slip - 1 - - - order - 1 - - - search - 1 - - - stores - 1 - - - order-opc - 1 - - - guest-tracking - 1 - - - order-confirmation - 1 - - - product - 0 - - - category - 0 - - - cms - 0 - - - module-cheque-payment - 0 - - - module-cheque-validation - 0 - - - module-bankwire-validation - 0 - - - module-bankwire-payment - 0 - - - module-cashondelivery-validation - 0 - - - products-comparison - 1 - - - diff --git a/www/_install/data/xml/operating_system.xml b/www/_install/data/xml/operating_system.xml deleted file mode 100644 index 0844133..0000000 --- a/www/_install/data/xml/operating_system.xml +++ /dev/null @@ -1,29 +0,0 @@ - - - - - - - - Windows XP - - - Windows Vista - - - Windows 7 - - - Windows 8 - - - MacOsX - - - Linux - - - Android - - - diff --git a/www/_install/data/xml/order_return_state.xml b/www/_install/data/xml/order_return_state.xml deleted file mode 100644 index 3fc4619..0000000 --- a/www/_install/data/xml/order_return_state.xml +++ /dev/null @@ -1,13 +0,0 @@ - - - - - - - - - - - - - diff --git a/www/_install/data/xml/order_state.xml b/www/_install/data/xml/order_state.xml deleted file mode 100644 index 0e2449a..0000000 --- a/www/_install/data/xml/order_state.xml +++ /dev/null @@ -1,61 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/data/xml/profile.xml b/www/_install/data/xml/profile.xml deleted file mode 100644 index 557a09f..0000000 --- a/www/_install/data/xml/profile.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - - - - diff --git a/www/_install/data/xml/quick_access.xml b/www/_install/data/xml/quick_access.xml deleted file mode 100644 index 0543a29..0000000 --- a/www/_install/data/xml/quick_access.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - - - - - index.php?controller=AdminCategories&addcategory - - - index.php?controller=AdminProducts&addproduct - - - index.php?controller=AdminCartRules&addcart_rule - - - diff --git a/www/_install/data/xml/risk.xml b/www/_install/data/xml/risk.xml deleted file mode 100644 index f89e33e..0000000 --- a/www/_install/data/xml/risk.xml +++ /dev/null @@ -1,13 +0,0 @@ - - - - - - - - - - - - - diff --git a/www/_install/data/xml/search_engine.xml b/www/_install/data/xml/search_engine.xml deleted file mode 100644 index 411a27f..0000000 --- a/www/_install/data/xml/search_engine.xml +++ /dev/null @@ -1,123 +0,0 @@ - - - - - - - - - google - - - aol - - - yandex - - - ask.com - - - nhl.com - - - yahoo - - - baidu - - - lycos - - - exalead - - - search.live - - - voila - - - altavista - - - bing - - - daum - - - eniro - - - naver - - - msn - - - netscape - - - cnn - - - about - - - mamma - - - alltheweb - - - virgilio - - - alice - - - najdi - - - mama - - - seznam - - - onet - - - szukacz - - - yam - - - pchome - - - kvasir - - - sesam - - - ozu - - - terra - - - mynet - - - ekolay - - - rambler - - - diff --git a/www/_install/data/xml/state.xml b/www/_install/data/xml/state.xml deleted file mode 100644 index c0b15a9..0000000 --- a/www/_install/data/xml/state.xml +++ /dev/null @@ -1,949 +0,0 @@ - - - - - - - - - - - - - Alabama - - - Alaska - - - Arizona - - - Arkansas - - - California - - - Colorado - - - Connecticut - - - Delaware - - - Florida - - - Georgia - - - Hawaii - - - Idaho - - - Illinois - - - Indiana - - - Iowa - - - Kansas - - - Kentucky - - - Louisiana - - - Maine - - - Maryland - - - Massachusetts - - - Michigan - - - Minnesota - - - Mississippi - - - Missouri - - - Montana - - - Nebraska - - - Nevada - - - New Hampshire - - - New Jersey - - - New Mexico - - - New York - - - North Carolina - - - North Dakota - - - Ohio - - - Oklahoma - - - Oregon - - - Pennsylvania - - - Rhode Island - - - South Carolina - - - South Dakota - - - Tennessee - - - Texas - - - Utah - - - Vermont - - - Virginia - - - Washington - - - West Virginia - - - Wisconsin - - - Wyoming - - - Puerto Rico - - - US Virgin Islands - - - District of Columbia - - - Aguascalientes - - - Baja California - - - Baja California Sur - - - Campeche - - - Chiapas - - - Chihuahua - - - Coahuila - - - Colima - - - Distrito Federal - - - Durango - - - Guanajuato - - - Guerrero - - - Hidalgo - - - Jalisco - - - Estado de México - - - Michoacán - - - Morelos - - - Nayarit - - - Nuevo León - - - Oaxaca - - - Puebla - - - Querétaro - - - Quintana Roo - - - San Luis Potosí - - - Sinaloa - - - Sonora - - - Tabasco - - - Tamaulipas - - - Tlaxcala - - - Veracruz - - - Yucatán - - - Zacatecas - - - Ontario - - - Quebec - - - British Columbia - - - Alberta - - - Manitoba - - - Saskatchewan - - - Nova Scotia - - - New Brunswick - - - Newfoundland and Labrador - - - Prince Edward Island - - - Northwest Territories - - - Yukon - - - Nunavut - - - Buenos Aires - - - Catamarca - - - Chaco - - - Chubut - - - Ciudad de Buenos Aires - - - Córdoba - - - Corrientes - - - Entre Ríos - - - Formosa - - - Jujuy - - - La Pampa - - - La Rioja - - - Mendoza - - - Misiones - - - Neuquén - - - Río Negro - - - Salta - - - San Juan - - - San Luis - - - Santa Cruz - - - Santa Fe - - - Santiago del Estero - - - Tierra del Fuego - - - Tucumán - - - Agrigento - - - Alessandria - - - Ancona - - - Aosta - - - Arezzo - - - Ascoli Piceno - - - Asti - - - Avellino - - - Bari - - - Barletta-Andria-Trani - - - Belluno - - - Benevento - - - Bergamo - - - Biella - - - Bologna - - - Bolzano - - - Brescia - - - Brindisi - - - Cagliari - - - Caltanissetta - - - Campobasso - - - Carbonia-Iglesias - - - Caserta - - - Catania - - - Catanzaro - - - Chieti - - - Como - - - Cosenza - - - Cremona - - - Crotone - - - Cuneo - - - Enna - - - Fermo - - - Ferrara - - - Firenze - - - Foggia - - - Forlì-Cesena - - - Frosinone - - - Genova - - - Gorizia - - - Grosseto - - - Imperia - - - Isernia - - - L'Aquila - - - La Spezia - - - Latina - - - Lecce - - - Lecco - - - Livorno - - - Lodi - - - Lucca - - - Macerata - - - Mantova - - - Massa - - - Matera - - - Medio Campidano - - - Messina - - - Milano - - - Modena - - - Monza e della Brianza - - - Napoli - - - Novara - - - Nuoro - - - Ogliastra - - - Olbia-Tempio - - - Oristano - - - Padova - - - Palermo - - - Parma - - - Pavia - - - Perugia - - - Pesaro-Urbino - - - Pescara - - - Piacenza - - - Pisa - - - Pistoia - - - Pordenone - - - Potenza - - - Prato - - - Ragusa - - - Ravenna - - - Reggio Calabria - - - Reggio Emilia - - - Rieti - - - Rimini - - - Roma - - - Rovigo - - - Salerno - - - Sassari - - - Savona - - - Siena - - - Siracusa - - - Sondrio - - - Taranto - - - Teramo - - - Terni - - - Torino - - - Trapani - - - Trento - - - Treviso - - - Trieste - - - Udine - - - Varese - - - Venezia - - - Verbano-Cusio-Ossola - - - Vercelli - - - Verona - - - Vibo Valentia - - - Vicenza - - - Viterbo - - - Aceh - - - Bali - - - Bangka - - - Banten - - - Bengkulu - - - Central Java - - - Central Kalimantan - - - Central Sulawesi - - - Coat of arms of East Java - - - East kalimantan - - - East Nusa Tenggara - - - Lambang propinsi - - - Jakarta - - - Jambi - - - Lampung - - - Maluku - - - North Maluku - - - North Sulawesi - - - North Sumatra - - - Papua - - - Riau - - - Lambang Riau - - - Southeast Sulawesi - - - South Kalimantan - - - South Sulawesi - - - South Sumatra - - - West Java - - - West Kalimantan - - - West Nusa Tenggara - - - Lambang Provinsi Papua Barat - - - West Sulawesi - - - West Sumatra - - - Yogyakarta - - - Aichi - - - Akita - - - Aomori - - - Chiba - - - Ehime - - - Fukui - - - Fukuoka - - - Fukushima - - - Gifu - - - Gunma - - - Hiroshima - - - Hokkaido - - - Hyogo - - - Ibaraki - - - Ishikawa - - - Iwate - - - Kagawa - - - Kagoshima - - - Kanagawa - - - Kochi - - - Kumamoto - - - Kyoto - - - Mie - - - Miyagi - - - Miyazaki - - - Nagano - - - Nagasaki - - - Nara - - - Niigata - - - Oita - - - Okayama - - - Okinawa - - - Osaka - - - Saga - - - Saitama - - - Shiga - - - Shimane - - - Shizuoka - - - Tochigi - - - Tokushima - - - Tokyo - - - Tottori - - - Toyama - - - Wakayama - - - Yamagata - - - Yamaguchi - - - Yamanashi - - - diff --git a/www/_install/data/xml/stock_mvt_reason.xml b/www/_install/data/xml/stock_mvt_reason.xml deleted file mode 100644 index 93ce8d9..0000000 --- a/www/_install/data/xml/stock_mvt_reason.xml +++ /dev/null @@ -1,16 +0,0 @@ - - - - - - - - - - - - - - - - diff --git a/www/_install/data/xml/supply_order_state.xml b/www/_install/data/xml/supply_order_state.xml deleted file mode 100644 index f7a0299..0000000 --- a/www/_install/data/xml/supply_order_state.xml +++ /dev/null @@ -1,19 +0,0 @@ - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/data/xml/tab.xml b/www/_install/data/xml/tab.xml deleted file mode 100644 index 48162a8..0000000 --- a/www/_install/data/xml/tab.xml +++ /dev/null @@ -1,310 +0,0 @@ - - - - - - - - - - AdminDashboard - - - AdminCms - - - AdminCmsCategories - - - AdminAttributeGenerator - - - AdminSearch - - - AdminLogin - - - AdminShop - - - AdminShopUrl - - - AdminCatalog - - - AdminParentOrders - - - AdminParentCustomer - - - AdminPriceRule - - - AdminParentModules - - - AdminParentShipping - - - AdminParentLocalization - - - AdminParentPreferences - - - AdminTools - - - AdminAdmin - - - AdminParentStats - - - AdminStock - - - AdminProducts - - - AdminCategories - - - AdminTracking - - - AdminAttributesGroups - - - AdminFeatures - - - AdminManufacturers - - - AdminSuppliers - - - AdminTags - - - AdminAttachments - - - AdminOrders - - - AdminInvoices - - - AdminReturn - - - AdminDeliverySlip - - - AdminSlip - - - AdminStatuses - - - AdminOrderMessage - - - AdminCustomers - - - AdminAddresses - - - AdminGroups - - - AdminCarts - - - AdminCustomerThreads - - - AdminContacts - - - AdminGenders - - - AdminOutstanding - - - AdminCartRules - - - AdminSpecificPriceRule - - - AdminMarketing - - - AdminCarriers - - - AdminShipping - - - AdminCarrierWizard - - - AdminLocalization - - - AdminLanguages - - - AdminZones - - - AdminCountries - - - AdminStates - - - AdminCurrencies - - - AdminTaxes - - - AdminTaxRulesGroup - - - AdminTranslations - - - AdminModules - - - AdminAddonsCatalog - - - AdminModulesPositions - - - AdminPayment - - - AdminPreferences - - - AdminOrderPreferences - - - AdminPPreferences - - - AdminCustomerPreferences - - - AdminThemes - - - AdminMeta - - - AdminCmsContent - - - AdminImages - - - AdminStores - - - AdminSearchConf - - - AdminMaintenance - - - AdminGeolocation - - - AdminInformation - - - AdminPerformance - - - AdminEmails - - - AdminShopGroup - - - AdminImport - - - AdminBackup - - - AdminRequestSql - - - AdminLogs - - - AdminWebservice - - - AdminAdminPreferences - - - AdminQuickAccesses - - - AdminEmployees - - - AdminProfiles - - - AdminAccess - - - AdminTabs - - - AdminStats - - - AdminSearchEngines - - - AdminReferrers - - - AdminWarehouses - - - AdminStockManagement - - - AdminStockMvt - - - AdminStockInstantState - - - AdminStockCover - - - AdminSupplyOrders - - - AdminStockConfiguration - - - diff --git a/www/_install/data/xml/theme.xml b/www/_install/data/xml/theme.xml deleted file mode 100644 index e643e34..0000000 --- a/www/_install/data/xml/theme.xml +++ /dev/null @@ -1,23 +0,0 @@ - - - - - - - - - - - - - default-bootstrap - default-bootstrap - 1 - 1 - 0 - 12 - - - - - diff --git a/www/_install/data/xml/theme_meta.xml b/www/_install/data/xml/theme_meta.xml deleted file mode 100644 index c3574ec..0000000 --- a/www/_install/data/xml/theme_meta.xml +++ /dev/null @@ -1,45 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/data/xml/timezone.xml b/www/_install/data/xml/timezone.xml deleted file mode 100644 index ca6ac41..0000000 --- a/www/_install/data/xml/timezone.xml +++ /dev/null @@ -1,568 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/data/xml/warehouse.xml b/www/_install/data/xml/warehouse.xml deleted file mode 100644 index f9b1656..0000000 --- a/www/_install/data/xml/warehouse.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - - - - - - - - - diff --git a/www/_install/data/xml/web_browser.xml b/www/_install/data/xml/web_browser.xml deleted file mode 100644 index db227fa..0000000 --- a/www/_install/data/xml/web_browser.xml +++ /dev/null @@ -1,41 +0,0 @@ - - - - - - - - Safari - - - Safari iPad - - - Firefox - - - Opera - - - IE 6 - - - IE 7 - - - IE 8 - - - IE 9 - - - IE 10 - - - IE 11 - - - Chrome - - - diff --git a/www/_install/data/xml/zone.xml b/www/_install/data/xml/zone.xml deleted file mode 100644 index af9ad1b..0000000 --- a/www/_install/data/xml/zone.xml +++ /dev/null @@ -1,33 +0,0 @@ - - - - - - - - - Europe - - - North America - - - Asia - - - Africa - - - Oceania - - - South America - - - Europe (non-EU) - - - Central America/Antilla - - - diff --git a/www/_install/dev/index.php b/www/_install/dev/index.php deleted file mode 100644 index 4022926..0000000 --- a/www/_install/dev/index.php +++ /dev/null @@ -1,166 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -include_once('../init.php'); -include_once(_PS_ROOT_DIR_.'/config/settings.inc.php'); -include_once(_PS_INSTALL_PATH_.'classes/controllerHttp.php'); - -class SynchronizeController extends InstallControllerHttp -{ - public function validate() - { - } - public function display() - { - } - public function processNextStep() - { - } - - /** - * @var InstallXmlLoader - */ - protected $loader; - - public function displayTemplate($template, $get_output = false, $path = null) - { - parent::displayTemplate($template, false, _PS_INSTALL_PATH_.'dev/'); - } - - public function init() - { - $this->type = Tools::getValue('type'); - $this->loader = new InstallXmlLoader(); - $languages = array(); - foreach (Language::getLanguages(false) as $language) { - $languages[$language['id_lang']] = $language['iso_code']; - } - $this->loader->setLanguages($languages); - - if (Tools::getValue('submit')) { - $this->generateSchemas(); - } elseif (Tools::getValue('synchronize')) { - $this->synchronizeEntities(); - } - - if ($this->type == 'demo') { - $this->loader->setFixturesPath(); - } else { - $this->loader->setDefaultPath(); - } - $this->displayTemplate('index'); - } - - public function generateSchemas() - { - if ($this->type == 'demo') { - $this->loader->setFixturesPath(); - } - - $tables = isset($_POST['tables']) ? (array)$_POST['tables'] : array(); - $columns = isset($_POST['columns']) ? (array)$_POST['columns'] : array(); - $relations = isset($_POST['relations']) ? (array)$_POST['relations'] : array(); - $ids = isset($_POST['id']) ? (array)$_POST['id'] : array(); - $primaries = isset($_POST['primary']) ? (array)$_POST['primary'] : array(); - $classes = isset($_POST['class']) ? (array)$_POST['class'] : array(); - $sqls = isset($_POST['sql']) ? (array)$_POST['sql'] : array(); - $orders = isset($_POST['order']) ? (array)$_POST['order'] : array(); - $images = isset($_POST['image']) ? (array)$_POST['image'] : array(); - $nulls = isset($_POST['null']) ? (array)$_POST['null'] : array(); - - $entities = array(); - foreach ($tables as $table) { - $config = array(); - if (isset($ids[$table]) && $ids[$table]) { - $config['id'] = $ids[$table]; - } - - if (isset($primaries[$table]) && $primaries[$table]) { - $config['primary'] = $primaries[$table]; - } - - if (isset($classes[$table]) && $classes[$table]) { - $config['class'] = $classes[$table]; - } - - if (isset($sqls[$table]) && $sqls[$table]) { - $config['sql'] = $sqls[$table]; - } - - if (isset($orders[$table]) && $orders[$table]) { - $config['ordersql'] = $orders[$table]; - } - - if (isset($images[$table]) && $images[$table]) { - $config['image'] = $images[$table]; - } - - if (isset($nulls[$table]) && $nulls[$table]) { - $config['null'] = $nulls[$table]; - } - - $fields = array(); - if (isset($columns[$table])) { - foreach ($columns[$table] as $column) { - $fields[$column] = array(); - if (isset($relations[$table][$column]['check'])) { - $fields[$column]['relation'] = $relations[$table][$column]; - } - } - } - - $entities[$table] = array( - 'config' => $config, - 'fields' => $fields, - ); - } - - foreach ($entities as $entity => $info) { - $this->loader->generateEntitySchema($entity, $info['fields'], $info['config']); - } - - $this->errors = $this->loader->getErrors(); - } - - public function synchronizeEntities() - { - $entities = Tools::getValue('entities'); - if (isset($entities['common'])) { - $this->loader->setDefaultPath(); - $this->loader->generateEntityFiles($entities['common']); - } - - if (isset($entities['fixture'])) { - $this->loader->setFixturesPath(); - $this->loader->generateEntityFiles($entities['fixture']); - } - - $this->errors = $this->loader->getErrors(); - $this->loader->setDefaultPath(); - } -} - -new SynchronizeController('synchronize'); diff --git a/www/_install/dev/index.phtml b/www/_install/dev/index.phtml deleted file mode 100644 index 3cb822b..0000000 --- a/www/_install/dev/index.phtml +++ /dev/null @@ -1,241 +0,0 @@ - - - Outil de synchronisation de l'installeur - - - - - - - - errors): ?> -
    - errors as $error): ?> -
  • - -
- - - - -
-

Aide pour la synchronisation de l'installeur

-

Cet outil est destiné à synchroniser le contenu de la base de donnée courante avec l'installeur. Par exemple en synchronisant l'entité "country", toutes les données de la table seront prises et sauvées dans un fichier country.xml, qui sera utilisé lors des installations.

-

Veuillez vous assurer de n'exporter que les informations qui concernent les modifications que vous avez effectué, pour cela il suffit de cocher les informations vous concernant sur l'écran de synchronisation.

-

-

- En cochant une entité (sur l'écran de génération des schémas), celle ci sera ajoutée dans les données exportables. Cependant seules les entités que vous validerez dans l'écran de synchronisation seront réellement exportées, afin d'éviter tout problème. Voici une description des différentes informations disponibles par entité : -

    -
  • Identifiant : servira à générer les noms des ID uniques. Par défaut les ID sont du type entity_42.
  • -
  • Clef primaire : laissez ce champ vide si l'entité possède un nom de clef primaire standard, c'est à dire id_entity. Entrez le nom de la clef primaire si elle est différente, entrez les différentes clef primaires séparées par une virgule s'il s'agit d'une table d'association.
  • -
  • Classe : nom de classe qui servira à insérer les informations lors de l'installation. Attention il doit s'agir d'une classe ObjectModel. N'utilisez pas de classe s'il n'est pas nécessaire d'instancier l'objet pour créer l'entité.
  • -
  • Images : nom du dossier d'images pour exporter / importer les images automatiquement. Pour les cas particuliers, il est possible de créer des méthodes dans InstallXmlLoader backupImageEntity() pour l'export des images depuis la synchronisation et copyImagesEntity() pour l'import des images durant l'installation.
  • -
  • Restriction SQL : clauses WHERE à ajouter à la requête qui synchronise les données. Par exemple on ne souhaite exporter que la catégorie avec l'ID 1 pour les données communes, et les autres catégories pour les produits de démo.
  • -
  • Ordre SQL : clause ORDER BY de la requête qui synchronise les données
  • -
- Sélectionnez ensuite la liste des champs à utiliser, et pour les champs reliés à une autre entité précisez cette dernière en choisissant une relation (par exemple les champs id_country doivent être relié à l'entité country). -

-
- - type == 'synchro'): ?> - loader->getEntitiesList(); - $dependencies['common'] = $this->loader->getDependencies(); - $this->loader->setFixturesPath(); - $entities['fixture'] = $this->loader->getEntitiesList(); - $dependencies['fixture'] = $this->loader->getDependencies(); - $this->loader->setDefaultPath(); - ?> - -
- Selectionnez la liste des entités à resynchroniser. Afin d'éviter au maximum les erreurs, sélectionnez uniquement les entitiés que vous avez modifier. -
- (Tout cocher - - Tout décocher) -
    - $list): ?> -
  • - - Produits de démoDonnées communes - -
      - -
    • - -
    • - -
    -

    -
  • - -
- -
- -
-
- -
    - loader->getTables() as $entity => $is_multilang): ?> - loader->entityExists($entity); - $entity_info = $this->loader->getEntityInfo($entity); - ?> -
  • - - -
      style="display: none"> -
    • -
      - - - - -
      -
      - - - -
      -
    • - loader->getColumns($entity) as $column => $is_text): ?> -
    • - -
      - -
      -
    • - -
    -
  • - -
- -
-
- - - - diff --git a/www/_install/dev/style.css b/www/_install/dev/style.css deleted file mode 100644 index b70cae1..0000000 --- a/www/_install/dev/style.css +++ /dev/null @@ -1,105 +0,0 @@ -body{ - font-family: Arial; - font-size: 12px; -} - -.clear{ - clear: both; -} - -ul.menu{ - margin-top: 15px; - margin-bottom: 25px; -} - -ul.menu li{ - background-color: #DDDDDD; - border: 1px solid #999999; - display: inline; - padding: 10px; - font-weight: bold; -} - -ul.menu li a{ - text-decoration: none; - color: #000000; -} - -ul.menu li.selected a{ - text-decoration: underline; - color: #F31A28; -} - -.column_left{ - float: left; - width: 250px; -} - -ul.table_list{ - list-style-type: none; -} - -li.table_item{ - background-color: #F0F0F0; - border: 1px dashed #666666; - margin: 6px; -} - -li.table_item_selected{ - background-color: #F0F0F0; - border: 1px solid #666666; - margin: 6px; -} - -.table_name{ - color: #999999; - font-size: 20px; - text-decoration: none; - font-weight: bold; -} - -li.table_item_selected .table_name{ - color: #F31A28; -} - -ul.column_list{ - list-style-type: none; -} - -ul.column_list li{ - margin-bottom: 2px; -} - -.options{ - margin-bottom: 5px; -} - -.options label{ - margin-right: 20px; - font-weight: bold; -} - -#display_help{ - background-color: #FAFAFA; - border: 1px solid #999999; - display: none; - margin-left: 40px; - padding: 5px; -} - -input[type="submit"]{ - font-weight: bold; - padding: 5px; -} - -ul.type_list{ - list-style-type: none; -} - -ul.type_list span{ - font-weight: bold; -} - -ul.entity_list{ - list-style-type: none; -} \ No newline at end of file diff --git a/www/_install/dev/translate.php b/www/_install/dev/translate.php deleted file mode 100644 index f108c4a..0000000 --- a/www/_install/dev/translate.php +++ /dev/null @@ -1,113 +0,0 @@ -'; -// print_r($_POST); -// die; -include_once('../init.php'); -$iso = Tools::getValue('iso'); - -if (Tools::isSubmit('submitTranslations')) { - if (!file_exists('../langs/'.$iso.'/install.php')) { - die('translation file does not exists'); - } - $translated_content = include('../langs/'.$iso.'/install.php'); - unset($_POST['iso']); - unset($_POST['submitTranslations']); - foreach ($_POST as $post_key => $post_value) { - if (!empty($post_value)) { - $translated_content['translations'][my_urldecode($post_key)] = $post_value; - } - } - $new_content = " $value1) { - $new_content .= "\t'".just_quotes($key1)."' => array(\n"; - foreach ($value1 as $key2 => $value2) { - $new_content .= "\t\t'".just_quotes($key2)."' => '".just_quotes($value2)."',\n"; - } - $new_content .= "\t),\n"; - } - $new_content .= ");"; - file_put_contents('../langs/'.$iso.'/install.php', $new_content); - echo 'Translations Updated

'; -} - -$regex = '/->l\(\'(.*[^\\\\])\'(, ?\'(.+)\')?(, ?(.+))?\)/U'; -$dirs = array('classes', 'controllers', 'models', 'theme'); -$languages = scandir('../langs'); -$files = $translations = $translations_source = array(); -foreach ($dirs as $dir) { - $files = array_merge($files, Tools::scandir('..', 'php', $dir, true)); - $files = array_merge($files, Tools::scandir('..', 'phtml', $dir, true)); -} - -foreach ($files as $file) { - $content = file_get_contents('../'.$file); - preg_match_all($regex, $content, $matches); - $translations_source = array_merge($translations_source, $matches[1]); -} -$translations_source = array_map('stripslashes', $translations_source); - -if ($iso && (file_exists('../langs/'.$iso.'/install.php'))) { - $translated_content = include('../langs/'.$iso.'/install.php'); - $translations = $translated_content['translations']; -} - -echo ' - - - - - - - -
- - - - - - - - - '; -foreach ($translations_source as $translation_source) { - echo ' - - - '; -} -echo ' -
SourceYour translation
- '.htmlspecialchars($translation_source, ENT_NOQUOTES, 'utf-8').' - - -
- -
- -'; - -function just_quotes($s) -{ - return addcslashes($s, '\\\''); -} -function my_urlencode($s) -{ - return str_replace('.', '_dot_', urlencode($s)); -} -function my_urldecode($s) -{ - return str_replace('_dot_', '.', urldecode($s)); -} diff --git a/www/_install/dev/update_eu_taxrulegroups.php b/www/_install/dev/update_eu_taxrulegroups.php deleted file mode 100644 index ec5f492..0000000 --- a/www/_install/dev/update_eu_taxrulegroups.php +++ /dev/null @@ -1,195 +0,0 @@ - - elements that have the attribute eu-tax-group="virtual". - * - * Store the list of files (`$euLocalizationFiles`) where such taxes have been found, - * in a next step we'll store the new tax group in each of them. - * - * 2) - * Remove all taxRulesGroup's that have the attribute eu-tax-group="virtual". - * - * 3) - * Build a new taxRulesGroup containing all the taxes found in the first step. - * - * 4) - * Inject the new taxRulesGroup into all packs of `$euLocalizationFiles`, not forgetting - * to also inject the required taxes. - * - * Warning: do not duplicate the tax with attribute eu-tax-group="virtual" of the pack being updated. - * - * Mark the injected group with the attributes eu-tax-group="virtual" and auto-generated="1" - * Mark the injected taxes witth the attributes from-eu-tax-group="virtual" and auto-generated="1" - * - * Clean things up by removing all the previous taxes that had the attributes eu-tax-group="virtual" and auto-generated="1" - */ - -@ini_set('display_errors', 'on'); - -$localizationPacksRoot = realpath(dirname(__FILE__) . '/../../localization'); - -if (!$localizationPacksRoot) { - die("Could not find the folder containing the localization files (should be 'localization' at the root of the PrestaShop folder).\n"); -} - -$euLocalizationFiles = array(); - -foreach (scandir($localizationPacksRoot) as $entry) { - if (!preg_match('/\.xml$/', $entry)) { - continue; - } - - - $localizationPackFile = $localizationPacksRoot . DIRECTORY_SEPARATOR . $entry; - - $localizationPack = @simplexml_load_file($localizationPackFile); - - // Some packs do not have taxes - if (!$localizationPack || !$localizationPack->taxes->tax) { - continue; - } - - foreach ($localizationPack->taxes->tax as $tax) { - if ((string)$tax['eu-tax-group'] === 'virtual') { - if (!isset($euLocalizationFiles[$localizationPackFile])) { - $euLocalizationFiles[$localizationPackFile] = array( - 'virtualTax' => $tax, - 'pack' => $localizationPack, - 'iso_code_country' => basename($entry, '.xml') - ); - } else { - die("Too many taxes with eu-tax-group=\"virtual\" found in `$localizationPackFile`.\n"); - } - } - } -} - -function addTax(SimpleXMLElement $taxes, SimpleXMLElement $tax, array $attributesToUpdate = array(), array $attributesToRemove = array()) -{ - $newTax = new SimpleXMLElement(''); - - $taxRulesGroups = $taxes->xpath('//taxRulesGroup[1]'); - $insertBefore = $taxRulesGroups[0]; - - if (!$insertBefore) { - die("Could not find any `taxRulesGroup`, don't know where to append the tax.\n"); - } - - /** - * Add the `tax` node before the first `taxRulesGroup`. - * Yes, the dom API is beautiful. - */ - $dom = dom_import_simplexml($taxes); - - $new = $dom->insertBefore( - $dom->ownerDocument->importNode(dom_import_simplexml($newTax)), - dom_import_simplexml($insertBefore) - ); - - $newTax = simplexml_import_dom($new); - - $newAttributes = array(); - - foreach ($tax->attributes() as $attribute) { - $name = $attribute->getName(); - - // This attribute seems to cause trouble, skip it. - if ($name === 'account_number' || in_array($name, $attributesToRemove)) { - continue; - } - - $value = (string)$attribute; - - $newAttributes[$name] = $value; - } - - $newAttributes = array_merge($newAttributes, $attributesToUpdate); - - foreach ($newAttributes as $name => $value) { - $newTax->addAttribute($name, $value); - } - - return $newTax; -} - -function addTaxRule(SimpleXMLElement $taxRulesGroup, SimpleXMLElement $tax, $iso_code_country) -{ - $taxRule = $taxRulesGroup->addChild('taxRule'); - - $taxRule->addAttribute('iso_code_country', $iso_code_country); - $taxRule->addAttribute('id_tax', (string)$tax['id']); - - return $taxRule; -} - -foreach ($euLocalizationFiles as $path => $file) { - $nodesToKill = array(); - - // Get max tax id, and list of nodes to kill - $taxId = 0; - foreach ($file['pack']->taxes->tax as $tax) { - if ((string)$tax['auto-generated'] === "1" && (string)$tax['from-eu-tax-group'] === 'virtual') { - $nodesToKill[] = $tax; - } else { - // We only count the ids of the taxes we're not going to remove! - $taxId = max($taxId, (int)$tax['id']); - } - } - - foreach ($file['pack']->taxes->taxRulesGroup as $trg) { - if ((string)$trg['auto-generated'] === "1" && (string)$trg['eu-tax-group'] === 'virtual') { - $nodesToKill[] = $trg; - } - } - - // This is the first tax id we're allowed to use. - $taxId++; - - // Prepare new taxRulesGroup - - $taxRulesGroup = $file['pack']->taxes->addChild('taxRulesGroup'); - $taxRulesGroup->addAttribute('name', 'EU VAT For Virtual Products'); - $taxRulesGroup->addAttribute('auto-generated', '1'); - $taxRulesGroup->addAttribute('eu-tax-group', 'virtual'); - - addTaxRule($taxRulesGroup, $file['virtualTax'], $file['iso_code_country']); - - foreach ($euLocalizationFiles as $foreignPath => $foreignFile) { - if ($foreignPath === $path) { - // We already added the tax that belongs to this pack - continue; - } - - $tax = addTax($file['pack']->taxes, $foreignFile['virtualTax'], array( - 'id' => (string)$taxId, - 'auto-generated' => '1', - 'from-eu-tax-group' => 'virtual' - ), array('eu-tax-group')); - - addTaxRule($taxRulesGroup, $tax, $foreignFile['iso_code_country']); - - $taxId++; - } - - foreach ($nodesToKill as $node) { - unset($node[0]); - } - - $dom = new DOMDocument("1.0"); - $dom->preserveWhiteSpace = false; - $dom->formatOutput = true; - $dom->loadXML($file['pack']->asXML()); - file_put_contents($path, $dom->saveXML()); -} - -$nUpdated = count($euLocalizationFiles); - -echo "Updated the virtual tax groups for $nUpdated localization files.\n"; diff --git a/www/_install/fixtures/fashion/data/access.xml b/www/_install/fixtures/fashion/data/access.xml deleted file mode 100644 index c943c2b..0000000 --- a/www/_install/fixtures/fashion/data/access.xml +++ /dev/null @@ -1,316 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/address.xml b/www/_install/fixtures/fashion/data/address.xml deleted file mode 100644 index 6b104f9..0000000 --- a/www/_install/fixtures/fashion/data/address.xml +++ /dev/null @@ -1,55 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - -
- My Company - 16, Main street - 2nd floor - Paris - -
-
- Fashion - 767 Fifth Ave. - - New York - -
-
- Fashion - 767 Fifth Ave. - - New York - -
-
- My Company - 16, Main street - 2nd floor - Miami - -
-
-
diff --git a/www/_install/fixtures/fashion/data/alias.xml b/www/_install/fixtures/fashion/data/alias.xml deleted file mode 100644 index e18e9e1..0000000 --- a/www/_install/fixtures/fashion/data/alias.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - - - - - - bloose - blouse - - - blues - blouse - - - diff --git a/www/_install/fixtures/fashion/data/attribute.xml b/www/_install/fixtures/fashion/data/attribute.xml deleted file mode 100644 index 27b3973..0000000 --- a/www/_install/fixtures/fashion/data/attribute.xml +++ /dev/null @@ -1,33 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/attribute_group.xml b/www/_install/fixtures/fashion/data/attribute_group.xml deleted file mode 100644 index 4d095e8..0000000 --- a/www/_install/fixtures/fashion/data/attribute_group.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/carrier.xml b/www/_install/fixtures/fashion/data/carrier.xml deleted file mode 100644 index 755bf15..0000000 --- a/www/_install/fixtures/fashion/data/carrier.xml +++ /dev/null @@ -1,26 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - My carrier - - - - diff --git a/www/_install/fixtures/fashion/data/carrier_group.xml b/www/_install/fixtures/fashion/data/carrier_group.xml deleted file mode 100644 index 764d572..0000000 --- a/www/_install/fixtures/fashion/data/carrier_group.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/carrier_tax_rules_group_shop.xml b/www/_install/fixtures/fashion/data/carrier_tax_rules_group_shop.xml deleted file mode 100644 index 71c2138..0000000 --- a/www/_install/fixtures/fashion/data/carrier_tax_rules_group_shop.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/carrier_zone.xml b/www/_install/fixtures/fashion/data/carrier_zone.xml deleted file mode 100644 index 59390cf..0000000 --- a/www/_install/fixtures/fashion/data/carrier_zone.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/cart.xml b/www/_install/fixtures/fashion/data/cart.xml deleted file mode 100644 index 9847e61..0000000 --- a/www/_install/fixtures/fashion/data/cart.xml +++ /dev/null @@ -1,41 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - a:1:{i:3;s:2:"2,";} - - - - a:1:{i:3;s:2:"2,";} - - - - a:1:{i:3;s:2:"2,";} - - - - a:1:{i:3;s:2:"2,";} - - - - a:1:{i:3;s:2:"2,";} - - - - diff --git a/www/_install/fixtures/fashion/data/cart_product.xml b/www/_install/fixtures/fashion/data/cart_product.xml deleted file mode 100644 index 7200959..0000000 --- a/www/_install/fixtures/fashion/data/cart_product.xml +++ /dev/null @@ -1,27 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/category.xml b/www/_install/fixtures/fashion/data/category.xml deleted file mode 100644 index 0f02cf5..0000000 --- a/www/_install/fixtures/fashion/data/category.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/category_group.xml b/www/_install/fixtures/fashion/data/category_group.xml deleted file mode 100644 index 9b19bca..0000000 --- a/www/_install/fixtures/fashion/data/category_group.xml +++ /dev/null @@ -1,40 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/category_product.xml b/www/_install/fixtures/fashion/data/category_product.xml deleted file mode 100644 index e39dd7e..0000000 --- a/www/_install/fixtures/fashion/data/category_product.xml +++ /dev/null @@ -1,38 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/connections.xml b/www/_install/fixtures/fashion/data/connections.xml deleted file mode 100644 index 83c2654..0000000 --- a/www/_install/fixtures/fashion/data/connections.xml +++ /dev/null @@ -1,16 +0,0 @@ - - - - - - - - - - - - - http://www.prestashop.com - - - diff --git a/www/_install/fixtures/fashion/data/customer.xml b/www/_install/fixtures/fashion/data/customer.xml deleted file mode 100644 index 6965b41..0000000 --- a/www/_install/fixtures/fashion/data/customer.xml +++ /dev/null @@ -1,27 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - pub@prestashop.com - - - - diff --git a/www/_install/fixtures/fashion/data/delivery.xml b/www/_install/fixtures/fashion/data/delivery.xml deleted file mode 100644 index 8bb1f10..0000000 --- a/www/_install/fixtures/fashion/data/delivery.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/feature.xml b/www/_install/fixtures/fashion/data/feature.xml deleted file mode 100644 index d95cf0c..0000000 --- a/www/_install/fixtures/fashion/data/feature.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/feature_product.xml b/www/_install/fixtures/fashion/data/feature_product.xml deleted file mode 100644 index da9bbf9..0000000 --- a/www/_install/fixtures/fashion/data/feature_product.xml +++ /dev/null @@ -1,31 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/feature_value.xml b/www/_install/fixtures/fashion/data/feature_value.xml deleted file mode 100644 index fa90d88..0000000 --- a/www/_install/fixtures/fashion/data/feature_value.xml +++ /dev/null @@ -1,42 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/generate_attribute.php b/www/_install/fixtures/fashion/data/generate_attribute.php deleted file mode 100644 index 936799a..0000000 --- a/www/_install/fixtures/fashion/data/generate_attribute.php +++ /dev/null @@ -1,214 +0,0 @@ - array( - 'Color' => array('Grey'), - 'Size' => array('S','M','L') - ), - 'Textured_Trench_Coat' => array( - 'Color' => array('Taupe'), - 'Size' => array('S','M','L') - ), - 'Slim_Cut_Coat' => array( - 'Color' => array('Grey'), - 'Size' => array('S','M','L') - ), - 'Quilted_Jacket' => array( - 'Color' => array('Beige'), - 'Size' => array('S','M','L') - ), - 'Suit_Blazer' => array( - 'Color' => array('Blue'), - 'Size' => array('S','M','L') - ), - 'Short_Blazer' => array( - 'Color' => array('White'), - 'Size' => array('S','M','L') - ), - 'Puffer_Jacket' => array( - 'Color' => array('Red'), - 'Size' => array('S','M','L') - ), - 'Leather_Jacket_1' => array( - 'Color' => array('Black'), - 'Size' => array('S','M','L') - ), - 'Leather_Jacket_2' => array( - 'Color' => array('Camel'), - 'Size' => array('S','M','L') - ), - 'Leather_Jacket_3' => array( - 'Color' => array('Black'), - 'Size' => array('S','M','L') - ), - 'Short_Sleeve_T-shirts' => array( - 'Color' => array('Green'), - 'Size' => array('S','M','L') - ), - 'Faded_Short_Sleeve_T-shirts' => array( - 'Color' => array('Orange','Blue'), - 'Size' => array('S','M','L') - ), - 'Cami_Tank_Top' => array( - 'Color' => array('Green'), - 'Size' => array('S','M','L') - ), - 'Blouse' => array( - 'Color' => array('Black','White'), - 'Size' => array('S','M','L') - ), - 'Leapoard_Printed_Blouse' => array( - 'Color' => array('White'), - 'Size' => array('S','M','L') - ), - 'Faded_Jeans' => array( - 'Color' => array('Blue'), - 'Size' => array('S','M','L') - ), - '5_Pocket_Jean_1' => array( - 'Color' => array('Blue'), - 'Size' => array('S','M','L') - ), - '5_Pocket_Jean_2' => array( - 'Color' => array('Blue'), - 'Size' => array('S','M','L') - ), - 'Dress_Gathered_At_The_Waist' => array( - 'Color' => array('Brown'), - 'Size' => array('S','M','L') - ), - 'Printed_Dress' => array( - 'Color' => array('Orange'), - 'Size' => array('S','M','L') - ), - 'Floral_Dress' => array( - 'Color' => array('White'), - 'Size' => array('S','M','L') - ), - 'Strapless_Dress_1' => array( - 'Color' => array('Black'), - 'Size' => array('S','M','L') - ), - 'Long_Evening_Dress' => array( - 'Color' => array('Red'), - 'Size' => array('S','M','L') - ), - 'Short_Evening_Dress' => array( - 'Color' => array('Black'), - 'Size' => array('S','M','L') - ), - 'Strapless_Dress_2' => array( - 'Size' => array('S','M','L') - ), - 'Dress_with_Sleeves' => array( - 'Color' => array('Black'), - 'Size' => array('S','M','L') - ), - 'Printed_Dress_2' => array( - 'Color' => array('Beige'), - 'Size' => array('S','M','L') - ), - 'Printed_Summer_Dress_1' => array( - 'Color' => array('Yellow','Blue','Orange','Black'), - 'Size' => array('S','M','L') - ), - 'Long_Printed_Dress' => array( - 'Color' => array('Grey'), - 'Size' => array('S','M','L') - ), - 'Printed_Summer_Dress_2' => array( - 'Color' => array('Yellow'), - 'Size' => array('S','M','L') - ), - 'Printed_Chiffon_Dress' => array( - 'Color' => array('Yellow'), - 'Size' => array('S','M','L') - ), - 'Studded_Leather_Belt' => array( - 'Color' => array('Brown'), - 'Size' => array('S','M','L') - ), - 'Braided_Belt' => array( - 'Color' => array('Black'), - 'Size' => array('S','M','L') - ), - 'Bucket_Hat' => array( - 'Color' => array('Grey'), - 'Size' => array('One_size') - ), - 'Floppy_Hat' => array( - 'Color' => array('Black'), - 'Size' => array('One_size') - ), - 'Men_Straw_Hat' => array( - 'Color' => array('Beige'), - 'Size' => array('One_size') - ), - 'Bowling_Bag' => array( - 'Color' => array('Red'), - 'Size' => array('One_size') - ), - 'Leather_Bag' => array( - 'Color' => array('Beige'), - 'Size' => array('One_size') - ), - 'Snake_Skin_Bag' => array( - 'Color' => array('Black'), - 'Size' => array('One_size') - ), - 'Quilted_Bag' => array( - 'Color' => array('Black'), - 'Size' => array('One_size') - ), - 'Suede_Bag' => array( - 'Color' => array('Camel'), - 'Size' => array('One_size') - ), - 'Wedge_Shoe' => array( - 'Color' => array('Taupe'), - 'Shoes_Size' => array('35','36','37','38','39','40') - ) -); - -$content_product_attribute = ''; -$content_product_attribute_combination = ''; - -foreach ($products as $product => $attribute_groups) { - $default_on = 1; - $pa_id = 1; - $combinations = createCombinations($attribute_groups); - - $pa_id = 1; - $pac_id = 1; - foreach ($combinations as $attributes) { - foreach ($attributes as $attribute_value) { - $content_product_attribute_combination .= ''."\n"; - ++$pac_id; - } - $content_product_attribute .= ''."\n"; - $default_on = 0; - - ++$pa_id; - } -} - -echo "This is an XML file, look at the source!\n\n"; -echo $content_product_attribute; -echo "\n\n"; -echo $content_product_attribute_combination; - -function createCombinations($list) -{ - if (count($list) <= 1) { - return count($list) ? array_map(create_function('$v', 'return (array($v));'), array_shift($list)) : $list; - } - $res = array(); - $first = array_pop($list); - foreach ($first as $attribute) { - $tab = createCombinations($list); - foreach ($tab as $to_add) { - $res[] = is_array($to_add) ? array_merge($to_add, array($attribute)) : array($to_add, $attribute); - } - } - return $res; -} diff --git a/www/_install/fixtures/fashion/data/guest.xml b/www/_install/fixtures/fashion/data/guest.xml deleted file mode 100644 index 52f2568..0000000 --- a/www/_install/fixtures/fashion/data/guest.xml +++ /dev/null @@ -1,22 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/image.xml b/www/_install/fixtures/fashion/data/image.xml deleted file mode 100644 index 69a1c82..0000000 --- a/www/_install/fixtures/fashion/data/image.xml +++ /dev/null @@ -1,32 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/index.php b/www/_install/fixtures/fashion/data/index.php deleted file mode 100644 index b5fc656..0000000 --- a/www/_install/fixtures/fashion/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/data/manufacturer.xml b/www/_install/fixtures/fashion/data/manufacturer.xml deleted file mode 100644 index 45c53f9..0000000 --- a/www/_install/fixtures/fashion/data/manufacturer.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - - - - - - Fashion Manufacturer - - - diff --git a/www/_install/fixtures/fashion/data/order_carrier.xml b/www/_install/fixtures/fashion/data/order_carrier.xml deleted file mode 100644 index a3a6346..0000000 --- a/www/_install/fixtures/fashion/data/order_carrier.xml +++ /dev/null @@ -1,29 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/order_detail.xml b/www/_install/fixtures/fashion/data/order_detail.xml deleted file mode 100644 index 28783f5..0000000 --- a/www/_install/fixtures/fashion/data/order_detail.xml +++ /dev/null @@ -1,108 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - Blouse - Color : White, Size : M - - - - Printed Dress - Color : Orange, Size : S - - - - Blouse - Color : White, Size : M - - - - Printed Summer Dress - Color : Yellow, Size : M - - - - Printed Chiffon Dress - Color : Yellow, Size : S - - - - Faded Short Sleeve T-shirts - Color : Orange, Size : S - - - - Blouse - Color : White, Size : M - - - - Printed Summer Dress - Color : Yellow, Size : M - - - - Faded Short Sleeve T-shirts - Color : Orange, Size : S - - - - Printed Dress - Color : Orange, Size : S - - - - Printed Summer Dress - Color : Yellow, Size : S - - - - Printed Chiffon Dress - Color : Yellow, Size : S - - - - Faded Short Sleeve T-shirts - Color : Orange, Size : S - - - - Blouse - Color : Black, Size : S - - - - Printed Dress - Color : Orange, Size : S - - - - diff --git a/www/_install/fixtures/fashion/data/order_history.xml b/www/_install/fixtures/fashion/data/order_history.xml deleted file mode 100644 index 581552f..0000000 --- a/www/_install/fixtures/fashion/data/order_history.xml +++ /dev/null @@ -1,17 +0,0 @@ - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/order_message.xml b/www/_install/fixtures/fashion/data/order_message.xml deleted file mode 100644 index 1c9a0e3..0000000 --- a/www/_install/fixtures/fashion/data/order_message.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/data/orders.xml b/www/_install/fixtures/fashion/data/orders.xml deleted file mode 100644 index 30b1a6a..0000000 --- a/www/_install/fixtures/fashion/data/orders.xml +++ /dev/null @@ -1,70 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - Payment by check - cheque - - - - Payment by check - cheque - - - - Payment by check - cheque - - - - Payment by check - cheque - - - - Bank wire - bankwire - - - - diff --git a/www/_install/fixtures/fashion/data/product.xml b/www/_install/fixtures/fashion/data/product.xml deleted file mode 100644 index 2780736..0000000 --- a/www/_install/fixtures/fashion/data/product.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/product_attribute.xml b/www/_install/fixtures/fashion/data/product_attribute.xml deleted file mode 100644 index a53f7ec..0000000 --- a/www/_install/fixtures/fashion/data/product_attribute.xml +++ /dev/null @@ -1,157 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/product_attribute_combination.xml b/www/_install/fixtures/fashion/data/product_attribute_combination.xml deleted file mode 100644 index 0c9dffa..0000000 --- a/www/_install/fixtures/fashion/data/product_attribute_combination.xml +++ /dev/null @@ -1,99 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/product_attribute_image.xml b/www/_install/fixtures/fashion/data/product_attribute_image.xml deleted file mode 100644 index 2c5af44..0000000 --- a/www/_install/fixtures/fashion/data/product_attribute_image.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/product_supplier.xml b/www/_install/fixtures/fashion/data/product_supplier.xml deleted file mode 100644 index 55e1b14..0000000 --- a/www/_install/fixtures/fashion/data/product_supplier.xml +++ /dev/null @@ -1,19 +0,0 @@ - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/profile.xml b/www/_install/fixtures/fashion/data/profile.xml deleted file mode 100644 index abdc580..0000000 --- a/www/_install/fixtures/fashion/data/profile.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/range_price.xml b/www/_install/fixtures/fashion/data/range_price.xml deleted file mode 100644 index ce42057..0000000 --- a/www/_install/fixtures/fashion/data/range_price.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/range_weight.xml b/www/_install/fixtures/fashion/data/range_weight.xml deleted file mode 100644 index ce95fa9..0000000 --- a/www/_install/fixtures/fashion/data/range_weight.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/scene.xml b/www/_install/fixtures/fashion/data/scene.xml deleted file mode 100644 index faadc84..0000000 --- a/www/_install/fixtures/fashion/data/scene.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/specific_price.xml b/www/_install/fixtures/fashion/data/specific_price.xml deleted file mode 100644 index 45a1aea..0000000 --- a/www/_install/fixtures/fashion/data/specific_price.xml +++ /dev/null @@ -1,25 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/stock_available.xml b/www/_install/fixtures/fashion/data/stock_available.xml deleted file mode 100644 index 70034dc..0000000 --- a/www/_install/fixtures/fashion/data/stock_available.xml +++ /dev/null @@ -1,66 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/data/store.xml b/www/_install/fixtures/fashion/data/store.xml deleted file mode 100644 index e59814a..0000000 --- a/www/_install/fixtures/fashion/data/store.xml +++ /dev/null @@ -1,67 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - Dade County - 3030 SW 8th St Miami - - Miami - a:7:{i:0;s:13:"09:00 - 19:00";i:1;s:13:"09:00 - 19:00";i:2;s:13:"09:00 - 19:00";i:3;s:13:"09:00 - 19:00";i:4;s:13:"09:00 - 19:00";i:5;s:13:"10:00 - 16:00";i:6;s:13:"10:00 - 16:00";} - - - - - E Fort Lauderdale - 1000 Northeast 4th Ave Fort Lauderdale - - Miami - a:7:{i:0;s:13:"09:00 - 19:00";i:1;s:13:"09:00 - 19:00";i:2;s:13:"09:00 - 19:00";i:3;s:13:"09:00 - 19:00";i:4;s:13:"09:00 - 19:00";i:5;s:13:"10:00 - 16:00";i:6;s:13:"10:00 - 16:00";} - - - - - Pembroke Pines - 11001 Pines Blvd Pembroke Pines - - Miami - a:7:{i:0;s:13:"09:00 - 19:00";i:1;s:13:"09:00 - 19:00";i:2;s:13:"09:00 - 19:00";i:3;s:13:"09:00 - 19:00";i:4;s:13:"09:00 - 19:00";i:5;s:13:"10:00 - 16:00";i:6;s:13:"10:00 - 16:00";} - - - - - Coconut Grove - 2999 SW 32nd Avenue - - Miami - a:7:{i:0;s:13:"09:00 - 19:00";i:1;s:13:"09:00 - 19:00";i:2;s:13:"09:00 - 19:00";i:3;s:13:"09:00 - 19:00";i:4;s:13:"09:00 - 19:00";i:5;s:13:"10:00 - 16:00";i:6;s:13:"10:00 - 16:00";} - - - - - N Miami/Biscayne - 12055 Biscayne Blvd - - Miami - a:7:{i:0;s:13:"09:00 - 19:00";i:1;s:13:"09:00 - 19:00";i:2;s:13:"09:00 - 19:00";i:3;s:13:"09:00 - 19:00";i:4;s:13:"09:00 - 19:00";i:5;s:13:"10:00 - 16:00";i:6;s:13:"10:00 - 16:00";} - - - - - diff --git a/www/_install/fixtures/fashion/data/supplier.xml b/www/_install/fixtures/fashion/data/supplier.xml deleted file mode 100644 index ebbef7c..0000000 --- a/www/_install/fixtures/fashion/data/supplier.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - - - - - - Fashion Supplier - - - diff --git a/www/_install/fixtures/fashion/data/tag.xml b/www/_install/fixtures/fashion/data/tag.xml deleted file mode 100644 index 2c4d15d..0000000 --- a/www/_install/fixtures/fashion/data/tag.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/img/c/Blouses-category_default.jpg b/www/_install/fixtures/fashion/img/c/Blouses-category_default.jpg deleted file mode 100644 index 47a64f2..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Blouses-category_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Blouses-medium_default.jpg b/www/_install/fixtures/fashion/img/c/Blouses-medium_default.jpg deleted file mode 100644 index c617d6c..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Blouses-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Blouses.jpg b/www/_install/fixtures/fashion/img/c/Blouses.jpg deleted file mode 100644 index 8354a23..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Blouses.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Casual_Dresses-category_default.jpg b/www/_install/fixtures/fashion/img/c/Casual_Dresses-category_default.jpg deleted file mode 100644 index bb3cbb7..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Casual_Dresses-category_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Casual_Dresses-medium_default.jpg b/www/_install/fixtures/fashion/img/c/Casual_Dresses-medium_default.jpg deleted file mode 100644 index 1b3e16c..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Casual_Dresses-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Casual_Dresses.jpg b/www/_install/fixtures/fashion/img/c/Casual_Dresses.jpg deleted file mode 100644 index ad7716f..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Casual_Dresses.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Dresses-category_default.jpg b/www/_install/fixtures/fashion/img/c/Dresses-category_default.jpg deleted file mode 100644 index 6175e88..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Dresses-category_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Dresses-medium_default.jpg b/www/_install/fixtures/fashion/img/c/Dresses-medium_default.jpg deleted file mode 100644 index c4d46f4..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Dresses-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Dresses.jpg b/www/_install/fixtures/fashion/img/c/Dresses.jpg deleted file mode 100644 index 5bccd99..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Dresses.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Evening_Dresses-category_default.jpg b/www/_install/fixtures/fashion/img/c/Evening_Dresses-category_default.jpg deleted file mode 100644 index 8a8b259..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Evening_Dresses-category_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Evening_Dresses-medium_default.jpg b/www/_install/fixtures/fashion/img/c/Evening_Dresses-medium_default.jpg deleted file mode 100644 index ade2142..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Evening_Dresses-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Evening_Dresses.jpg b/www/_install/fixtures/fashion/img/c/Evening_Dresses.jpg deleted file mode 100644 index 6692862..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Evening_Dresses.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Summer_Dresses-category_default.jpg b/www/_install/fixtures/fashion/img/c/Summer_Dresses-category_default.jpg deleted file mode 100644 index 8f982cc..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Summer_Dresses-category_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Summer_Dresses-medium_default.jpg b/www/_install/fixtures/fashion/img/c/Summer_Dresses-medium_default.jpg deleted file mode 100644 index 58efe2d..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Summer_Dresses-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Summer_Dresses.jpg b/www/_install/fixtures/fashion/img/c/Summer_Dresses.jpg deleted file mode 100644 index 0c48d75..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Summer_Dresses.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/T-shirts-category_default.jpg b/www/_install/fixtures/fashion/img/c/T-shirts-category_default.jpg deleted file mode 100644 index 52a0552..0000000 Binary files a/www/_install/fixtures/fashion/img/c/T-shirts-category_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/T-shirts-medium_default.jpg b/www/_install/fixtures/fashion/img/c/T-shirts-medium_default.jpg deleted file mode 100644 index 4cf5337..0000000 Binary files a/www/_install/fixtures/fashion/img/c/T-shirts-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/T-shirts.jpg b/www/_install/fixtures/fashion/img/c/T-shirts.jpg deleted file mode 100644 index b6fc7a0..0000000 Binary files a/www/_install/fixtures/fashion/img/c/T-shirts.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Tops-category_default.jpg b/www/_install/fixtures/fashion/img/c/Tops-category_default.jpg deleted file mode 100644 index 9b34eb8..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Tops-category_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Tops-medium_default.jpg b/www/_install/fixtures/fashion/img/c/Tops-medium_default.jpg deleted file mode 100644 index 29bb430..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Tops-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Tops.jpg b/www/_install/fixtures/fashion/img/c/Tops.jpg deleted file mode 100644 index 844a299..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Tops.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Tops_1-category_default.jpg b/www/_install/fixtures/fashion/img/c/Tops_1-category_default.jpg deleted file mode 100644 index c9aafa5..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Tops_1-category_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Tops_1-medium_default.jpg b/www/_install/fixtures/fashion/img/c/Tops_1-medium_default.jpg deleted file mode 100644 index 75b0830..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Tops_1-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Tops_1.jpg b/www/_install/fixtures/fashion/img/c/Tops_1.jpg deleted file mode 100644 index f1667f4..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Tops_1.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Women-category_default.jpg b/www/_install/fixtures/fashion/img/c/Women-category_default.jpg deleted file mode 100644 index f167b9a..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Women-category_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Women-medium_default.jpg b/www/_install/fixtures/fashion/img/c/Women-medium_default.jpg deleted file mode 100644 index a83e81d..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Women-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/Women.jpg b/www/_install/fixtures/fashion/img/c/Women.jpg deleted file mode 100644 index 5428750..0000000 Binary files a/www/_install/fixtures/fashion/img/c/Women.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/c/index.php b/www/_install/fixtures/fashion/img/c/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/img/c/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/img/c/resize.php b/www/_install/fixtures/fashion/img/c/resize.php deleted file mode 100644 index 5269a8e..0000000 --- a/www/_install/fixtures/fashion/img/c/resize.php +++ /dev/null @@ -1,17 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/img/m/Fashion_Manufacturer-large_default.jpg b/www/_install/fixtures/fashion/img/m/Fashion_Manufacturer-large_default.jpg deleted file mode 100644 index 96c19ca..0000000 Binary files a/www/_install/fixtures/fashion/img/m/Fashion_Manufacturer-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/m/Fashion_Manufacturer-medium_default.jpg b/www/_install/fixtures/fashion/img/m/Fashion_Manufacturer-medium_default.jpg deleted file mode 100644 index 755ebb9..0000000 Binary files a/www/_install/fixtures/fashion/img/m/Fashion_Manufacturer-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/m/Fashion_Manufacturer-small_default.jpg b/www/_install/fixtures/fashion/img/m/Fashion_Manufacturer-small_default.jpg deleted file mode 100644 index 43833d1..0000000 Binary files a/www/_install/fixtures/fashion/img/m/Fashion_Manufacturer-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/m/Fashion_Manufacturer.jpg b/www/_install/fixtures/fashion/img/m/Fashion_Manufacturer.jpg deleted file mode 100644 index dd45668..0000000 Binary files a/www/_install/fixtures/fashion/img/m/Fashion_Manufacturer.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/m/index.php b/www/_install/fixtures/fashion/img/m/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/img/m/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/img/p/image_1-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_1-cart_default.jpg deleted file mode 100644 index b3669af..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_1-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_1-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_1-home_default.jpg deleted file mode 100644 index a0e3419..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_1-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_1-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_1-large_default.jpg deleted file mode 100644 index f786373..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_1-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_1-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_1-medium_default.jpg deleted file mode 100644 index 7bc8aab..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_1-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_1-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_1-small_default.jpg deleted file mode 100644 index eb4068c..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_1-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_1-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_1-thickbox_default.jpg deleted file mode 100644 index 1a622e4..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_1-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_1.jpg b/www/_install/fixtures/fashion/img/p/image_1.jpg deleted file mode 100644 index 1a622e4..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_1.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_10-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_10-cart_default.jpg deleted file mode 100644 index e1128ec..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_10-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_10-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_10-home_default.jpg deleted file mode 100644 index 3938ea1..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_10-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_10-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_10-large_default.jpg deleted file mode 100644 index f68d8a8..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_10-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_10-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_10-medium_default.jpg deleted file mode 100644 index d84dbce..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_10-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_10-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_10-small_default.jpg deleted file mode 100644 index 16819a2..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_10-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_10-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_10-thickbox_default.jpg deleted file mode 100644 index 302cee4..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_10-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_10.jpg b/www/_install/fixtures/fashion/img/p/image_10.jpg deleted file mode 100644 index 302cee4..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_10.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_11-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_11-cart_default.jpg deleted file mode 100644 index 180deb1..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_11-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_11-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_11-home_default.jpg deleted file mode 100644 index b3eefc0..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_11-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_11-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_11-large_default.jpg deleted file mode 100644 index f321ca2..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_11-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_11-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_11-medium_default.jpg deleted file mode 100644 index 14b8b28..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_11-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_11-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_11-small_default.jpg deleted file mode 100644 index 4ccc859..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_11-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_11-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_11-thickbox_default.jpg deleted file mode 100644 index 2c9997b..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_11-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_11.jpg b/www/_install/fixtures/fashion/img/p/image_11.jpg deleted file mode 100644 index 2c9997b..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_11.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_12-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_12-cart_default.jpg deleted file mode 100644 index b3c43e1..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_12-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_12-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_12-home_default.jpg deleted file mode 100644 index 777ec4b..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_12-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_12-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_12-large_default.jpg deleted file mode 100644 index c2b1389..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_12-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_12-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_12-medium_default.jpg deleted file mode 100644 index a2aa666..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_12-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_12-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_12-small_default.jpg deleted file mode 100644 index f6c0b2a..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_12-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_12-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_12-thickbox_default.jpg deleted file mode 100644 index 1428f95..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_12-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_12.jpg b/www/_install/fixtures/fashion/img/p/image_12.jpg deleted file mode 100644 index 1428f95..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_12.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_13-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_13-cart_default.jpg deleted file mode 100644 index d08a507..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_13-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_13-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_13-home_default.jpg deleted file mode 100644 index ea29e86..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_13-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_13-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_13-large_default.jpg deleted file mode 100644 index 5d8e310..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_13-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_13-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_13-medium_default.jpg deleted file mode 100644 index 903f9bc..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_13-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_13-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_13-small_default.jpg deleted file mode 100644 index 6a115fa..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_13-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_13-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_13-thickbox_default.jpg deleted file mode 100644 index 84c6687..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_13-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_13.jpg b/www/_install/fixtures/fashion/img/p/image_13.jpg deleted file mode 100644 index 84c6687..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_13.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_14-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_14-cart_default.jpg deleted file mode 100644 index df8262f..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_14-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_14-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_14-home_default.jpg deleted file mode 100644 index 7124fcc..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_14-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_14-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_14-large_default.jpg deleted file mode 100644 index e16712e..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_14-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_14-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_14-medium_default.jpg deleted file mode 100644 index f58d0ce..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_14-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_14-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_14-small_default.jpg deleted file mode 100644 index fbaf2ee..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_14-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_14-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_14-thickbox_default.jpg deleted file mode 100644 index 80d3a74..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_14-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_14.jpg b/www/_install/fixtures/fashion/img/p/image_14.jpg deleted file mode 100644 index 80d3a74..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_14.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_15-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_15-cart_default.jpg deleted file mode 100644 index cc5f29b..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_15-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_15-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_15-home_default.jpg deleted file mode 100644 index 0d40ce7..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_15-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_15-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_15-large_default.jpg deleted file mode 100644 index 3f8aedc..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_15-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_15-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_15-medium_default.jpg deleted file mode 100644 index cc8457d..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_15-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_15-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_15-small_default.jpg deleted file mode 100644 index 791a4ce..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_15-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_15-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_15-thickbox_default.jpg deleted file mode 100644 index 8ca18a6..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_15-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_15.jpg b/www/_install/fixtures/fashion/img/p/image_15.jpg deleted file mode 100644 index 8ca18a6..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_15.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_16-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_16-cart_default.jpg deleted file mode 100644 index 83bb72c..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_16-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_16-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_16-home_default.jpg deleted file mode 100644 index c84a6e9..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_16-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_16-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_16-large_default.jpg deleted file mode 100644 index 573ff7d..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_16-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_16-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_16-medium_default.jpg deleted file mode 100644 index b9b62c8..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_16-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_16-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_16-small_default.jpg deleted file mode 100644 index aa91b84..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_16-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_16-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_16-thickbox_default.jpg deleted file mode 100644 index 2f17d84..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_16-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_16.jpg b/www/_install/fixtures/fashion/img/p/image_16.jpg deleted file mode 100644 index 2f17d84..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_16.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_17-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_17-cart_default.jpg deleted file mode 100644 index b43d085..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_17-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_17-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_17-home_default.jpg deleted file mode 100644 index 826efea..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_17-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_17-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_17-large_default.jpg deleted file mode 100644 index 0a48ac2..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_17-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_17-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_17-medium_default.jpg deleted file mode 100644 index 1647513..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_17-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_17-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_17-small_default.jpg deleted file mode 100644 index 0f1583f..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_17-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_17-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_17-thickbox_default.jpg deleted file mode 100644 index 9b703e3..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_17-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_17.jpg b/www/_install/fixtures/fashion/img/p/image_17.jpg deleted file mode 100644 index 9b703e3..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_17.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_18-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_18-cart_default.jpg deleted file mode 100644 index 4e9f003..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_18-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_18-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_18-home_default.jpg deleted file mode 100644 index 432fcba..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_18-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_18-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_18-large_default.jpg deleted file mode 100644 index e35ee80..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_18-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_18-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_18-medium_default.jpg deleted file mode 100644 index c90caa4..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_18-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_18-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_18-small_default.jpg deleted file mode 100644 index 1049e18..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_18-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_18-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_18-thickbox_default.jpg deleted file mode 100644 index db013f5..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_18-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_18.jpg b/www/_install/fixtures/fashion/img/p/image_18.jpg deleted file mode 100644 index db013f5..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_18.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_19-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_19-cart_default.jpg deleted file mode 100644 index 1d15219..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_19-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_19-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_19-home_default.jpg deleted file mode 100644 index 2581642..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_19-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_19-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_19-large_default.jpg deleted file mode 100644 index 3f73455..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_19-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_19-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_19-medium_default.jpg deleted file mode 100644 index e105ee8..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_19-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_19-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_19-small_default.jpg deleted file mode 100644 index 4f88eb2..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_19-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_19-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_19-thickbox_default.jpg deleted file mode 100644 index bc9ea61..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_19-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_19.jpg b/www/_install/fixtures/fashion/img/p/image_19.jpg deleted file mode 100644 index bc9ea61..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_19.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_2-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_2-cart_default.jpg deleted file mode 100644 index 9fe0de7..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_2-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_2-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_2-home_default.jpg deleted file mode 100644 index 9a98082..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_2-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_2-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_2-large_default.jpg deleted file mode 100644 index 9c458bd..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_2-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_2-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_2-medium_default.jpg deleted file mode 100644 index 20c378d..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_2-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_2-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_2-small_default.jpg deleted file mode 100644 index 2a605eb..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_2-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_2-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_2-thickbox_default.jpg deleted file mode 100644 index fe9b087..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_2-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_2.jpg b/www/_install/fixtures/fashion/img/p/image_2.jpg deleted file mode 100644 index fe9b087..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_2.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_20-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_20-cart_default.jpg deleted file mode 100644 index 841404d..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_20-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_20-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_20-home_default.jpg deleted file mode 100644 index fa82a91..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_20-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_20-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_20-large_default.jpg deleted file mode 100644 index 452703c..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_20-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_20-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_20-medium_default.jpg deleted file mode 100644 index ee56c82..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_20-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_20-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_20-small_default.jpg deleted file mode 100644 index 4fe9058..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_20-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_20-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_20-thickbox_default.jpg deleted file mode 100644 index 53f6e68..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_20-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_20.jpg b/www/_install/fixtures/fashion/img/p/image_20.jpg deleted file mode 100644 index 53f6e68..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_20.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_21-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_21-cart_default.jpg deleted file mode 100644 index 6de2cf7..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_21-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_21-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_21-home_default.jpg deleted file mode 100644 index 93832ff..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_21-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_21-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_21-large_default.jpg deleted file mode 100644 index 167cf91..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_21-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_21-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_21-medium_default.jpg deleted file mode 100644 index 1f47666..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_21-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_21-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_21-small_default.jpg deleted file mode 100644 index e911da9..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_21-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_21-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_21-thickbox_default.jpg deleted file mode 100644 index 7144b7b..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_21-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_21.jpg b/www/_install/fixtures/fashion/img/p/image_21.jpg deleted file mode 100644 index 7144b7b..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_21.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_22-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_22-cart_default.jpg deleted file mode 100644 index 37b94fa..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_22-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_22-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_22-home_default.jpg deleted file mode 100644 index 53ed3c7..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_22-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_22-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_22-large_default.jpg deleted file mode 100644 index 85e7e9c..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_22-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_22-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_22-medium_default.jpg deleted file mode 100644 index badebdf..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_22-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_22-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_22-small_default.jpg deleted file mode 100644 index 9c99164..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_22-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_22-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_22-thickbox_default.jpg deleted file mode 100644 index 04b4589..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_22-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_22.jpg b/www/_install/fixtures/fashion/img/p/image_22.jpg deleted file mode 100644 index 04b4589..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_22.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_23-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_23-cart_default.jpg deleted file mode 100644 index 9046c32..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_23-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_23-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_23-home_default.jpg deleted file mode 100644 index 3fdb5c1..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_23-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_23-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_23-large_default.jpg deleted file mode 100644 index 1ae46d1..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_23-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_23-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_23-medium_default.jpg deleted file mode 100644 index 1a0dc28..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_23-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_23-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_23-small_default.jpg deleted file mode 100644 index 84577d1..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_23-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_23-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_23-thickbox_default.jpg deleted file mode 100644 index eb6d330..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_23-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_23.jpg b/www/_install/fixtures/fashion/img/p/image_23.jpg deleted file mode 100644 index eb6d330..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_23.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_3-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_3-cart_default.jpg deleted file mode 100644 index b5dde62..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_3-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_3-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_3-home_default.jpg deleted file mode 100644 index 4790083..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_3-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_3-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_3-large_default.jpg deleted file mode 100644 index 74e3d1e..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_3-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_3-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_3-medium_default.jpg deleted file mode 100644 index 4d83e99..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_3-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_3-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_3-small_default.jpg deleted file mode 100644 index 530811c..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_3-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_3-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_3-thickbox_default.jpg deleted file mode 100644 index 14739f2..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_3-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_3.jpg b/www/_install/fixtures/fashion/img/p/image_3.jpg deleted file mode 100644 index 14739f2..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_3.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_4-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_4-cart_default.jpg deleted file mode 100644 index 291bfdf..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_4-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_4-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_4-home_default.jpg deleted file mode 100644 index fe795d6..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_4-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_4-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_4-large_default.jpg deleted file mode 100644 index 9cf0204..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_4-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_4-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_4-medium_default.jpg deleted file mode 100644 index 2d1df00..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_4-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_4-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_4-small_default.jpg deleted file mode 100644 index a259575..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_4-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_4-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_4-thickbox_default.jpg deleted file mode 100644 index b2ead80..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_4-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_4.jpg b/www/_install/fixtures/fashion/img/p/image_4.jpg deleted file mode 100644 index b2ead80..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_4.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_5-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_5-cart_default.jpg deleted file mode 100644 index c960619..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_5-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_5-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_5-home_default.jpg deleted file mode 100644 index 02d5749..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_5-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_5-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_5-large_default.jpg deleted file mode 100644 index c631266..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_5-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_5-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_5-medium_default.jpg deleted file mode 100644 index 6a77d4f..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_5-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_5-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_5-small_default.jpg deleted file mode 100644 index fbd8e14..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_5-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_5-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_5-thickbox_default.jpg deleted file mode 100644 index e826626..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_5-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_5.jpg b/www/_install/fixtures/fashion/img/p/image_5.jpg deleted file mode 100644 index e826626..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_5.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_6-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_6-cart_default.jpg deleted file mode 100644 index e9fbc4e..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_6-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_6-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_6-home_default.jpg deleted file mode 100644 index 0bf471f..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_6-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_6-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_6-large_default.jpg deleted file mode 100644 index 0f492d5..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_6-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_6-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_6-medium_default.jpg deleted file mode 100644 index 48f7def..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_6-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_6-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_6-small_default.jpg deleted file mode 100644 index 4245f1e..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_6-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_6-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_6-thickbox_default.jpg deleted file mode 100644 index e1266e4..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_6-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_6.jpg b/www/_install/fixtures/fashion/img/p/image_6.jpg deleted file mode 100644 index e1266e4..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_6.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_7-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_7-cart_default.jpg deleted file mode 100644 index 7bc49e1..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_7-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_7-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_7-home_default.jpg deleted file mode 100644 index 09641f4..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_7-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_7-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_7-large_default.jpg deleted file mode 100644 index 436615a..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_7-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_7-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_7-medium_default.jpg deleted file mode 100644 index 6e817ae..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_7-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_7-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_7-small_default.jpg deleted file mode 100644 index 27c9643..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_7-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_7-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_7-thickbox_default.jpg deleted file mode 100644 index b89f49d..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_7-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_7.jpg b/www/_install/fixtures/fashion/img/p/image_7.jpg deleted file mode 100644 index b89f49d..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_7.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_8-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_8-cart_default.jpg deleted file mode 100644 index 0c877c4..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_8-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_8-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_8-home_default.jpg deleted file mode 100644 index 633ea46..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_8-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_8-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_8-large_default.jpg deleted file mode 100644 index b84ee48..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_8-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_8-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_8-medium_default.jpg deleted file mode 100644 index bb60064..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_8-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_8-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_8-small_default.jpg deleted file mode 100644 index 18f5009..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_8-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_8-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_8-thickbox_default.jpg deleted file mode 100644 index 81124c2..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_8-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_8.jpg b/www/_install/fixtures/fashion/img/p/image_8.jpg deleted file mode 100644 index 81124c2..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_8.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_9-cart_default.jpg b/www/_install/fixtures/fashion/img/p/image_9-cart_default.jpg deleted file mode 100644 index 01ba223..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_9-cart_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_9-home_default.jpg b/www/_install/fixtures/fashion/img/p/image_9-home_default.jpg deleted file mode 100644 index c1c5f15..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_9-home_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_9-large_default.jpg b/www/_install/fixtures/fashion/img/p/image_9-large_default.jpg deleted file mode 100644 index 1b57dc3..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_9-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_9-medium_default.jpg b/www/_install/fixtures/fashion/img/p/image_9-medium_default.jpg deleted file mode 100644 index 86f601d..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_9-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_9-small_default.jpg b/www/_install/fixtures/fashion/img/p/image_9-small_default.jpg deleted file mode 100644 index 77c9071..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_9-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_9-thickbox_default.jpg b/www/_install/fixtures/fashion/img/p/image_9-thickbox_default.jpg deleted file mode 100644 index aeeee4a..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_9-thickbox_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/image_9.jpg b/www/_install/fixtures/fashion/img/p/image_9.jpg deleted file mode 100644 index aeeee4a..0000000 Binary files a/www/_install/fixtures/fashion/img/p/image_9.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/p/index.php b/www/_install/fixtures/fashion/img/p/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/img/p/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/img/p/resize.php b/www/_install/fixtures/fashion/img/p/resize.php deleted file mode 100644 index 8649e3f..0000000 --- a/www/_install/fixtures/fashion/img/p/resize.php +++ /dev/null @@ -1,22 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/img/scenes/thumbs/index.php b/www/_install/fixtures/fashion/img/scenes/thumbs/index.php deleted file mode 100644 index f3a459e..0000000 --- a/www/_install/fixtures/fashion/img/scenes/thumbs/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/img/st/Coconut_Grove-medium_default.jpg b/www/_install/fixtures/fashion/img/st/Coconut_Grove-medium_default.jpg deleted file mode 100644 index be35958..0000000 Binary files a/www/_install/fixtures/fashion/img/st/Coconut_Grove-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/st/Coconut_Grove.jpg b/www/_install/fixtures/fashion/img/st/Coconut_Grove.jpg deleted file mode 100644 index 89dadb9..0000000 Binary files a/www/_install/fixtures/fashion/img/st/Coconut_Grove.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/st/Dade_County-medium_default.jpg b/www/_install/fixtures/fashion/img/st/Dade_County-medium_default.jpg deleted file mode 100644 index be35958..0000000 Binary files a/www/_install/fixtures/fashion/img/st/Dade_County-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/st/Dade_County.jpg b/www/_install/fixtures/fashion/img/st/Dade_County.jpg deleted file mode 100644 index 89dadb9..0000000 Binary files a/www/_install/fixtures/fashion/img/st/Dade_County.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/st/E_Fort_Lauderdale-medium_default.jpg b/www/_install/fixtures/fashion/img/st/E_Fort_Lauderdale-medium_default.jpg deleted file mode 100644 index be35958..0000000 Binary files a/www/_install/fixtures/fashion/img/st/E_Fort_Lauderdale-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/st/E_Fort_Lauderdale.jpg b/www/_install/fixtures/fashion/img/st/E_Fort_Lauderdale.jpg deleted file mode 100644 index 89dadb9..0000000 Binary files a/www/_install/fixtures/fashion/img/st/E_Fort_Lauderdale.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/st/N_Miami_Biscayne-medium_default.jpg b/www/_install/fixtures/fashion/img/st/N_Miami_Biscayne-medium_default.jpg deleted file mode 100644 index be35958..0000000 Binary files a/www/_install/fixtures/fashion/img/st/N_Miami_Biscayne-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/st/N_Miami_Biscayne.jpg b/www/_install/fixtures/fashion/img/st/N_Miami_Biscayne.jpg deleted file mode 100644 index 89dadb9..0000000 Binary files a/www/_install/fixtures/fashion/img/st/N_Miami_Biscayne.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/st/Pembroke_Pines-medium_default.jpg b/www/_install/fixtures/fashion/img/st/Pembroke_Pines-medium_default.jpg deleted file mode 100644 index be35958..0000000 Binary files a/www/_install/fixtures/fashion/img/st/Pembroke_Pines-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/st/Pembroke_Pines.jpg b/www/_install/fixtures/fashion/img/st/Pembroke_Pines.jpg deleted file mode 100644 index 89dadb9..0000000 Binary files a/www/_install/fixtures/fashion/img/st/Pembroke_Pines.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/st/index.php b/www/_install/fixtures/fashion/img/st/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/img/st/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/img/su/Fashion_Supplier-large_default.jpg b/www/_install/fixtures/fashion/img/su/Fashion_Supplier-large_default.jpg deleted file mode 100644 index 96c19ca..0000000 Binary files a/www/_install/fixtures/fashion/img/su/Fashion_Supplier-large_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/su/Fashion_Supplier-medium_default.jpg b/www/_install/fixtures/fashion/img/su/Fashion_Supplier-medium_default.jpg deleted file mode 100644 index 755ebb9..0000000 Binary files a/www/_install/fixtures/fashion/img/su/Fashion_Supplier-medium_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/su/Fashion_Supplier-small_default.jpg b/www/_install/fixtures/fashion/img/su/Fashion_Supplier-small_default.jpg deleted file mode 100644 index 43833d1..0000000 Binary files a/www/_install/fixtures/fashion/img/su/Fashion_Supplier-small_default.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/su/Fashion_Supplier.jpg b/www/_install/fixtures/fashion/img/su/Fashion_Supplier.jpg deleted file mode 100644 index dd45668..0000000 Binary files a/www/_install/fixtures/fashion/img/su/Fashion_Supplier.jpg and /dev/null differ diff --git a/www/_install/fixtures/fashion/img/su/index.php b/www/_install/fixtures/fashion/img/su/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/img/su/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/index.php b/www/_install/fixtures/fashion/index.php deleted file mode 100644 index faef08a..0000000 --- a/www/_install/fixtures/fashion/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/install.php b/www/_install/fixtures/fashion/install.php deleted file mode 100644 index 115068c..0000000 --- a/www/_install/fixtures/fashion/install.php +++ /dev/null @@ -1,43 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -/** - * This class is only here to show the possibility of extending InstallXmlLoader, which is the - * class parsing all XML files, copying all images, etc. - * - * Please read documentation in ~/install/dev/ folder if you want to customize PrestaShop install / fixtures. - */ -class InstallFixturesFashion extends InstallXmlLoader -{ - public function createEntityCustomer($identifier, array $data, array $data_lang) - { - if ($identifier == 'John') { - $data['passwd'] = Tools::encrypt('123456789'); - } - - return $this->createEntity('customer', $identifier, 'Customer', $data, $data_lang); - } -} diff --git a/www/_install/fixtures/fashion/langs/bn/data/attribute.xml b/www/_install/fixtures/fashion/langs/bn/data/attribute.xml deleted file mode 100644 index 94b6580..0000000 --- a/www/_install/fixtures/fashion/langs/bn/data/attribute.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - S - - - M - - - L - - - One size - - - Grey - - - Taupe - - - Beige - - - White - - - Off White - - - Red - - - Black - - - Camel - - - Orange - - - Blue - - - Green - - - Yellow - - - Brown - - - 35 - - - 36 - - - 37 - - - 38 - - - 39 - - - 40 - - - Pink - - diff --git a/www/_install/fixtures/fashion/langs/bn/data/attribute_group.xml b/www/_install/fixtures/fashion/langs/bn/data/attribute_group.xml deleted file mode 100644 index 17c82c6..0000000 --- a/www/_install/fixtures/fashion/langs/bn/data/attribute_group.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - Size - Size - - - Shoes Size - Size - - - Color - Color - - diff --git a/www/_install/fixtures/fashion/langs/bn/data/attributegroup.xml b/www/_install/fixtures/fashion/langs/bn/data/attributegroup.xml deleted file mode 100644 index 09da13f..0000000 --- a/www/_install/fixtures/fashion/langs/bn/data/attributegroup.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/bn/data/carrier.xml b/www/_install/fixtures/fashion/langs/bn/data/carrier.xml deleted file mode 100644 index c59766e..0000000 --- a/www/_install/fixtures/fashion/langs/bn/data/carrier.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - Delivery next day! - - diff --git a/www/_install/fixtures/fashion/langs/bn/data/category.xml b/www/_install/fixtures/fashion/langs/bn/data/category.xml deleted file mode 100644 index 19aee46..0000000 --- a/www/_install/fixtures/fashion/langs/bn/data/category.xml +++ /dev/null @@ -1,81 +0,0 @@ - - - - Women - <p><strong>You will find here all woman fashion collections.</strong></p> -<p>This category includes all the basics of your wardrobe and much more:</p> -<p>shoes, accessories, printed t-shirts, feminine dresses, women's jeans!</p> - women - - - - - - Tops - <p>Choose from t-shirts, tops, blouses, short sleeves, long sleeves, tank tops, 3/4 sleeves and more.</p> -<p>Find the cut that suits you the best!</p> - tops - - - - - - T-shirts - <p>The must have of your wardrobe, take a look at our different colors,</p> -<p>shapes and style of our collection!</p> - tshirts - - - - - - Tops - Choose the top that best suits you from the wide variety of tops we have. - top - - - - - - Blouses - Match your favorites blouses with the right accessories for the perfect look. - blouses - - - - - - Dresses - <p>Find your favorites dresses from our wide choice of evening, casual or summer dresses!</p> -<p>We offer dresses for every day, every style and every occasion.</p> - dresses - - - - - - Casual Dresses - <p>You are looking for a dress for every day? Take a look at</p> -<p>our selection of dresses to find one that suits you.</p> - casual-dresses - - - - - - Evening Dresses - Browse our different dresses to choose the perfect dress for an unforgettable evening! - evening-dresses - - - - - - Summer Dresses - Short dress, long dress, silk dress, printed dress, you will find the perfect dress for summer. - summer-dresses - - - - - diff --git a/www/_install/fixtures/fashion/langs/bn/data/feature.xml b/www/_install/fixtures/fashion/langs/bn/data/feature.xml deleted file mode 100644 index e09b882..0000000 --- a/www/_install/fixtures/fashion/langs/bn/data/feature.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - Height - - - Width - - - Depth - - - Weight - - - Compositions - - - Styles - - - Properties - - diff --git a/www/_install/fixtures/fashion/langs/bn/data/feature_value.xml b/www/_install/fixtures/fashion/langs/bn/data/feature_value.xml deleted file mode 100644 index b918f11..0000000 --- a/www/_install/fixtures/fashion/langs/bn/data/feature_value.xml +++ /dev/null @@ -1,102 +0,0 @@ - - - - Polyester - - - Wool - - - Viscose - - - Elastane - - - Cotton - - - Silk - - - Suede - - - Straw - - - Leather - - - Classic - - - Casual - - - Military - - - Girly - - - Rock - - - Basic - - - Dressy - - - Short Sleeve - - - Colorful Dress - - - Short Dress - - - Midi Dress - - - Maxi Dress - - - 2.75 in - - - 2.06 in - - - 49.2 g - - - 0.26 in - - - 1.07 in - - - 1.62 in - - - 15.5 g - - - 0.41 in (clip included) - - - 4.33 in - - - 2.76 in - - - 120g - - - 0.31 in - - diff --git a/www/_install/fixtures/fashion/langs/bn/data/featurevalue.xml b/www/_install/fixtures/fashion/langs/bn/data/featurevalue.xml deleted file mode 100644 index 7f943c0..0000000 --- a/www/_install/fixtures/fashion/langs/bn/data/featurevalue.xml +++ /dev/null @@ -1,66 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/bn/data/image.xml b/www/_install/fixtures/fashion/langs/bn/data/image.xml deleted file mode 100644 index 0fc64cb..0000000 --- a/www/_install/fixtures/fashion/langs/bn/data/image.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/bn/data/index.php b/www/_install/fixtures/fashion/langs/bn/data/index.php deleted file mode 100644 index f3a459e..0000000 --- a/www/_install/fixtures/fashion/langs/bn/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/bn/data/manufacturer.xml b/www/_install/fixtures/fashion/langs/bn/data/manufacturer.xml deleted file mode 100644 index 2f09cb6..0000000 --- a/www/_install/fixtures/fashion/langs/bn/data/manufacturer.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/bn/data/order_message.xml b/www/_install/fixtures/fashion/langs/bn/data/order_message.xml deleted file mode 100644 index 93ad3b5..0000000 --- a/www/_install/fixtures/fashion/langs/bn/data/order_message.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Delay - Hi, - -Unfortunately, an item on your order is currently out of stock. This may cause a slight delay in delivery. -Please accept our apologies and rest assured that we are working hard to rectify this. - -Best regards, - - diff --git a/www/_install/fixtures/fashion/langs/bn/data/ordermessage.xml b/www/_install/fixtures/fashion/langs/bn/data/ordermessage.xml deleted file mode 100644 index e743f5d..0000000 --- a/www/_install/fixtures/fashion/langs/bn/data/ordermessage.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/bn/data/product.xml b/www/_install/fixtures/fashion/langs/bn/data/product.xml deleted file mode 100644 index f6b6a1c..0000000 --- a/www/_install/fixtures/fashion/langs/bn/data/product.xml +++ /dev/null @@ -1,80 +0,0 @@ - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Faded short sleeve t-shirt with high neckline. Soft and stretchy material for a comfortable fit. Accessorize with a straw hat and you're ready for summer!</p> - faded-short-sleeve-tshirts - - - - Faded Short Sleeve T-shirts - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Short sleeved blouse with feminine draped sleeve detail.</p> - blouse - - - - Blouse - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>100% cotton double printed dress. Black and white striped top and orange high waisted skater skirt bottom.</p> - printed-dress - - - - Printed Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Printed evening dress with straight sleeves with black thin waist belt and ruffled linings.</p> - printed-dress - - - - Printed Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Long printed dress with thin adjustable straps. V-neckline and wiring under the bust with ruffles at the bottom of the dress.</p> - printed-summer-dress - - - - Printed Summer Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Sleeveless knee-length chiffon dress. V-neckline with elastic under the bust lining.</p> - printed-summer-dress - - - - Printed Summer Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Printed chiffon knee length dress with tank straps. Deep v-neckline.</p> - printed-chiffon-dress - - - - Printed Chiffon Dress - In stock - - - diff --git a/www/_install/fixtures/fashion/langs/bn/data/profile.xml b/www/_install/fixtures/fashion/langs/bn/data/profile.xml deleted file mode 100644 index 04e6558..0000000 --- a/www/_install/fixtures/fashion/langs/bn/data/profile.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Logistician - - - Translator - - - Salesman - - diff --git a/www/_install/fixtures/fashion/langs/bn/data/scene.xml b/www/_install/fixtures/fashion/langs/bn/data/scene.xml deleted file mode 100644 index 708079e..0000000 --- a/www/_install/fixtures/fashion/langs/bn/data/scene.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/bn/data/supplier.xml b/www/_install/fixtures/fashion/langs/bn/data/supplier.xml deleted file mode 100644 index 0c375e8..0000000 --- a/www/_install/fixtures/fashion/langs/bn/data/supplier.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/bn/data/tag.xml b/www/_install/fixtures/fashion/langs/bn/data/tag.xml deleted file mode 100644 index d413861..0000000 --- a/www/_install/fixtures/fashion/langs/bn/data/tag.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/bn/index.php b/www/_install/fixtures/fashion/langs/bn/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/langs/bn/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/br/data/attribute.xml b/www/_install/fixtures/fashion/langs/br/data/attribute.xml deleted file mode 100644 index 5aa982d..0000000 --- a/www/_install/fixtures/fashion/langs/br/data/attribute.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - P - - - M - - - G - - - Tamanho único - - - Cinza - - - Marrom acinzentado - - - Bege - - - Branco - - - Branco amarelado - - - Vermelho - - - Preto - - - Marrom claro - - - Laranja - - - Azul - - - Verde - - - Amarelo - - - Marrom escuro - - - 35 - - - 36 - - - 37 - - - 38 - - - 39 - - - 40 - - - Rosa - - diff --git a/www/_install/fixtures/fashion/langs/br/data/attribute_group.xml b/www/_install/fixtures/fashion/langs/br/data/attribute_group.xml deleted file mode 100644 index 17c82c6..0000000 --- a/www/_install/fixtures/fashion/langs/br/data/attribute_group.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - Size - Size - - - Shoes Size - Size - - - Color - Color - - diff --git a/www/_install/fixtures/fashion/langs/br/data/attributegroup.xml b/www/_install/fixtures/fashion/langs/br/data/attributegroup.xml deleted file mode 100644 index 09da13f..0000000 --- a/www/_install/fixtures/fashion/langs/br/data/attributegroup.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/br/data/carrier.xml b/www/_install/fixtures/fashion/langs/br/data/carrier.xml deleted file mode 100644 index d497ed1..0000000 --- a/www/_install/fixtures/fashion/langs/br/data/carrier.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - Entrega no dia seguinte! - - diff --git a/www/_install/fixtures/fashion/langs/br/data/category.xml b/www/_install/fixtures/fashion/langs/br/data/category.xml deleted file mode 100644 index 3d87fbd..0000000 --- a/www/_install/fixtures/fashion/langs/br/data/category.xml +++ /dev/null @@ -1,81 +0,0 @@ - - - - Mulheres - <p><strong>Aqui você encontrará todas as coleções de moda feminina.</strong></p> -<p>Esta categoria reúne todas as peças básicas do seu guarda-roupa e muito mais:</p> -<p>sapatos, acessórios, camisetas estampadas, vestidos, jeans femininos!</p> - mulheres - - - - - - Blusas/camisetas - <p>Faça sua escolha entre camisetas, blusas, mangas curtas, mangas longas, mangas 3/4, regatas, etc.</p> -<p>Encontre o corte que mais combina com você!</p> - blusas-camisetas - - - - - - Camisetas - <p>Os indispensáveis do seu guarda-roupa. Confira as cores,</p> -<p>formas e estilos variados da nossa coleção!</p> - camisetas - - - - - - Blusas/camisetas - Escolha a que mais combina com você entre a grande variedade de camisetas que temos. - blusas-camisetas - - - - - - Blusas - Associe suas blusas preferidas com os acessórios certos para o look perfeito. - blusas - - - - - - Vestidos - <p>Encontre seus vestidos preferidos da nossa ampla gama de vestidos de noite, de verão ou casuais!</p> -<p>Oferecemos vestidos para todos os dias, todos os estilos e todas as ocasiões.</p> - vestidos - - - - - - Vestidos casuais - <p>Você está procurando um vestido para o dia a dia? Confira</p> -<p>nossa seleção de vestidos e encontre o que mais combina com você.</p> - vestidos-casuais - - - - - - Vestidos de noite - Navegue pelos nossos diversos vestidos e escolha o que for perfeito para uma noite inesquecível! - vestidos-de-noite - - - - - - Vestidos de verão - Vestido curto, vestido longo, vestido de seda, vestido estampado, você encontrará o vestido perfeito de verão. - vestidos-de-verao - - - - - diff --git a/www/_install/fixtures/fashion/langs/br/data/feature.xml b/www/_install/fixtures/fashion/langs/br/data/feature.xml deleted file mode 100644 index c96b071..0000000 --- a/www/_install/fixtures/fashion/langs/br/data/feature.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - Altura - - - Largura - - - Profundidade - - - Peso - - - Tecido - - - Estilos - - - Descrição - - diff --git a/www/_install/fixtures/fashion/langs/br/data/feature_value.xml b/www/_install/fixtures/fashion/langs/br/data/feature_value.xml deleted file mode 100644 index 2d7bbb7..0000000 --- a/www/_install/fixtures/fashion/langs/br/data/feature_value.xml +++ /dev/null @@ -1,102 +0,0 @@ - - - - Poliéster - - - - - - Viscose - - - Elastano - - - Algodão - - - Seda - - - Camurça - - - Palha - - - Couro - - - Clássico - - - Casual - - - Militar - - - Girlie - - - Rock - - - Básico - - - Elegante - - - Manga curta - - - Vestido colorido - - - Vestido curto - - - Vestido médio - - - Vestido longo - - - 2.75 in - - - 2.06 in - - - 49.2 g - - - 0.26 in - - - 1.07 in - - - 1.62 in - - - 15.5 g - - - 0.41 in (clip included) - - - 4.33 in - - - 2.76 in - - - 120g - - - 0.31 in - - diff --git a/www/_install/fixtures/fashion/langs/br/data/featurevalue.xml b/www/_install/fixtures/fashion/langs/br/data/featurevalue.xml deleted file mode 100644 index 7f943c0..0000000 --- a/www/_install/fixtures/fashion/langs/br/data/featurevalue.xml +++ /dev/null @@ -1,66 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/br/data/image.xml b/www/_install/fixtures/fashion/langs/br/data/image.xml deleted file mode 100644 index 0fc64cb..0000000 --- a/www/_install/fixtures/fashion/langs/br/data/image.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/br/data/index.php b/www/_install/fixtures/fashion/langs/br/data/index.php deleted file mode 100644 index f3a459e..0000000 --- a/www/_install/fixtures/fashion/langs/br/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/br/data/manufacturer.xml b/www/_install/fixtures/fashion/langs/br/data/manufacturer.xml deleted file mode 100644 index 2f09cb6..0000000 --- a/www/_install/fixtures/fashion/langs/br/data/manufacturer.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/br/data/order_message.xml b/www/_install/fixtures/fashion/langs/br/data/order_message.xml deleted file mode 100644 index 76b70bd..0000000 --- a/www/_install/fixtures/fashion/langs/br/data/order_message.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Atraso - Olá, - -Infelizmente uma peça do seu pedido está indisponível no momento. Isso pode ocasionar um leve atraso na entrega. -Queira aceitar nossas desculpas e tenha a certeza de que estamos fazendo o possível para remediar esta situação. - -Atenciosamente, - - diff --git a/www/_install/fixtures/fashion/langs/br/data/ordermessage.xml b/www/_install/fixtures/fashion/langs/br/data/ordermessage.xml deleted file mode 100644 index e743f5d..0000000 --- a/www/_install/fixtures/fashion/langs/br/data/ordermessage.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/br/data/product.xml b/www/_install/fixtures/fashion/langs/br/data/product.xml deleted file mode 100644 index 8fe4786..0000000 --- a/www/_install/fixtures/fashion/langs/br/data/product.xml +++ /dev/null @@ -1,80 +0,0 @@ - - - - <p>Desde 2010, a Fashion cria coleções de belas peças. No início, a marca propunha vestidos com design feminino elegantes e formais. Depois, eles transformaram-se em uma coleção completa de ready-to-wear, cada item sendo uma parte vital no guarda-roupa de uma mulher. O resultado? Looks "cool", fáceis, chiques, com elegância jovem e um estilo inconfundível. Todas as peças são confeccionadas na Itália e fabricadas com a maior atenção. Agora, a Fashion foi ampliada e também oferece uma gama de acessórios que incluem calçados, chapéus, cintos e muito mais!</p> - <p>Camiseta de manga curta desbotada com decote alto. Material macio e elástico para um ajuste confortável. Adicione um chapéu de palha e estará pronta para o verão!</p> - camisetas-de-manga-curta-desbotadas - - - - Camisetas de manga curta desbotadas - Em estoque - - - - <p>Desde 2010, a Fashion cria coleções de belas peças. No início, a marca propunha vestidos com design feminino elegantes e formais. Depois, eles transformaram-se em uma coleção completa de ready-to-wear, cada item sendo uma parte vital no guarda-roupa de uma mulher. O resultado? Looks "cool", fáceis, chiques, com elegância jovem e um estilo inconfundível. Todas as peças são confeccionadas na Itália e fabricadas com a maior atenção. Agora, a Fashion foi ampliada e também oferece uma gama de acessórios que incluem calçados, chapéus, cintos e muito mais!</p> - <p>Blusa de manga curta com detalhe drapeado e feminino na manga.</p> - blusa - - - - Blusa - Em estoque - - - - <p>Desde 2010, a Fashion cria coleções de belas peças. No início, a marca propunha vestidos com design feminino elegantes e formais. Depois, eles transformaram-se em uma coleção completa de ready-to-wear, cada item sendo uma parte vital no guarda-roupa de uma mulher. O resultado? Looks "cool", fáceis, chiques, com elegância jovem e um estilo inconfundível. Todas as peças são confeccionadas na Itália e fabricadas com a maior atenção. Agora, a Fashion foi ampliada e também oferece uma gama de acessórios que incluem calçados, chapéus, cintos e muito mais!</p> - <p>Vestido estampado 100% algodão duplo. Parte de cima listrada em preto e branco e saia de patinadora cintura alta laranja.</p> - vestido-estampado - - - - Vestido estampado - Em estoque - - - - <p>Desde 2010, a Fashion cria coleções de belas peças. No início, a marca propunha vestidos com design feminino elegantes e formais. Depois, eles transformaram-se em uma coleção completa de ready-to-wear, cada item sendo uma parte vital no guarda-roupa de uma mulher. O resultado? Looks "cool", fáceis, chiques, com elegância jovem e um estilo inconfundível. Todas as peças são confeccionadas na Itália e fabricadas com a maior atenção. Agora, a Fashion foi ampliada e também oferece uma gama de acessórios que incluem calçados, chapéus, cintos e muito mais!</p> - <p>Vestido de noite estampado com mangas retas, cinto fino preto e babados forrados.</p> - vestido-estampado - - - - Vestido estampado - Em estoque - - - - <p>Desde 2010, a Fashion cria coleções de belas peças. No início, a marca propunha vestidos com design feminino elegantes e formais. Depois, eles transformaram-se em uma coleção completa de ready-to-wear, cada item sendo uma parte vital no guarda-roupa de uma mulher. O resultado? Looks "cool", fáceis, chiques, com elegância jovem e um estilo inconfundível. Todas as peças são confeccionadas na Itália e fabricadas com a maior atenção. Agora, a Fashion foi ampliada e também oferece uma gama de acessórios que incluem calçados, chapéus, cintos e muito mais!</p> - <p>Vestido longo estampado com alças finas reguláveis. Decote em V e filamentos sob o busto com babados na parte de baixo.</p> - vestido-estampado-de-verao - - - - Vestido estampado de verão - Em estoque - - - - <p>Desde 2010, a Fashion cria coleções de belas peças. No início, a marca propunha vestidos com design feminino elegantes e formais. Depois, eles transformaram-se em uma coleção completa de ready-to-wear, cada item sendo uma parte vital no guarda-roupa de uma mulher. O resultado? Looks "cool", fáceis, chiques, com elegância jovem e um estilo inconfundível. Todas as peças são confeccionadas na Itália e fabricadas com a maior atenção. Agora, a Fashion foi ampliada e também oferece uma gama de acessórios que incluem calçados, chapéus, cintos e muito mais!</p> - <p>Vestido chiffon sem mangas na altura do joelho. Decote em V com elástico sob o forro do peito.</p> - vestido-estampado-de-verao - - - - Vestido estampado de verão - Em estoque - - - - <p>Desde 2010, a Fashion cria coleções de belas peças. No início, a marca propunha vestidos com design feminino elegantes e formais. Depois, eles transformaram-se em uma coleção completa de ready-to-wear, cada item sendo uma parte vital no guarda-roupa de uma mulher. O resultado? Looks "cool", fáceis, chiques, com elegância jovem e um estilo inconfundível. Todas as peças são confeccionadas na Itália e fabricadas com a maior atenção. Agora, a Fashion foi ampliada e também oferece uma gama de acessórios que incluem calçados, chapéus, cintos e muito mais!</p> - <p>Vestido chiffon de alça estampado na altura do joelho. Decote em V.</p> - vestido-de-chiffon-estampado - - - - Vestido de chiffon estampado - Em estoque - - - diff --git a/www/_install/fixtures/fashion/langs/br/data/profile.xml b/www/_install/fixtures/fashion/langs/br/data/profile.xml deleted file mode 100644 index 879171f..0000000 --- a/www/_install/fixtures/fashion/langs/br/data/profile.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Especialista em logística - - - Tradutor - - - Vendedor - - diff --git a/www/_install/fixtures/fashion/langs/br/data/scene.xml b/www/_install/fixtures/fashion/langs/br/data/scene.xml deleted file mode 100644 index 708079e..0000000 --- a/www/_install/fixtures/fashion/langs/br/data/scene.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/br/data/supplier.xml b/www/_install/fixtures/fashion/langs/br/data/supplier.xml deleted file mode 100644 index 0c375e8..0000000 --- a/www/_install/fixtures/fashion/langs/br/data/supplier.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/br/data/tag.xml b/www/_install/fixtures/fashion/langs/br/data/tag.xml deleted file mode 100644 index d413861..0000000 --- a/www/_install/fixtures/fashion/langs/br/data/tag.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/br/index.php b/www/_install/fixtures/fashion/langs/br/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/langs/br/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/de/data/attribute.xml b/www/_install/fixtures/fashion/langs/de/data/attribute.xml deleted file mode 100644 index 94b6580..0000000 --- a/www/_install/fixtures/fashion/langs/de/data/attribute.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - S - - - M - - - L - - - One size - - - Grey - - - Taupe - - - Beige - - - White - - - Off White - - - Red - - - Black - - - Camel - - - Orange - - - Blue - - - Green - - - Yellow - - - Brown - - - 35 - - - 36 - - - 37 - - - 38 - - - 39 - - - 40 - - - Pink - - diff --git a/www/_install/fixtures/fashion/langs/de/data/attribute_group.xml b/www/_install/fixtures/fashion/langs/de/data/attribute_group.xml deleted file mode 100644 index 17c82c6..0000000 --- a/www/_install/fixtures/fashion/langs/de/data/attribute_group.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - Size - Size - - - Shoes Size - Size - - - Color - Color - - diff --git a/www/_install/fixtures/fashion/langs/de/data/attributegroup.xml b/www/_install/fixtures/fashion/langs/de/data/attributegroup.xml deleted file mode 100644 index 09da13f..0000000 --- a/www/_install/fixtures/fashion/langs/de/data/attributegroup.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/de/data/carrier.xml b/www/_install/fixtures/fashion/langs/de/data/carrier.xml deleted file mode 100644 index c59766e..0000000 --- a/www/_install/fixtures/fashion/langs/de/data/carrier.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - Delivery next day! - - diff --git a/www/_install/fixtures/fashion/langs/de/data/category.xml b/www/_install/fixtures/fashion/langs/de/data/category.xml deleted file mode 100644 index 19aee46..0000000 --- a/www/_install/fixtures/fashion/langs/de/data/category.xml +++ /dev/null @@ -1,81 +0,0 @@ - - - - Women - <p><strong>You will find here all woman fashion collections.</strong></p> -<p>This category includes all the basics of your wardrobe and much more:</p> -<p>shoes, accessories, printed t-shirts, feminine dresses, women's jeans!</p> - women - - - - - - Tops - <p>Choose from t-shirts, tops, blouses, short sleeves, long sleeves, tank tops, 3/4 sleeves and more.</p> -<p>Find the cut that suits you the best!</p> - tops - - - - - - T-shirts - <p>The must have of your wardrobe, take a look at our different colors,</p> -<p>shapes and style of our collection!</p> - tshirts - - - - - - Tops - Choose the top that best suits you from the wide variety of tops we have. - top - - - - - - Blouses - Match your favorites blouses with the right accessories for the perfect look. - blouses - - - - - - Dresses - <p>Find your favorites dresses from our wide choice of evening, casual or summer dresses!</p> -<p>We offer dresses for every day, every style and every occasion.</p> - dresses - - - - - - Casual Dresses - <p>You are looking for a dress for every day? Take a look at</p> -<p>our selection of dresses to find one that suits you.</p> - casual-dresses - - - - - - Evening Dresses - Browse our different dresses to choose the perfect dress for an unforgettable evening! - evening-dresses - - - - - - Summer Dresses - Short dress, long dress, silk dress, printed dress, you will find the perfect dress for summer. - summer-dresses - - - - - diff --git a/www/_install/fixtures/fashion/langs/de/data/feature.xml b/www/_install/fixtures/fashion/langs/de/data/feature.xml deleted file mode 100644 index e09b882..0000000 --- a/www/_install/fixtures/fashion/langs/de/data/feature.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - Height - - - Width - - - Depth - - - Weight - - - Compositions - - - Styles - - - Properties - - diff --git a/www/_install/fixtures/fashion/langs/de/data/feature_value.xml b/www/_install/fixtures/fashion/langs/de/data/feature_value.xml deleted file mode 100644 index b918f11..0000000 --- a/www/_install/fixtures/fashion/langs/de/data/feature_value.xml +++ /dev/null @@ -1,102 +0,0 @@ - - - - Polyester - - - Wool - - - Viscose - - - Elastane - - - Cotton - - - Silk - - - Suede - - - Straw - - - Leather - - - Classic - - - Casual - - - Military - - - Girly - - - Rock - - - Basic - - - Dressy - - - Short Sleeve - - - Colorful Dress - - - Short Dress - - - Midi Dress - - - Maxi Dress - - - 2.75 in - - - 2.06 in - - - 49.2 g - - - 0.26 in - - - 1.07 in - - - 1.62 in - - - 15.5 g - - - 0.41 in (clip included) - - - 4.33 in - - - 2.76 in - - - 120g - - - 0.31 in - - diff --git a/www/_install/fixtures/fashion/langs/de/data/featurevalue.xml b/www/_install/fixtures/fashion/langs/de/data/featurevalue.xml deleted file mode 100644 index 7f943c0..0000000 --- a/www/_install/fixtures/fashion/langs/de/data/featurevalue.xml +++ /dev/null @@ -1,66 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/de/data/image.xml b/www/_install/fixtures/fashion/langs/de/data/image.xml deleted file mode 100644 index 0fc64cb..0000000 --- a/www/_install/fixtures/fashion/langs/de/data/image.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/de/data/index.php b/www/_install/fixtures/fashion/langs/de/data/index.php deleted file mode 100644 index f3a459e..0000000 --- a/www/_install/fixtures/fashion/langs/de/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/de/data/manufacturer.xml b/www/_install/fixtures/fashion/langs/de/data/manufacturer.xml deleted file mode 100644 index 2f09cb6..0000000 --- a/www/_install/fixtures/fashion/langs/de/data/manufacturer.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/de/data/order_message.xml b/www/_install/fixtures/fashion/langs/de/data/order_message.xml deleted file mode 100644 index 93ad3b5..0000000 --- a/www/_install/fixtures/fashion/langs/de/data/order_message.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Delay - Hi, - -Unfortunately, an item on your order is currently out of stock. This may cause a slight delay in delivery. -Please accept our apologies and rest assured that we are working hard to rectify this. - -Best regards, - - diff --git a/www/_install/fixtures/fashion/langs/de/data/ordermessage.xml b/www/_install/fixtures/fashion/langs/de/data/ordermessage.xml deleted file mode 100644 index e743f5d..0000000 --- a/www/_install/fixtures/fashion/langs/de/data/ordermessage.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/de/data/product.xml b/www/_install/fixtures/fashion/langs/de/data/product.xml deleted file mode 100644 index f6b6a1c..0000000 --- a/www/_install/fixtures/fashion/langs/de/data/product.xml +++ /dev/null @@ -1,80 +0,0 @@ - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Faded short sleeve t-shirt with high neckline. Soft and stretchy material for a comfortable fit. Accessorize with a straw hat and you're ready for summer!</p> - faded-short-sleeve-tshirts - - - - Faded Short Sleeve T-shirts - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Short sleeved blouse with feminine draped sleeve detail.</p> - blouse - - - - Blouse - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>100% cotton double printed dress. Black and white striped top and orange high waisted skater skirt bottom.</p> - printed-dress - - - - Printed Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Printed evening dress with straight sleeves with black thin waist belt and ruffled linings.</p> - printed-dress - - - - Printed Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Long printed dress with thin adjustable straps. V-neckline and wiring under the bust with ruffles at the bottom of the dress.</p> - printed-summer-dress - - - - Printed Summer Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Sleeveless knee-length chiffon dress. V-neckline with elastic under the bust lining.</p> - printed-summer-dress - - - - Printed Summer Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Printed chiffon knee length dress with tank straps. Deep v-neckline.</p> - printed-chiffon-dress - - - - Printed Chiffon Dress - In stock - - - diff --git a/www/_install/fixtures/fashion/langs/de/data/profile.xml b/www/_install/fixtures/fashion/langs/de/data/profile.xml deleted file mode 100644 index 04e6558..0000000 --- a/www/_install/fixtures/fashion/langs/de/data/profile.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Logistician - - - Translator - - - Salesman - - diff --git a/www/_install/fixtures/fashion/langs/de/data/scene.xml b/www/_install/fixtures/fashion/langs/de/data/scene.xml deleted file mode 100644 index 708079e..0000000 --- a/www/_install/fixtures/fashion/langs/de/data/scene.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/de/data/supplier.xml b/www/_install/fixtures/fashion/langs/de/data/supplier.xml deleted file mode 100644 index 0c375e8..0000000 --- a/www/_install/fixtures/fashion/langs/de/data/supplier.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/de/data/tag.xml b/www/_install/fixtures/fashion/langs/de/data/tag.xml deleted file mode 100644 index d413861..0000000 --- a/www/_install/fixtures/fashion/langs/de/data/tag.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/de/index.php b/www/_install/fixtures/fashion/langs/de/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/langs/de/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/en/data/attribute.xml b/www/_install/fixtures/fashion/langs/en/data/attribute.xml deleted file mode 100644 index 94b6580..0000000 --- a/www/_install/fixtures/fashion/langs/en/data/attribute.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - S - - - M - - - L - - - One size - - - Grey - - - Taupe - - - Beige - - - White - - - Off White - - - Red - - - Black - - - Camel - - - Orange - - - Blue - - - Green - - - Yellow - - - Brown - - - 35 - - - 36 - - - 37 - - - 38 - - - 39 - - - 40 - - - Pink - - diff --git a/www/_install/fixtures/fashion/langs/en/data/attribute_group.xml b/www/_install/fixtures/fashion/langs/en/data/attribute_group.xml deleted file mode 100644 index 17c82c6..0000000 --- a/www/_install/fixtures/fashion/langs/en/data/attribute_group.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - Size - Size - - - Shoes Size - Size - - - Color - Color - - diff --git a/www/_install/fixtures/fashion/langs/en/data/attributegroup.xml b/www/_install/fixtures/fashion/langs/en/data/attributegroup.xml deleted file mode 100644 index 09da13f..0000000 --- a/www/_install/fixtures/fashion/langs/en/data/attributegroup.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/en/data/carrier.xml b/www/_install/fixtures/fashion/langs/en/data/carrier.xml deleted file mode 100644 index c59766e..0000000 --- a/www/_install/fixtures/fashion/langs/en/data/carrier.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - Delivery next day! - - diff --git a/www/_install/fixtures/fashion/langs/en/data/category.xml b/www/_install/fixtures/fashion/langs/en/data/category.xml deleted file mode 100644 index 19aee46..0000000 --- a/www/_install/fixtures/fashion/langs/en/data/category.xml +++ /dev/null @@ -1,81 +0,0 @@ - - - - Women - <p><strong>You will find here all woman fashion collections.</strong></p> -<p>This category includes all the basics of your wardrobe and much more:</p> -<p>shoes, accessories, printed t-shirts, feminine dresses, women's jeans!</p> - women - - - - - - Tops - <p>Choose from t-shirts, tops, blouses, short sleeves, long sleeves, tank tops, 3/4 sleeves and more.</p> -<p>Find the cut that suits you the best!</p> - tops - - - - - - T-shirts - <p>The must have of your wardrobe, take a look at our different colors,</p> -<p>shapes and style of our collection!</p> - tshirts - - - - - - Tops - Choose the top that best suits you from the wide variety of tops we have. - top - - - - - - Blouses - Match your favorites blouses with the right accessories for the perfect look. - blouses - - - - - - Dresses - <p>Find your favorites dresses from our wide choice of evening, casual or summer dresses!</p> -<p>We offer dresses for every day, every style and every occasion.</p> - dresses - - - - - - Casual Dresses - <p>You are looking for a dress for every day? Take a look at</p> -<p>our selection of dresses to find one that suits you.</p> - casual-dresses - - - - - - Evening Dresses - Browse our different dresses to choose the perfect dress for an unforgettable evening! - evening-dresses - - - - - - Summer Dresses - Short dress, long dress, silk dress, printed dress, you will find the perfect dress for summer. - summer-dresses - - - - - diff --git a/www/_install/fixtures/fashion/langs/en/data/feature.xml b/www/_install/fixtures/fashion/langs/en/data/feature.xml deleted file mode 100644 index e09b882..0000000 --- a/www/_install/fixtures/fashion/langs/en/data/feature.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - Height - - - Width - - - Depth - - - Weight - - - Compositions - - - Styles - - - Properties - - diff --git a/www/_install/fixtures/fashion/langs/en/data/feature_value.xml b/www/_install/fixtures/fashion/langs/en/data/feature_value.xml deleted file mode 100644 index b918f11..0000000 --- a/www/_install/fixtures/fashion/langs/en/data/feature_value.xml +++ /dev/null @@ -1,102 +0,0 @@ - - - - Polyester - - - Wool - - - Viscose - - - Elastane - - - Cotton - - - Silk - - - Suede - - - Straw - - - Leather - - - Classic - - - Casual - - - Military - - - Girly - - - Rock - - - Basic - - - Dressy - - - Short Sleeve - - - Colorful Dress - - - Short Dress - - - Midi Dress - - - Maxi Dress - - - 2.75 in - - - 2.06 in - - - 49.2 g - - - 0.26 in - - - 1.07 in - - - 1.62 in - - - 15.5 g - - - 0.41 in (clip included) - - - 4.33 in - - - 2.76 in - - - 120g - - - 0.31 in - - diff --git a/www/_install/fixtures/fashion/langs/en/data/featurevalue.xml b/www/_install/fixtures/fashion/langs/en/data/featurevalue.xml deleted file mode 100644 index 7f943c0..0000000 --- a/www/_install/fixtures/fashion/langs/en/data/featurevalue.xml +++ /dev/null @@ -1,66 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/en/data/image.xml b/www/_install/fixtures/fashion/langs/en/data/image.xml deleted file mode 100644 index 0fc64cb..0000000 --- a/www/_install/fixtures/fashion/langs/en/data/image.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/en/data/index.php b/www/_install/fixtures/fashion/langs/en/data/index.php deleted file mode 100644 index f3a459e..0000000 --- a/www/_install/fixtures/fashion/langs/en/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/en/data/manufacturer.xml b/www/_install/fixtures/fashion/langs/en/data/manufacturer.xml deleted file mode 100644 index 2f09cb6..0000000 --- a/www/_install/fixtures/fashion/langs/en/data/manufacturer.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/en/data/order_message.xml b/www/_install/fixtures/fashion/langs/en/data/order_message.xml deleted file mode 100644 index 93ad3b5..0000000 --- a/www/_install/fixtures/fashion/langs/en/data/order_message.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Delay - Hi, - -Unfortunately, an item on your order is currently out of stock. This may cause a slight delay in delivery. -Please accept our apologies and rest assured that we are working hard to rectify this. - -Best regards, - - diff --git a/www/_install/fixtures/fashion/langs/en/data/ordermessage.xml b/www/_install/fixtures/fashion/langs/en/data/ordermessage.xml deleted file mode 100644 index e743f5d..0000000 --- a/www/_install/fixtures/fashion/langs/en/data/ordermessage.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/en/data/product.xml b/www/_install/fixtures/fashion/langs/en/data/product.xml deleted file mode 100644 index ba2927a..0000000 --- a/www/_install/fixtures/fashion/langs/en/data/product.xml +++ /dev/null @@ -1,80 +0,0 @@ - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which have since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Faded short sleeves t-shirt with high neckline. Soft and stretchy material for a comfortable fit. Accessorize with a straw hat and you're ready for summer!</p> - faded-short-sleeves-tshirt - - - - Faded Short Sleeves T-shirt - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Short-sleeved blouse with feminine draped sleeve detail.</p> - blouse - - - - Blouse - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which have since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>100% cotton double printed dress. Black and white striped top and orange high waisted skater skirt bottom.</p> - printed-dress - - - - Printed Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which have since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Printed evening dress with straight sleeves with black thin waist belt and ruffled linings.</p> - printed-dress - - - - Printed Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which have since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Long printed dress with thin adjustable straps. V-neckline and wiring under the bust with ruffles at the bottom of the dress.</p> - printed-summer-dress - - - - Printed Summer Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which have since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Sleeveless knee-length chiffon dress. V-neckline with elastic under the bust lining.</p> - printed-summer-dress - - - - Printed Summer Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which have since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Printed chiffon knee length dress with tank straps. Deep v-neckline.</p> - printed-chiffon-dress - - - - Printed Chiffon Dress - In stock - - - diff --git a/www/_install/fixtures/fashion/langs/en/data/profile.xml b/www/_install/fixtures/fashion/langs/en/data/profile.xml deleted file mode 100644 index 04e6558..0000000 --- a/www/_install/fixtures/fashion/langs/en/data/profile.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Logistician - - - Translator - - - Salesman - - diff --git a/www/_install/fixtures/fashion/langs/en/data/scene.xml b/www/_install/fixtures/fashion/langs/en/data/scene.xml deleted file mode 100644 index 708079e..0000000 --- a/www/_install/fixtures/fashion/langs/en/data/scene.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/en/data/supplier.xml b/www/_install/fixtures/fashion/langs/en/data/supplier.xml deleted file mode 100644 index 0c375e8..0000000 --- a/www/_install/fixtures/fashion/langs/en/data/supplier.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/en/data/tag.xml b/www/_install/fixtures/fashion/langs/en/data/tag.xml deleted file mode 100644 index d413861..0000000 --- a/www/_install/fixtures/fashion/langs/en/data/tag.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/en/index.php b/www/_install/fixtures/fashion/langs/en/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/langs/en/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/es/data/attribute.xml b/www/_install/fixtures/fashion/langs/es/data/attribute.xml deleted file mode 100644 index b9cc524..0000000 --- a/www/_install/fixtures/fashion/langs/es/data/attribute.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - S - - - M - - - L - - - Talla única - - - Gris - - - Gris pardo - - - Beige - - - Blanco - - - Blanco roto - - - Rojo - - - Negro - - - Camel - - - Naranja - - - Azul - - - Verde - - - Amarillo - - - Marrón - - - 35 - - - 36 - - - 37 - - - 38 - - - 39 - - - 40 - - - Rosa - - diff --git a/www/_install/fixtures/fashion/langs/es/data/attribute_group.xml b/www/_install/fixtures/fashion/langs/es/data/attribute_group.xml deleted file mode 100644 index 17c82c6..0000000 --- a/www/_install/fixtures/fashion/langs/es/data/attribute_group.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - Size - Size - - - Shoes Size - Size - - - Color - Color - - diff --git a/www/_install/fixtures/fashion/langs/es/data/attributegroup.xml b/www/_install/fixtures/fashion/langs/es/data/attributegroup.xml deleted file mode 100644 index 09da13f..0000000 --- a/www/_install/fixtures/fashion/langs/es/data/attributegroup.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/es/data/carrier.xml b/www/_install/fixtures/fashion/langs/es/data/carrier.xml deleted file mode 100644 index 376638a..0000000 --- a/www/_install/fixtures/fashion/langs/es/data/carrier.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - ¡Envío en 24h! - - diff --git a/www/_install/fixtures/fashion/langs/es/data/category.xml b/www/_install/fixtures/fashion/langs/es/data/category.xml deleted file mode 100644 index 97dc137..0000000 --- a/www/_install/fixtures/fashion/langs/es/data/category.xml +++ /dev/null @@ -1,81 +0,0 @@ - - - - Mujer - <p><strong>Aquí encontrarás todas las colecciones de moda de mujer.</strong></p> -<p>Esta categoría incluye todos los básicos de tu armario y mucho más:</p> -<p>¡zapatos, complementos, camisetas estampadas, vestidos muy femeninos y vaqueros para mujer!</p> - mujer - - - - - - Tops - <p>Aquí encontrarás camisetas, tops, blusas, camisetas de manga corta, de manga larga, sin mangas, de media manga y mucho más.</p> -<p>¡Encuentra el corte que mejor te quede!</p> - tops - - - - - - Camisetas - <p>Los must have de tu armario; ¡échale un vistazo a los diferentes colores,</p> -<p>formas y estilos de nuestra colección!</p> - camisetas - - - - - - Tops - Te ofrecemos una amplia variedad de tops para que puedas escoger el que mejor te quede. - top - - - - - - Blusas - Combina tus blusas preferidas con los accesorios perfectos para un look deslumbrante. - blusas - - - - - - Vestidos - <p>¡Encuentra tus vestidos favoritos entre nuestra amplia colección de vestidos de noche, vestidos informales y vestidos veraniegos!</p> -<p>Te ofrecemos vestidos para todos los días, para cualquier estilo y cualquier ocasión.</p> - vestidos - - - - - - Vestidos informales - <p>¿Estás buscando un vestido para todos los días? Échale un vistazo a</p> -<p>nuestra selección para encontrar el vestido perfecto.</p> - vestidos-informales - - - - - - Vestidos de noche - ¡Descubre nuestra colección y encuentra el vestido perfecto para una velada inolvidable! - vestidos-noche - - - - - - Vestidos de verano - Cortos, largos, de seda, estampados... aquí encontrarás el vestido perfecto para el verano. - vestidos-verano - - - - - diff --git a/www/_install/fixtures/fashion/langs/es/data/feature.xml b/www/_install/fixtures/fashion/langs/es/data/feature.xml deleted file mode 100644 index b5d0ecf..0000000 --- a/www/_install/fixtures/fashion/langs/es/data/feature.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - Altura - - - Anchura - - - Profundidad - - - Peso - - - Composición - - - Estilos - - - Propiedades - - diff --git a/www/_install/fixtures/fashion/langs/es/data/feature_value.xml b/www/_install/fixtures/fashion/langs/es/data/feature_value.xml deleted file mode 100644 index f963a62..0000000 --- a/www/_install/fixtures/fashion/langs/es/data/feature_value.xml +++ /dev/null @@ -1,102 +0,0 @@ - - - - Poliéster - - - Lana - - - Viscosa - - - Elastano - - - Algodón - - - Seda - - - Ante - - - Paja - - - Piel - - - Clásico - - - Informal - - - Militar - - - Femenino - - - Rockero - - - Básico - - - Elegante - - - Manga corta - - - Vestido colorido - - - Vestido corto - - - Vestido a media pierna - - - Vestido largo - - - 2.75 in - - - 2.06 in - - - 49.2 g - - - 0.26 in - - - 1.07 in - - - 1.62 in - - - 15.5 g - - - 0.41 in (clip included) - - - 4.33 in - - - 2.76 in - - - 120g - - - 0.31 in - - diff --git a/www/_install/fixtures/fashion/langs/es/data/featurevalue.xml b/www/_install/fixtures/fashion/langs/es/data/featurevalue.xml deleted file mode 100644 index 7f943c0..0000000 --- a/www/_install/fixtures/fashion/langs/es/data/featurevalue.xml +++ /dev/null @@ -1,66 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/es/data/image.xml b/www/_install/fixtures/fashion/langs/es/data/image.xml deleted file mode 100644 index 0fc64cb..0000000 --- a/www/_install/fixtures/fashion/langs/es/data/image.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/es/data/index.php b/www/_install/fixtures/fashion/langs/es/data/index.php deleted file mode 100644 index f3a459e..0000000 --- a/www/_install/fixtures/fashion/langs/es/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/es/data/manufacturer.xml b/www/_install/fixtures/fashion/langs/es/data/manufacturer.xml deleted file mode 100644 index 2f09cb6..0000000 --- a/www/_install/fixtures/fashion/langs/es/data/manufacturer.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/es/data/order_message.xml b/www/_install/fixtures/fashion/langs/es/data/order_message.xml deleted file mode 100644 index 908ab13..0000000 --- a/www/_install/fixtures/fashion/langs/es/data/order_message.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Retraso - Hola. - -Lamentablemente, uno de los artículos que has pedido está agotado. Esto podría causar un ligero retraso en el envío. -Por favor, disculpa las molestias ocasionadas. Estamos trabajando duro para solucionarlo, no te preocupes. - -Un saludo, - - diff --git a/www/_install/fixtures/fashion/langs/es/data/ordermessage.xml b/www/_install/fixtures/fashion/langs/es/data/ordermessage.xml deleted file mode 100644 index e743f5d..0000000 --- a/www/_install/fixtures/fashion/langs/es/data/ordermessage.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/es/data/product.xml b/www/_install/fixtures/fashion/langs/es/data/product.xml deleted file mode 100644 index abeb55b..0000000 --- a/www/_install/fixtures/fashion/langs/es/data/product.xml +++ /dev/null @@ -1,80 +0,0 @@ - - - - <p>Fashion lleva diseñando colecciones increíbles desde 2010. La marca ofrece diseños femeninos, con elegantes prendas para combinar y las últimas tendencias en vestidos. Las colecciones han evolucionado hacia una línea prêt-à-porter en la que cada elemento resulta indispensable en el fondo de armario de una mujer. ¿El resultado? Looks frescos, sencillos y muy chic, con una elegancia juvenil y un estilo único e inconfundible. Todas las prendas se confeccionan en Italia, prestando atención hasta al más mínimo detalle. Ahora Fashion ha ampliado su catálogo para incluir todo tipo de complementos: ¡zapatos, sombreros, cinturones y mucho más! </ p> - <p>Camiseta de manga corta con efecto desteñido y escote cerrado. Material suave y elástico para un ajuste cómodo. ¡Combínala con un sombrero de paja y estarás lista para el verano!</p> - camiseta-destenida-manga-corta - - - - Camiseta efecto desteñido de manga corta - En stock - - - - <p>Fashion lleva diseñando colecciones increíbles desde 2010. La marca ofrece diseños femeninos, con elegantes prendas para combinar y las últimas tendencias en vestidos. Las colecciones han evolucionado hacia una línea prêt-à-porter en la que cada elemento resulta indispensable en el fondo de armario de una mujer. ¿El resultado? Looks frescos, sencillos y muy chic, con una elegancia juvenil y un estilo único e inconfundible. Todas las prendas se confeccionan en Italia, prestando atención hasta al más mínimo detalle. Ahora Fashion ha ampliado su catálogo para incluir todo tipo de complementos: ¡zapatos, sombreros, cinturones y mucho más! </ p> - <p>Blusa de manga corta con detalle drapeado muy femenino en la manga.</p> - blusa - - - - Blusa - En stock - - - - <p>Fashion lleva diseñando colecciones increíbles desde 2010. La marca ofrece diseños femeninos, con elegantes prendas para combinar y las últimas tendencias en vestidos. Las colecciones han evolucionado hacia una línea prêt-à-porter en la que cada elemento resulta indispensable en el fondo de armario de una mujer. ¿El resultado? Looks frescos, sencillos y muy chic, con una elegancia juvenil y un estilo único e inconfundible. Todas las prendas se confeccionan en Italia,prestando atención hasta al más mínimo detalle. Ahora Fashion ha ampliado su catálogo para incluir todo tipo de complementos: ¡zapatos, sombreros, cinturones y mucho más! </ p> - <p>Vestido doble estampado 100% algodón. Top de rayas negras y blancas y falda skater naranja de cintura alta.</p> - vestido-estampado - - - - Vestido estampado - En stock - - - - <p>Fashion lleva diseñando increíbles colecciones desde 2010. La marca ofrece diseños femeninos, con elegantes prendas para combinar y las últimas tendencias en vestidos. Las colecciones han evolucionado hacia una línea prêt-à-porter en la que cada elemento resulta indispensable en el fondo de armario de una mujer. ¿El resultado? Looks frescos, sencillos y muy chic, con una elegancia juvenil y un estilo único e inconfundible. Todas las prendas se confeccionan en Italia, prestando atención hasta al más mínimo detalle. Ahora Fashion ha ampliado su catálogo para incluir todo tipo de complementos: ¡zapatos, sombreros, cinturones y mucho más! </ p> - <p>Vestido de noche estampado con mangas rectas, cinturón negro y volantes.</p> - vestido-estampado - - - - Vestido estampado - En stock - - - - <p>Fashion lleva diseñando increíbles colecciones desde 2010. La marca ofrece diseños femeninos, con elegantes prendas para combinar y las últimas tendencias en vestidos. Las colecciones han evolucionado hacia una línea prêt-à-porter en la que cada elemento resulta indispensable en el fondo de armario de una mujer. ¿El resultado? Looks frescos, sencillos y muy chic, con una elegancia juvenil y un estilo único e inconfundible. Todas las prendas se confeccionan en Italia, prestando atención hasta al más mínimo detalle. Ahora Fashion ha ampliado su catálogo para incluir todo tipo de complementos: ¡zapatos, sombreros, cinturones y mucho más! </ p> - <p>Vestido largo estampado con tirantes finos ajustables. Escote en V, fruncido debajo del pecho y volantes en la parte inferior del vestido.</p> - vestido-verano-estampado - - - - Vestido de verano estampado - En stock - - - - <p>Fashion lleva diseñando increíbles colecciones desde 2010. La marca ofrece diseños femeninos, con elegantes prendas para combinar y las últimas tendencias en vestidos. Las colecciones han evolucionado hacia una línea prêt-à-porter en la que cada elemento resulta indispensable en el fondo de armario de una mujer. ¿El resultado? Looks frescos, sencillos y muy chic, con una elegancia juvenil y un estilo único e inconfundible. Todas las prendas se confeccionan en Italia, prestando atención hasta al más mínimo detalle. Ahora Fashion ha ampliado su catálogo para incluir todo tipo de complementos: ¡zapatos, sombreros, cinturones y mucho más! </ p> - <p>Vestido sin mangas de gasa hasta la rodilla. Escote en V con elástico debajo del pecho.</p> - vestido-verano-estampado - - - - Vestido de verano estampado - En stock - - - - <p>Fashion lleva diseñando increíbles colecciones desde 2010. La marca ofrece diseños femeninos, con elegantes prendas para combinar y las últimas tendencias en vestidos. Las colecciones han evolucionado hacia una línea prêt-à-porter en la que cada elemento resulta indispensable en el fondo de armario de una mujer. ¿El resultado? Looks frescos, sencillos y muy chic, con una elegancia juvenil y un estilo único e inconfundible. Todas las prendas se confeccionan en Italia, yprestando atención hasta al más mínimo detalle. Ahora Fashion ha ampliado su catálogo para incluir todo tipo de complementos: ¡zapatos, sombreros, cinturones y mucho más! </ p> - <p>Vestido sin mangas hasta la rodilla, tejido de gasa estampado. Escote pronunciado.</p> - vestido-estampado-gasa - - - - Vestido de gasa estampado - En stock - - - diff --git a/www/_install/fixtures/fashion/langs/es/data/profile.xml b/www/_install/fixtures/fashion/langs/es/data/profile.xml deleted file mode 100644 index 6dd663b..0000000 --- a/www/_install/fixtures/fashion/langs/es/data/profile.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Especialista en logística - - - Traductor - - - Vendedor - - diff --git a/www/_install/fixtures/fashion/langs/es/data/scene.xml b/www/_install/fixtures/fashion/langs/es/data/scene.xml deleted file mode 100644 index 708079e..0000000 --- a/www/_install/fixtures/fashion/langs/es/data/scene.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/es/data/supplier.xml b/www/_install/fixtures/fashion/langs/es/data/supplier.xml deleted file mode 100644 index 0c375e8..0000000 --- a/www/_install/fixtures/fashion/langs/es/data/supplier.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/es/data/tag.xml b/www/_install/fixtures/fashion/langs/es/data/tag.xml deleted file mode 100644 index d413861..0000000 --- a/www/_install/fixtures/fashion/langs/es/data/tag.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/es/index.php b/www/_install/fixtures/fashion/langs/es/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/langs/es/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/fa/data/attribute.xml b/www/_install/fixtures/fashion/langs/fa/data/attribute.xml deleted file mode 100644 index 57e072b..0000000 --- a/www/_install/fixtures/fashion/langs/fa/data/attribute.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - S - - - M - - - L - - - تک سایز - - - خاکستری - - - مازویی - - - بژ - - - سفید - - - کرم - - - قرمز - - - مشکی - - - شتری - - - نارنجی - - - آبی - - - سبز - - - زرد - - - قهوه ای - - - 35 - - - 36 - - - 37 - - - 38 - - - 39 - - - 40 - - - صورتی - - diff --git a/www/_install/fixtures/fashion/langs/fa/data/attribute_group.xml b/www/_install/fixtures/fashion/langs/fa/data/attribute_group.xml deleted file mode 100644 index 8739657..0000000 --- a/www/_install/fixtures/fashion/langs/fa/data/attribute_group.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - اندازه - اندازه - - - اندازه کفش - اندازه - - - رنگ - رنگ - - diff --git a/www/_install/fixtures/fashion/langs/fa/data/attributegroup.xml b/www/_install/fixtures/fashion/langs/fa/data/attributegroup.xml deleted file mode 100644 index 6e45ef6..0000000 --- a/www/_install/fixtures/fashion/langs/fa/data/attributegroup.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/fa/data/carrier.xml b/www/_install/fixtures/fashion/langs/fa/data/carrier.xml deleted file mode 100644 index 5289cf2..0000000 --- a/www/_install/fixtures/fashion/langs/fa/data/carrier.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - تحویل روز بعد! - - diff --git a/www/_install/fixtures/fashion/langs/fa/data/category.xml b/www/_install/fixtures/fashion/langs/fa/data/category.xml deleted file mode 100644 index a82ed5a..0000000 --- a/www/_install/fixtures/fashion/langs/fa/data/category.xml +++ /dev/null @@ -1,81 +0,0 @@ - - - - زنانه - <p><strong>در اینجا تمام مجموعه مدل های زنانه را پیدا کنید.</strong></p> -<p>شامل لباس هایی برای کمد لباس شما و خیلی بیشتر:</p> -<p>کفش، تیشرت های مارک دار، پیراهن زنانه، جین زنانه!</p> - women - - - - - - تاپ - <p>انتخاب از بین تیشرت، تاپ، بلوز، آستین کوتاه، آستین بلند و بیشتر.</p> -<p>بخشی که شما را زیبا می کند پیدا کنید!</p> - tops - - - - - - تیشرت - <p>کمد لباس خود را پر کنید رنگ های متفاوت ما را ببینید،</p> -<p>از طرح ها و مدل های مختلف بازدید کنید!</p> - tshirts - - - - - - تاپ - از بین مدل های بسیار زیاد ما بهترین تاپ را برای خود برگزینید. - top - - - - - - بلوز - بلوزهای مورد علاقه خود را با طرح های زیبا پیدا کنید. - blouses - - - - - - پیراهن - <p>پیراهن مورد علاقه خود را از بین انتخاب های فراوان پیراهن مجلسی، پیراهن راحتی و پیراهن تابستانه پیدا کنید!</p> -<p>لباس هایی برای هر روز، هر سلیقه و هر موقعیت.</p> - dresses - - - - - - پیراهن راحت - <p>دنبال لباسی برای روز هستید؟نگاهی به</p> -<p>مجموعه ما بیاندازید تا بهترین برای خودتان انتخاب کنید.</p> - casual-dresses - - - - - - پیراهن مجلسی - لباس های ما را مرور کنید تا برای یک شب فراموش نشدنی یک لباس مناسب خود پیدا کنید! - evening-dresses - - - - - - پیراهن تابستانه - پیراهن کوتاه، پیراهن بلند، پیراهن طرح دار، بهترین لباس را برای تابستان پیدا کنید. - summer-dresses - - - - - diff --git a/www/_install/fixtures/fashion/langs/fa/data/feature.xml b/www/_install/fixtures/fashion/langs/fa/data/feature.xml deleted file mode 100644 index 69eade8..0000000 --- a/www/_install/fixtures/fashion/langs/fa/data/feature.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - بلندی - - - پهنا - - - عمق - - - وزن - - - ترکیب - - - سبک - - - خواص - - diff --git a/www/_install/fixtures/fashion/langs/fa/data/feature_value.xml b/www/_install/fixtures/fashion/langs/fa/data/feature_value.xml deleted file mode 100644 index 9e62b4b..0000000 --- a/www/_install/fixtures/fashion/langs/fa/data/feature_value.xml +++ /dev/null @@ -1,102 +0,0 @@ - - - - پلی استر - - - پشم - - - ویسکوز - - - الاستین - - - نخ - - - ابریشم - - - جیر - - - حصیر - - - چرم - - - کلاسیک - - - راحتی - - - نظامی - - - دخترانه - - - سنگ - - - ساده - - - پیراهنی - - - آستین کوتاه - - - پیراهن رنگی - - - پیراهن کوتاه - - - پیراهن میدی - - - پیراهن ماکسی - - - 2.75 in - - - 2.06 in - - - 49.2 g - - - 0.26 in - - - 1.07 in - - - 1.62 in - - - 15.5 g - - - 0.41 in (شامل شال) - - - 4.33 in - - - 2.76 in - - - 120g - - - 0.31 in - - diff --git a/www/_install/fixtures/fashion/langs/fa/data/featurevalue.xml b/www/_install/fixtures/fashion/langs/fa/data/featurevalue.xml deleted file mode 100644 index 11717e2..0000000 --- a/www/_install/fixtures/fashion/langs/fa/data/featurevalue.xml +++ /dev/null @@ -1,66 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/fa/data/image.xml b/www/_install/fixtures/fashion/langs/fa/data/image.xml deleted file mode 100644 index 0fc64cb..0000000 --- a/www/_install/fixtures/fashion/langs/fa/data/image.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/fa/data/index.php b/www/_install/fixtures/fashion/langs/fa/data/index.php deleted file mode 100644 index f3a459e..0000000 --- a/www/_install/fixtures/fashion/langs/fa/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/fa/data/manufacturer.xml b/www/_install/fixtures/fashion/langs/fa/data/manufacturer.xml deleted file mode 100644 index 2f09cb6..0000000 --- a/www/_install/fixtures/fashion/langs/fa/data/manufacturer.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/fa/data/order_message.xml b/www/_install/fixtures/fashion/langs/fa/data/order_message.xml deleted file mode 100644 index 7e65909..0000000 --- a/www/_install/fixtures/fashion/langs/fa/data/order_message.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - تاخیر - درود, - - متأسفانه، یکی از موارد سفارش شما در انبار موجود نیست. این ممکن است باعث یک تأخیر کوتاه در تحویل شود. - لطفاً عذرخواهی ما را پذیرا باشید و مطمئن باشید برای رفع آن سخت تلاش خواهیم کرد. - -پیروز باشید, - - diff --git a/www/_install/fixtures/fashion/langs/fa/data/ordermessage.xml b/www/_install/fixtures/fashion/langs/fa/data/ordermessage.xml deleted file mode 100644 index d22a710..0000000 --- a/www/_install/fixtures/fashion/langs/fa/data/ordermessage.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/fa/data/product.xml b/www/_install/fixtures/fashion/langs/fa/data/product.xml deleted file mode 100644 index d1696e3..0000000 --- a/www/_install/fixtures/fashion/langs/fa/data/product.xml +++ /dev/null @@ -1,80 +0,0 @@ - - - - <p>مُد اصطلاح کلی در حیطه هنر طراحی پوشاک است که تحت تاثیر اوضاع فرهنگی و اجتماعی جامعه در یک دوره زمانی مشخص انجام می‌پذیرد. برای تعریف مد (انگلیسی: Fashion) دو تعریف دیگر نیز ارائه شده است: "شیوه رفتاری که به طور موقت توسط بخش مشخصی از اعضاء یک گروه اجتماعی اتخاذ می شود، به این دلیل که آن رفتار انتخابی را از نظر اجتماعی برای آن زمان و موقعیت مناسب تشخیص می دهند. مد نوع لباسی است که اخیراً پذیرفته شده است. مد در یک زبان و قابل فهم درک خواص ظاهری لباس و شناخت موقعیت اجتماع نسبت به پوشش افراد است.</p> - <p>تیشرت آستین کوتاه کمرنگ یقه دار ، مواد نرم و چسبناک، مناسب برای تابستان. به همراه یک کلاه حصیری زیبا!</p> - faded-short-sleeve-tshirts - - - - تیشرت آستین کوتاه کمرنگ - In stock - - - - <p>مُد اصطلاح کلی در حیطه هنر طراحی پوشاک است که تحت تاثیر اوضاع فرهنگی و اجتماعی جامعه در یک دوره زمانی مشخص انجام می‌پذیرد. برای تعریف مد (انگلیسی: Fashion) دو تعریف دیگر نیز ارائه شده است: "شیوه رفتاری که به طور موقت توسط بخش مشخصی از اعضاء یک گروه اجتماعی اتخاذ می شود، به این دلیل که آن رفتار انتخابی را از نظر اجتماعی برای آن زمان و موقعیت مناسب تشخیص می دهند. مد نوع لباسی است که اخیراً پذیرفته شده است. مد در یک زبان و قابل فهم درک خواص ظاهری لباس و شناخت موقعیت اجتماع نسبت به پوشش افراد است.</p> - <p>بلوز آستین کوتاه با آستین کار شده.</p> - blouse - - - - بلوز - In stock - - - - <p>مُد اصطلاح کلی در حیطه هنر طراحی پوشاک است که تحت تاثیر اوضاع فرهنگی و اجتماعی جامعه در یک دوره زمانی مشخص انجام می‌پذیرد. برای تعریف مد (انگلیسی: Fashion) دو تعریف دیگر نیز ارائه شده است: "شیوه رفتاری که به طور موقت توسط بخش مشخصی از اعضاء یک گروه اجتماعی اتخاذ می شود، به این دلیل که آن رفتار انتخابی را از نظر اجتماعی برای آن زمان و موقعیت مناسب تشخیص می دهند. مد نوع لباسی است که اخیراً پذیرفته شده است. مد در یک زبان و قابل فهم درک خواص ظاهری لباس و شناخت موقعیت اجتماع نسبت به پوشش افراد است.</p> - <p>100% نخ و طراحی بیشتر رنگ سیاه و سفید راه راه با دامن نارنجی.</p> - printed-dress - - - - پیراهن طرح دار - In stock - - - - <p>مُد اصطلاح کلی در حیطه هنر طراحی پوشاک است که تحت تاثیر اوضاع فرهنگی و اجتماعی جامعه در یک دوره زمانی مشخص انجام می‌پذیرد. برای تعریف مد (انگلیسی: Fashion) دو تعریف دیگر نیز ارائه شده است: "شیوه رفتاری که به طور موقت توسط بخش مشخصی از اعضاء یک گروه اجتماعی اتخاذ می شود، به این دلیل که آن رفتار انتخابی را از نظر اجتماعی برای آن زمان و موقعیت مناسب تشخیص می دهند. مد نوع لباسی است که اخیراً پذیرفته شده است. مد در یک زبان و قابل فهم درک خواص ظاهری لباس و شناخت موقعیت اجتماع نسبت به پوشش افراد است.</p> - <p>پیراهن های مجلسی طرح دار با آستین راسته و با کمربند سیاه و سفید نازک.</p> - printed-dress - - - - پیراهن طرح دار - In stock - - - - <p>مُد اصطلاح کلی در حیطه هنر طراحی پوشاک است که تحت تاثیر اوضاع فرهنگی و اجتماعی جامعه در یک دوره زمانی مشخص انجام می‌پذیرد. برای تعریف مد (انگلیسی: Fashion) دو تعریف دیگر نیز ارائه شده است: "شیوه رفتاری که به طور موقت توسط بخش مشخصی از اعضاء یک گروه اجتماعی اتخاذ می شود، به این دلیل که آن رفتار انتخابی را از نظر اجتماعی برای آن زمان و موقعیت مناسب تشخیص می دهند. مد نوع لباسی است که اخیراً پذیرفته شده است. مد در یک زبان و قابل فهم درک خواص ظاهری لباس و شناخت موقعیت اجتماع نسبت به پوشش افراد است.</p> - <p>پیراهن بلند طرح دار با بند قابل تنظیم. دارای چین در پایین پیراهن.</p> - printed-summer-dress - - - - پیراهن طرح دار تابستانه - In stock - - - - <p>مُد اصطلاح کلی در حیطه هنر طراحی پوشاک است که تحت تاثیر اوضاع فرهنگی و اجتماعی جامعه در یک دوره زمانی مشخص انجام می‌پذیرد. برای تعریف مد (انگلیسی: Fashion) دو تعریف دیگر نیز ارائه شده است: "شیوه رفتاری که به طور موقت توسط بخش مشخصی از اعضاء یک گروه اجتماعی اتخاذ می شود، به این دلیل که آن رفتار انتخابی را از نظر اجتماعی برای آن زمان و موقعیت مناسب تشخیص می دهند. مد نوع لباسی است که اخیراً پذیرفته شده است. مد در یک زبان و قابل فهم درک خواص ظاهری لباس و شناخت موقعیت اجتماع نسبت به پوشش افراد است.</p> - <p>پیراهن ابریشمی بدون آستین و روی زانو.</p> - printed-summer-dress - - - - پیراهن طرح دار تابستانه - In stock - - - - <p>مُد اصطلاح کلی در حیطه هنر طراحی پوشاک است که تحت تاثیر اوضاع فرهنگی و اجتماعی جامعه در یک دوره زمانی مشخص انجام می‌پذیرد. برای تعریف مد (انگلیسی: Fashion) دو تعریف دیگر نیز ارائه شده است: "شیوه رفتاری که به طور موقت توسط بخش مشخصی از اعضاء یک گروه اجتماعی اتخاذ می شود، به این دلیل که آن رفتار انتخابی را از نظر اجتماعی برای آن زمان و موقعیت مناسب تشخیص می دهند. مد نوع لباسی است که اخیراً پذیرفته شده است. مد در یک زبان و قابل فهم درک خواص ظاهری لباس و شناخت موقعیت اجتماع نسبت به پوشش افراد است.</p> - <p>پیراهن طرح دار روی زانو.</p> - printed-chiffon-dress - - - - پیراهن طرح دار ابریشمی - In stock - - - diff --git a/www/_install/fixtures/fashion/langs/fa/data/profile.xml b/www/_install/fixtures/fashion/langs/fa/data/profile.xml deleted file mode 100644 index 0ca3c4e..0000000 --- a/www/_install/fixtures/fashion/langs/fa/data/profile.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - پشتیبان - - - مترجم - - - مسئول فروش - - diff --git a/www/_install/fixtures/fashion/langs/fa/data/scene.xml b/www/_install/fixtures/fashion/langs/fa/data/scene.xml deleted file mode 100644 index 708079e..0000000 --- a/www/_install/fixtures/fashion/langs/fa/data/scene.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/fa/data/supplier.xml b/www/_install/fixtures/fashion/langs/fa/data/supplier.xml deleted file mode 100644 index 0c375e8..0000000 --- a/www/_install/fixtures/fashion/langs/fa/data/supplier.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/fa/data/tag.xml b/www/_install/fixtures/fashion/langs/fa/data/tag.xml deleted file mode 100644 index d413861..0000000 --- a/www/_install/fixtures/fashion/langs/fa/data/tag.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/fa/index.php b/www/_install/fixtures/fashion/langs/fa/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/langs/fa/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/fr/data/attribute.xml b/www/_install/fixtures/fashion/langs/fr/data/attribute.xml deleted file mode 100644 index c30ff93..0000000 --- a/www/_install/fixtures/fashion/langs/fr/data/attribute.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - S - - - M - - - L - - - Taille unique - - - Gris - - - Taupe - - - Beige - - - Blanc - - - Blanc cassé - - - Rouge - - - Noir - - - Camel - - - Orange - - - Bleu - - - Vert - - - Jaune - - - Marron - - - 35 - - - 36 - - - 37 - - - 38 - - - 39 - - - 40 - - - Rose - - diff --git a/www/_install/fixtures/fashion/langs/fr/data/attribute_group.xml b/www/_install/fixtures/fashion/langs/fr/data/attribute_group.xml deleted file mode 100644 index 03aa3b8..0000000 --- a/www/_install/fixtures/fashion/langs/fr/data/attribute_group.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - Taille - Taille - - - Pointure - Pointure - - - Couleur - Couleur - - diff --git a/www/_install/fixtures/fashion/langs/fr/data/attributegroup.xml b/www/_install/fixtures/fashion/langs/fr/data/attributegroup.xml deleted file mode 100644 index 09da13f..0000000 --- a/www/_install/fixtures/fashion/langs/fr/data/attributegroup.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/fr/data/carrier.xml b/www/_install/fixtures/fashion/langs/fr/data/carrier.xml deleted file mode 100644 index 85501d5..0000000 --- a/www/_install/fixtures/fashion/langs/fr/data/carrier.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - Livraison le lendemain ! - - diff --git a/www/_install/fixtures/fashion/langs/fr/data/category.xml b/www/_install/fixtures/fashion/langs/fr/data/category.xml deleted file mode 100644 index 988e631..0000000 --- a/www/_install/fixtures/fashion/langs/fr/data/category.xml +++ /dev/null @@ -1,81 +0,0 @@ - - - - Femmes - <p><strong>Vous trouverez ici toutes les collections mode pour femmes.</strong></p> -<p>Cette catégorie regroupe tous les basiques de votre garde-robe et bien plus encore :</p> -<p>chaussures, accessoires, T-shirts imprimés, robes élégantes et jeans pour femmes !</p> - femmes - - - - - - Tops - <p>Choisissez parmi une large sélection de T-shirts à manches courtes, longues ou 3/4, de tops, de débardeurs, de chemisiers et bien plus encore.</p> -<p>Trouvez la coupe qui vous va le mieux !</p> - tops - - - - - - T-shirts - <p>Les must have de votre garde-robe : découvrez les divers modèles ainsi que les différentes</p> -<p>coupes et couleurs de notre collection !</p> - t-shirts - - - - - - Tops - Choisissez le top qui vous va le mieux, parmi une large sélection. - top - - - - - - Chemisiers - Coordonnez vos accessoires à vos chemisiers préférés, pour un look parfait. - chemisiers - - - - - - Robes - <p>Trouvez votre nouvelle pièce préférée parmi une large sélection de robes décontractées, d'été et de soirée !</p> -<p>Nous avons des robes pour tous les styles et toutes les occasions.</p> - robes - - - - - - Robes décontractées - <p>Vous cherchez une robe pour la vie de tous les jours ? Découvrez</p> -<p>notre sélection de robes et trouvez celle qui vous convient.</p> - robes-decontractees - - - - - - Robes de soirée - Trouvez la robe parfaite pour une soirée inoubliable ! - robes-soiree - - - - - - Robes d'été - Courte, longue, en soie ou imprimée, trouvez votre robe d'été idéale ! - robes-ete - - - - - diff --git a/www/_install/fixtures/fashion/langs/fr/data/feature.xml b/www/_install/fixtures/fashion/langs/fr/data/feature.xml deleted file mode 100644 index 98248bb..0000000 --- a/www/_install/fixtures/fashion/langs/fr/data/feature.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - Hauteur - - - Largeur - - - Profondeur - - - Poids - - - Compositions - - - Styles - - - Propriétés - - diff --git a/www/_install/fixtures/fashion/langs/fr/data/feature_value.xml b/www/_install/fixtures/fashion/langs/fr/data/feature_value.xml deleted file mode 100644 index 9075c3b..0000000 --- a/www/_install/fixtures/fashion/langs/fr/data/feature_value.xml +++ /dev/null @@ -1,102 +0,0 @@ - - - - Polyester - - - Laine - - - Viscose - - - Elasthanne - - - Coton - - - Soie - - - Daim - - - Paille - - - Cuir - - - Classique - - - Décontracté - - - Militaire - - - Féminin - - - Rock - - - Basique - - - Habillé - - - Manches courtes - - - Robe colorée - - - Robe courte - - - Robe midi - - - Maxi-robe - - - 2.75 in - - - 2.06 in - - - 49.2 g - - - 0.26 in - - - 1.07 in - - - 1.62 in - - - 15.5 g - - - 0.41 in (clip included) - - - 4.33 in - - - 2.76 in - - - 120g - - - 0.31 in - - diff --git a/www/_install/fixtures/fashion/langs/fr/data/featurevalue.xml b/www/_install/fixtures/fashion/langs/fr/data/featurevalue.xml deleted file mode 100644 index 7f943c0..0000000 --- a/www/_install/fixtures/fashion/langs/fr/data/featurevalue.xml +++ /dev/null @@ -1,66 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/fr/data/image.xml b/www/_install/fixtures/fashion/langs/fr/data/image.xml deleted file mode 100644 index 0fc64cb..0000000 --- a/www/_install/fixtures/fashion/langs/fr/data/image.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/fr/data/index.php b/www/_install/fixtures/fashion/langs/fr/data/index.php deleted file mode 100644 index f3a459e..0000000 --- a/www/_install/fixtures/fashion/langs/fr/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/fr/data/manufacturer.xml b/www/_install/fixtures/fashion/langs/fr/data/manufacturer.xml deleted file mode 100644 index 2f09cb6..0000000 --- a/www/_install/fixtures/fashion/langs/fr/data/manufacturer.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/fr/data/order_message.xml b/www/_install/fixtures/fashion/langs/fr/data/order_message.xml deleted file mode 100644 index 673acae..0000000 --- a/www/_install/fixtures/fashion/langs/fr/data/order_message.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Retard - Bonjour, - -Malheureusement, un article que vous avez commandé est actuellement en rupture de stock. Pour cette raison, il est possible que la livraison de votre commande soit légèrement retardée. -Nous vous prions de bien vouloir accepter nos excuses. Nous faisons tout notre possible pour remédier à cette situation. - -Cordialement, - - diff --git a/www/_install/fixtures/fashion/langs/fr/data/ordermessage.xml b/www/_install/fixtures/fashion/langs/fr/data/ordermessage.xml deleted file mode 100644 index 90386d0..0000000 --- a/www/_install/fixtures/fashion/langs/fr/data/ordermessage.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/fr/data/product.xml b/www/_install/fixtures/fashion/langs/fr/data/product.xml deleted file mode 100644 index a80ad09..0000000 --- a/www/_install/fixtures/fashion/langs/fr/data/product.xml +++ /dev/null @@ -1,80 +0,0 @@ - - - - <p>Fashion propose des vêtements de qualité depuis 2010. La marque propose une gamme féminine composée d'élégants vêtements à coordonner et de robes originales et offre désormais une collection complète de prêt-à-porter, regroupant toutes les pièces qu'une femme doit avoir dans sa garde-robe. Fashion se distingue avec des looks à la fois cool, simples et rafraîchissants, alliant élégance et chic, pour un style reconnaissable entre mille. Chacune des magnifiques pièces de la collection est fabriquée avec le plus grand soin en Italie. Fashion enrichit son offre avec une gamme d'accessoires incluant chaussures, chapeaux, ceintures et bien plus encore !</p> - <p>T-shirt délavé à manches courtes et col rond. Matière douce et extensible pour un confort inégalé. Pour un look estival, portez-le avec un chapeau de paille !</p> - t-shirt-delave-manches-courtes - - - - T-shirt délavé à manches courtes - En stock - - - - <p>Fashion propose des vêtements de qualité depuis 2010. La marque propose une gamme féminine composée d'élégants vêtements à coordonner et de robes originales et offre désormais une collection complète de prêt-à-porter, regroupant toutes les pièces qu'une femme doit avoir dans sa garde-robe. Fashion se distingue avec des looks à la fois cool, simples et rafraîchissants, alliant élégance et chic, pour un style reconnaissable entre mille. Chacune des magnifiques pièces de la collection est fabriquée avec le plus grand soin en Italie. Fashion enrichit son offre avec une gamme d'accessoires incluant chaussures, chapeaux, ceintures et bien plus encore !</p> - <p>Chemisier à manches courtes drapées, pour un style féminin et élégant.</p> - chemisier - - - - Chemisier - En stock - - - - <p>Fashion propose des vêtements de qualité depuis 2010. La marque propose une gamme féminine composée d'élégants vêtements à coordonner et de robes originales et offre désormais une collection complète de prêt-à-porter, regroupant toutes les pièces qu'une femme doit avoir dans sa garde-robe. Fashion se distingue avec des looks à la fois cool, simples et rafraîchissants, alliant élégance et chic, pour un style reconnaissable entre mille. Chacune des magnifiques pièces de la collection est fabriquée avec le plus grand soin en Italie. Fashion enrichit son offre avec une gamme d'accessoires incluant chaussures, chapeaux, ceintures et bien plus encore !</p> - <p>Robe imprimée 100 % coton. Haut rayé noir et blanc et bas composé d'une jupe patineuse taille haute.</p> - robe-imprimee - - - - Robe imprimée - En stock - - - - <p>Fashion propose des vêtements de qualité depuis 2010. La marque propose une gamme féminine composée d'élégants vêtements à coordonner et de robes originales et offre désormais une collection complète de prêt-à-porter, regroupant toutes les pièces qu'une femme doit avoir dans sa garde-robe. Fashion se distingue avec des looks à la fois cool, simples et rafraîchissants, alliant élégance et chic, pour un style reconnaissable entre mille. Chacune des magnifiques pièces de la collection est fabriquée avec le plus grand soin en Italie. Fashion enrichit son offre avec une gamme d'accessoires incluant chaussures, chapeaux, ceintures et bien plus encore !</p> - <p>Robe de soirée imprimée à manches droites et volants, avec fine ceinture noire à la taille.</p> - robe-imprimee - - - - Robe imprimée - En stock - - - - <p>Fashion propose des vêtements de qualité depuis 2010. La marque propose une gamme féminine composée d'élégants vêtements à coordonner et de robes originales et offre désormais une collection complète de prêt-à-porter, regroupant toutes les pièces qu'une femme doit avoir dans sa garde-robe. Fashion se distingue avec des looks à la fois cool, simples et rafraîchissants, alliant élégance et chic, pour un style reconnaissable entre mille. Chacune des magnifiques pièces de la collection est fabriquée avec le plus grand soin en Italie. Fashion enrichit son offre avec une gamme d'accessoires incluant chaussures, chapeaux, ceintures et bien plus encore !</p> - <p>Longue robe imprimée à fines bretelles réglables. Décolleté en V et armature sous la poitrine. Volants au bas de la robe.</p> - robe-ete-imprimee - - - - Robe d'été imprimée - En stock - - - - <p>Fashion propose des vêtements de qualité depuis 2010. La marque propose une gamme féminine composée d'élégants vêtements à coordonner et de robes originales et offre désormais une collection complète de prêt-à-porter, regroupant toutes les pièces qu'une femme doit avoir dans sa garde-robe. Fashion se distingue avec des looks à la fois cool, simples et rafraîchissants, alliant élégance et chic, pour un style reconnaissable entre mille. Chacune des magnifiques pièces de la collection est fabriquée avec le plus grand soin en Italie. Fashion enrichit son offre avec une gamme d'accessoires incluant chaussures, chapeaux, ceintures et bien plus encore !</p> - <p>Robe en mousseline sans manches, longueur genoux. Décolleté en V avec élastique sous la poitrine.</p> - robe-ete-imprimee - - - - Robe d'été imprimée - En stock - - - - <p>Fashion propose des vêtements de qualité depuis 2010. La marque propose une gamme féminine composée d'élégants vêtements à coordonner et de robes originales et offre désormais une collection complète de prêt-à-porter, regroupant toutes les pièces qu'une femme doit avoir dans sa garde-robe. Fashion se distingue avec des looks à la fois cool, simples et rafraîchissants, alliant élégance et chic, pour un style reconnaissable entre mille. Chacune des magnifiques pièces de la collection est fabriquée avec le plus grand soin en Italie. Fashion enrichit son offre avec une gamme d'accessoires incluant chaussures, chapeaux, ceintures et bien plus encore !</p> - <p>Robe en mousseline imprimée à bretelles, longueur genoux. Profond décolleté en V.</p> - robe-mousseline-imprimee - - - - Robe en mousseline imprimée - En stock - - - diff --git a/www/_install/fixtures/fashion/langs/fr/data/profile.xml b/www/_install/fixtures/fashion/langs/fr/data/profile.xml deleted file mode 100644 index 1f0f97c..0000000 --- a/www/_install/fixtures/fashion/langs/fr/data/profile.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Logisticien - - - Traducteur - - - Commercial - - diff --git a/www/_install/fixtures/fashion/langs/fr/data/scene.xml b/www/_install/fixtures/fashion/langs/fr/data/scene.xml deleted file mode 100644 index 708079e..0000000 --- a/www/_install/fixtures/fashion/langs/fr/data/scene.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/fr/data/supplier.xml b/www/_install/fixtures/fashion/langs/fr/data/supplier.xml deleted file mode 100644 index 0c375e8..0000000 --- a/www/_install/fixtures/fashion/langs/fr/data/supplier.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/fr/data/tag.xml b/www/_install/fixtures/fashion/langs/fr/data/tag.xml deleted file mode 100644 index d413861..0000000 --- a/www/_install/fixtures/fashion/langs/fr/data/tag.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/fr/index.php b/www/_install/fixtures/fashion/langs/fr/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/langs/fr/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/id/data/attribute.xml b/www/_install/fixtures/fashion/langs/id/data/attribute.xml deleted file mode 100644 index 94b6580..0000000 --- a/www/_install/fixtures/fashion/langs/id/data/attribute.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - S - - - M - - - L - - - One size - - - Grey - - - Taupe - - - Beige - - - White - - - Off White - - - Red - - - Black - - - Camel - - - Orange - - - Blue - - - Green - - - Yellow - - - Brown - - - 35 - - - 36 - - - 37 - - - 38 - - - 39 - - - 40 - - - Pink - - diff --git a/www/_install/fixtures/fashion/langs/id/data/attribute_group.xml b/www/_install/fixtures/fashion/langs/id/data/attribute_group.xml deleted file mode 100644 index 17c82c6..0000000 --- a/www/_install/fixtures/fashion/langs/id/data/attribute_group.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - Size - Size - - - Shoes Size - Size - - - Color - Color - - diff --git a/www/_install/fixtures/fashion/langs/id/data/attributegroup.xml b/www/_install/fixtures/fashion/langs/id/data/attributegroup.xml deleted file mode 100644 index 09da13f..0000000 --- a/www/_install/fixtures/fashion/langs/id/data/attributegroup.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/id/data/carrier.xml b/www/_install/fixtures/fashion/langs/id/data/carrier.xml deleted file mode 100644 index c59766e..0000000 --- a/www/_install/fixtures/fashion/langs/id/data/carrier.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - Delivery next day! - - diff --git a/www/_install/fixtures/fashion/langs/id/data/category.xml b/www/_install/fixtures/fashion/langs/id/data/category.xml deleted file mode 100644 index 19aee46..0000000 --- a/www/_install/fixtures/fashion/langs/id/data/category.xml +++ /dev/null @@ -1,81 +0,0 @@ - - - - Women - <p><strong>You will find here all woman fashion collections.</strong></p> -<p>This category includes all the basics of your wardrobe and much more:</p> -<p>shoes, accessories, printed t-shirts, feminine dresses, women's jeans!</p> - women - - - - - - Tops - <p>Choose from t-shirts, tops, blouses, short sleeves, long sleeves, tank tops, 3/4 sleeves and more.</p> -<p>Find the cut that suits you the best!</p> - tops - - - - - - T-shirts - <p>The must have of your wardrobe, take a look at our different colors,</p> -<p>shapes and style of our collection!</p> - tshirts - - - - - - Tops - Choose the top that best suits you from the wide variety of tops we have. - top - - - - - - Blouses - Match your favorites blouses with the right accessories for the perfect look. - blouses - - - - - - Dresses - <p>Find your favorites dresses from our wide choice of evening, casual or summer dresses!</p> -<p>We offer dresses for every day, every style and every occasion.</p> - dresses - - - - - - Casual Dresses - <p>You are looking for a dress for every day? Take a look at</p> -<p>our selection of dresses to find one that suits you.</p> - casual-dresses - - - - - - Evening Dresses - Browse our different dresses to choose the perfect dress for an unforgettable evening! - evening-dresses - - - - - - Summer Dresses - Short dress, long dress, silk dress, printed dress, you will find the perfect dress for summer. - summer-dresses - - - - - diff --git a/www/_install/fixtures/fashion/langs/id/data/feature.xml b/www/_install/fixtures/fashion/langs/id/data/feature.xml deleted file mode 100644 index e09b882..0000000 --- a/www/_install/fixtures/fashion/langs/id/data/feature.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - Height - - - Width - - - Depth - - - Weight - - - Compositions - - - Styles - - - Properties - - diff --git a/www/_install/fixtures/fashion/langs/id/data/feature_value.xml b/www/_install/fixtures/fashion/langs/id/data/feature_value.xml deleted file mode 100644 index b918f11..0000000 --- a/www/_install/fixtures/fashion/langs/id/data/feature_value.xml +++ /dev/null @@ -1,102 +0,0 @@ - - - - Polyester - - - Wool - - - Viscose - - - Elastane - - - Cotton - - - Silk - - - Suede - - - Straw - - - Leather - - - Classic - - - Casual - - - Military - - - Girly - - - Rock - - - Basic - - - Dressy - - - Short Sleeve - - - Colorful Dress - - - Short Dress - - - Midi Dress - - - Maxi Dress - - - 2.75 in - - - 2.06 in - - - 49.2 g - - - 0.26 in - - - 1.07 in - - - 1.62 in - - - 15.5 g - - - 0.41 in (clip included) - - - 4.33 in - - - 2.76 in - - - 120g - - - 0.31 in - - diff --git a/www/_install/fixtures/fashion/langs/id/data/featurevalue.xml b/www/_install/fixtures/fashion/langs/id/data/featurevalue.xml deleted file mode 100644 index 7f943c0..0000000 --- a/www/_install/fixtures/fashion/langs/id/data/featurevalue.xml +++ /dev/null @@ -1,66 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/id/data/image.xml b/www/_install/fixtures/fashion/langs/id/data/image.xml deleted file mode 100644 index 0fc64cb..0000000 --- a/www/_install/fixtures/fashion/langs/id/data/image.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/id/data/index.php b/www/_install/fixtures/fashion/langs/id/data/index.php deleted file mode 100644 index f3a459e..0000000 --- a/www/_install/fixtures/fashion/langs/id/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/id/data/manufacturer.xml b/www/_install/fixtures/fashion/langs/id/data/manufacturer.xml deleted file mode 100644 index 2f09cb6..0000000 --- a/www/_install/fixtures/fashion/langs/id/data/manufacturer.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/id/data/order_message.xml b/www/_install/fixtures/fashion/langs/id/data/order_message.xml deleted file mode 100644 index 93ad3b5..0000000 --- a/www/_install/fixtures/fashion/langs/id/data/order_message.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Delay - Hi, - -Unfortunately, an item on your order is currently out of stock. This may cause a slight delay in delivery. -Please accept our apologies and rest assured that we are working hard to rectify this. - -Best regards, - - diff --git a/www/_install/fixtures/fashion/langs/id/data/ordermessage.xml b/www/_install/fixtures/fashion/langs/id/data/ordermessage.xml deleted file mode 100644 index e743f5d..0000000 --- a/www/_install/fixtures/fashion/langs/id/data/ordermessage.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/id/data/product.xml b/www/_install/fixtures/fashion/langs/id/data/product.xml deleted file mode 100644 index f6b6a1c..0000000 --- a/www/_install/fixtures/fashion/langs/id/data/product.xml +++ /dev/null @@ -1,80 +0,0 @@ - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Faded short sleeve t-shirt with high neckline. Soft and stretchy material for a comfortable fit. Accessorize with a straw hat and you're ready for summer!</p> - faded-short-sleeve-tshirts - - - - Faded Short Sleeve T-shirts - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Short sleeved blouse with feminine draped sleeve detail.</p> - blouse - - - - Blouse - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>100% cotton double printed dress. Black and white striped top and orange high waisted skater skirt bottom.</p> - printed-dress - - - - Printed Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Printed evening dress with straight sleeves with black thin waist belt and ruffled linings.</p> - printed-dress - - - - Printed Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Long printed dress with thin adjustable straps. V-neckline and wiring under the bust with ruffles at the bottom of the dress.</p> - printed-summer-dress - - - - Printed Summer Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Sleeveless knee-length chiffon dress. V-neckline with elastic under the bust lining.</p> - printed-summer-dress - - - - Printed Summer Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Printed chiffon knee length dress with tank straps. Deep v-neckline.</p> - printed-chiffon-dress - - - - Printed Chiffon Dress - In stock - - - diff --git a/www/_install/fixtures/fashion/langs/id/data/profile.xml b/www/_install/fixtures/fashion/langs/id/data/profile.xml deleted file mode 100644 index 04e6558..0000000 --- a/www/_install/fixtures/fashion/langs/id/data/profile.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Logistician - - - Translator - - - Salesman - - diff --git a/www/_install/fixtures/fashion/langs/id/data/scene.xml b/www/_install/fixtures/fashion/langs/id/data/scene.xml deleted file mode 100644 index 708079e..0000000 --- a/www/_install/fixtures/fashion/langs/id/data/scene.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/id/data/supplier.xml b/www/_install/fixtures/fashion/langs/id/data/supplier.xml deleted file mode 100644 index 0c375e8..0000000 --- a/www/_install/fixtures/fashion/langs/id/data/supplier.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/id/data/tag.xml b/www/_install/fixtures/fashion/langs/id/data/tag.xml deleted file mode 100644 index d413861..0000000 --- a/www/_install/fixtures/fashion/langs/id/data/tag.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/id/index.php b/www/_install/fixtures/fashion/langs/id/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/langs/id/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/index.php b/www/_install/fixtures/fashion/langs/index.php deleted file mode 100644 index b5fc656..0000000 --- a/www/_install/fixtures/fashion/langs/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/it/data/attribute.xml b/www/_install/fixtures/fashion/langs/it/data/attribute.xml deleted file mode 100644 index 222283a..0000000 --- a/www/_install/fixtures/fashion/langs/it/data/attribute.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - S - - - M - - - L - - - Taglia unica - - - Grigio - - - Talpa - - - Beige - - - Bianco - - - Avorio - - - Rosso - - - Nero - - - Cammello - - - Arancione - - - Blu - - - Verde - - - Giallo - - - Marrone - - - 35 - - - 36 - - - 37 - - - 38 - - - 39 - - - 40 - - - Rosa - - diff --git a/www/_install/fixtures/fashion/langs/it/data/attribute_group.xml b/www/_install/fixtures/fashion/langs/it/data/attribute_group.xml deleted file mode 100644 index 17c82c6..0000000 --- a/www/_install/fixtures/fashion/langs/it/data/attribute_group.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - Size - Size - - - Shoes Size - Size - - - Color - Color - - diff --git a/www/_install/fixtures/fashion/langs/it/data/attributegroup.xml b/www/_install/fixtures/fashion/langs/it/data/attributegroup.xml deleted file mode 100644 index 09da13f..0000000 --- a/www/_install/fixtures/fashion/langs/it/data/attributegroup.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/it/data/carrier.xml b/www/_install/fixtures/fashion/langs/it/data/carrier.xml deleted file mode 100644 index 0cef824..0000000 --- a/www/_install/fixtures/fashion/langs/it/data/carrier.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - Consegna il giorno successivo! - - diff --git a/www/_install/fixtures/fashion/langs/it/data/category.xml b/www/_install/fixtures/fashion/langs/it/data/category.xml deleted file mode 100644 index 2f4cc0d..0000000 --- a/www/_install/fixtures/fashion/langs/it/data/category.xml +++ /dev/null @@ -1,81 +0,0 @@ - - - - Donna - <p><strong>Qui troverete tutte le collezioni moda donna.</strong></p> -<p>Questa categoria comprende tutti i capi base del vostro guardaroba e molto altro:</p> -<p>scarpe, accessori, T-shirt stampate, abiti femminili, jeans da donna!</p> - donna - - - - - - Top - <p>Scegliete tra T-shirt, top, camicette, maniche corte, maniche lunghe, canottiere, maniche a 3/4 e altro.</p> -<p>Trovate il modello più adatto a voi!</p> - top - - - - - - T-shirt - <p>Il must del vostro guardaroba, date un'occhiata ai vari colori,</p> -<p>forme e modelli della nostra collezione!</p> - tshirt - - - - - - Top - Scegliete il capo più adatto a voi nell'ampia varietà di top proposta. - top - - - - - - Camicette - Abbinate le vostre camicette preferite agli accessori giusti per un look perfetto. - camicette - - - - - - Abiti - <p>Trovate il vostro abbigliamento preferito nella nostra ampia scelta di abiti da sera, casual o estivi!</p> -<p>Proponiamo abiti per tutti i giorni, tutti gli stili e tutte le occasioni.</p> - abiti - - - - - - Abiti casual - <p>State cercando un abito per tutti i giorni? Date un'occhiata alla</p> -<p>nostra selezione di abiti per trovare quello adatto a voi.</p> - abiti-casual - - - - - - Abiti da sera - Curiosate tra i nostri abiti per scegliere il capo perfetto per una serata indimenticabile! - abiti-da-sera - - - - - - Abiti estivi - Abito corto, abito lungo, abito in seta, abito stampato... qui troverete l'abito perfetto per l'estate. - abiti-estivi - - - - - diff --git a/www/_install/fixtures/fashion/langs/it/data/feature.xml b/www/_install/fixtures/fashion/langs/it/data/feature.xml deleted file mode 100644 index 20e43fb..0000000 --- a/www/_install/fixtures/fashion/langs/it/data/feature.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - Altezza - - - Larghezza - - - Profondità - - - Peso - - - Composizioni - - - Modelli - - - Proprietà - - diff --git a/www/_install/fixtures/fashion/langs/it/data/feature_value.xml b/www/_install/fixtures/fashion/langs/it/data/feature_value.xml deleted file mode 100644 index ca6d38a..0000000 --- a/www/_install/fixtures/fashion/langs/it/data/feature_value.xml +++ /dev/null @@ -1,102 +0,0 @@ - - - - Poliestere - - - Lana - - - Viscosa - - - Elastan - - - Cotone - - - Seta - - - Pelle scamosciata - - - Paglia - - - Pelle - - - Classico - - - Casual - - - Militare - - - Femminile - - - Rock - - - Base - - - Elegante - - - Manica corta - - - Abito colorato - - - Abito corto - - - Abito midi - - - Abito maxi - - - 2.75 in - - - 2.06 in - - - 49.2 g - - - 0.26 in - - - 1.07 in - - - 1.62 in - - - 15.5 g - - - 0.41 in (clip included) - - - 4.33 in - - - 2.76 in - - - 120g - - - 0.31 in - - diff --git a/www/_install/fixtures/fashion/langs/it/data/featurevalue.xml b/www/_install/fixtures/fashion/langs/it/data/featurevalue.xml deleted file mode 100644 index 7f943c0..0000000 --- a/www/_install/fixtures/fashion/langs/it/data/featurevalue.xml +++ /dev/null @@ -1,66 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/it/data/image.xml b/www/_install/fixtures/fashion/langs/it/data/image.xml deleted file mode 100644 index 0fc64cb..0000000 --- a/www/_install/fixtures/fashion/langs/it/data/image.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/it/data/index.php b/www/_install/fixtures/fashion/langs/it/data/index.php deleted file mode 100644 index f3a459e..0000000 --- a/www/_install/fixtures/fashion/langs/it/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/it/data/manufacturer.xml b/www/_install/fixtures/fashion/langs/it/data/manufacturer.xml deleted file mode 100644 index 2f09cb6..0000000 --- a/www/_install/fixtures/fashion/langs/it/data/manufacturer.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/it/data/order_message.xml b/www/_install/fixtures/fashion/langs/it/data/order_message.xml deleted file mode 100644 index 59201aa..0000000 --- a/www/_install/fixtures/fashion/langs/it/data/order_message.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Ritardo - Buongiorno, - -purtroppo un articolo che hai ordinato è momentaneamente esaurito. Potrebbe pertanto verificarsi un leggero ritardo nella consegna. -Scusandoci per l'inconveniente, ti assicuriamo che stiamo facendo del nostro meglio per risolverlo. - -Cordiali saluti, - - diff --git a/www/_install/fixtures/fashion/langs/it/data/ordermessage.xml b/www/_install/fixtures/fashion/langs/it/data/ordermessage.xml deleted file mode 100644 index e743f5d..0000000 --- a/www/_install/fixtures/fashion/langs/it/data/ordermessage.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/it/data/product.xml b/www/_install/fixtures/fashion/langs/it/data/product.xml deleted file mode 100644 index f9146a1..0000000 --- a/www/_install/fixtures/fashion/langs/it/data/product.xml +++ /dev/null @@ -1,80 +0,0 @@ - - - - <p>Dal 2010 Fashion crea collezioni di moda particolarmente curate. Il brand propone modelli femminili costituiti da eleganti coordinati e abiti iconici, che da allora si sono evoluti in una collezione prêt-à-porter completa in cui ogni articolo è una parte essenziale del guardaroba di ogni donna. Il risultato? Look trendy, comodi e chic dall'eleganza giovanile e dal caratteristico stile inconfondibile. Tutti i meravigliosi capi sono realizzati in Italia e fabbricati con la massima attenzione. Ora Fashion si ingrandisce proponendo una gamma di accessori che comprendono scarpe, cappelli, cinture e molto altro!</p> - <p>T-shirt scolorita a manica corta con scollatura alta. Materiale morbido ed elastico per una vestibilità comoda. Accessoriatela con un cappello in paglia e siete pronte per l'estate!</p> - tshirt-scolorite-manica-corta - - - - T-shirt scolorite a manica corta - In stock - - - - <p>Dal 2010 Fashion crea collezioni di moda particolarmente curate. Il brand propone modelli femminili costituiti da eleganti coordinati e abiti iconici, che da allora si sono evoluti in una collezione prêt-à-porter completa in cui ogni articolo è una parte essenziale del guardaroba di ogni donna. Il risultato? Look trendy, comodi e chic dall'eleganza giovanile e dal caratteristico stile inconfondibile. Tutti i meravigliosi capi sono realizzati in Italia e fabbricati con la massima attenzione. Ora Fashion si ingrandisce proponendo una gamma di accessori che comprendono scarpe, cappelli, cinture e molto altro!</p> - <p>Camicetta a manica corta con dettaglio femminile di manica drappeggiata.</p> - camicetta - - - - Camicetta - In stock - - - - <p>Dal 2010 Fashion crea collezioni di moda particolarmente curate. Il brand propone modelli femminili costituiti da eleganti coordinati e abiti iconici, che da allora si sono evoluti in una collezione prêt-à-porter completa in cui ogni articolo è una parte essenziale del guardaroba di ogni donna. Il risultato? Look trendy, comodi e chic dall'eleganza giovanile e dal caratteristico stile inconfondibile. Tutti i meravigliosi capi sono realizzati in Italia e fabbricati con la massima attenzione. Ora Fashion si ingrandisce proponendo una gamma di accessori che comprendono scarpe, cappelli, cinture e molto altro!</p> - <p>Abito stampato doppio in 100% cotone. Top a righe bianche e nere con gonna arancione da pattinatrice a vita alta.</p> - abito-stampato - - - - Abito stampato - In stock - - - - <p>Dal 2010 Fashion crea collezioni di moda particolarmente curate. Il brand propone modelli femminili costituiti da eleganti coordinati e abiti iconici, che da allora si sono evoluti in una collezione prêt-à-porter completa in cui ogni articolo è una parte essenziale del guardaroba di ogni donna. Il risultato? Look trendy, comodi e chic dall'eleganza giovanile e dal caratteristico stile inconfondibile. Tutti i meravigliosi capi sono realizzati in Italia e fabbricati con la massima attenzione. Ora Fashion si ingrandisce proponendo una gamma di accessori che comprendono scarpe, cappelli, cinture e molto altro!</p> - <p>Abito da sera stampato con maniche dritte, sottile cintura nera in vita e gonna a balze.</p> - abito-stampato - - - - Abito stampato - In stock - - - - <p>Dal 2010 Fashion crea collezioni di moda particolarmente curate. Il brand propone modelli femminili costituiti da eleganti coordinati e abiti iconici, che da allora si sono evoluti in una collezione prêt-à-porter completa in cui ogni articolo è una parte essenziale del guardaroba di ogni donna. Il risultato? Look trendy, comodi e chic dall'eleganza giovanile e dal caratteristico stile inconfondibile. Tutti i meravigliosi capi sono realizzati in Italia e fabbricati con la massima attenzione. Ora Fashion si ingrandisce proponendo una gamma di accessori che comprendono scarpe, cappelli, cinture e molto altro!</p> - <p>Abito stampato lungo con sottili spalline regolabili. Scollo a V e ferretto sotto il seno con balze sul fondo dell'abito.</p> - abito-estivo-stampato - - - - Abito estivo stampato - In stock - - - - <p>Dal 2010 Fashion crea collezioni di moda particolarmente curate. Il brand propone modelli femminili costituiti da eleganti coordinati e abiti iconici, che da allora si sono evoluti in una collezione prêt-à-porter completa in cui ogni articolo è una parte essenziale del guardaroba di ogni donna. Il risultato? Look trendy, comodi e chic dall'eleganza giovanile e dal caratteristico stile inconfondibile. Tutti i meravigliosi capi sono realizzati in Italia e fabbricati con la massima attenzione. Ora Fashion si ingrandisce proponendo una gamma di accessori che comprendono scarpe, cappelli, cinture e molto altro!</p> - <p>Abito smanicato al ginocchio in chiffon. Scollo a V con elastico sotto il seno.</p> - abito-estivo-stampato - - - - Abito estivo stampato - In stock - - - - <p>Dal 2010 Fashion crea collezioni di moda particolarmente curate. Il brand propone modelli femminili costituiti da eleganti coordinati e abiti iconici, che da allora si sono evoluti in una collezione prêt-à-porter completa in cui ogni articolo è una parte essenziale del guardaroba di ogni donna. Il risultato? Look trendy, comodi e chic dall'eleganza giovanile e dal caratteristico stile inconfondibile. Tutti i meravigliosi capi sono realizzati in Italia e fabbricati con la massima attenzione. Ora Fashion si ingrandisce proponendo una gamma di accessori che comprendono scarpe, cappelli, cinture e molto altro!</p> - <p>Abito stampato al ginocchio in chiffon con spalline a canotta. Profonda scollatura a V.</p> - abito-stampato-chiffon - - - - Abito stampato in chiffon - In stock - - - diff --git a/www/_install/fixtures/fashion/langs/it/data/profile.xml b/www/_install/fixtures/fashion/langs/it/data/profile.xml deleted file mode 100644 index abdf63c..0000000 --- a/www/_install/fixtures/fashion/langs/it/data/profile.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Responsabile logistica - - - Traduttore - - - Commesso - - diff --git a/www/_install/fixtures/fashion/langs/it/data/scene.xml b/www/_install/fixtures/fashion/langs/it/data/scene.xml deleted file mode 100644 index 708079e..0000000 --- a/www/_install/fixtures/fashion/langs/it/data/scene.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/it/data/supplier.xml b/www/_install/fixtures/fashion/langs/it/data/supplier.xml deleted file mode 100644 index 0c375e8..0000000 --- a/www/_install/fixtures/fashion/langs/it/data/supplier.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/it/data/tag.xml b/www/_install/fixtures/fashion/langs/it/data/tag.xml deleted file mode 100644 index d413861..0000000 --- a/www/_install/fixtures/fashion/langs/it/data/tag.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/it/index.php b/www/_install/fixtures/fashion/langs/it/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/langs/it/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/nl/data/attribute.xml b/www/_install/fixtures/fashion/langs/nl/data/attribute.xml deleted file mode 100644 index 1af3d61..0000000 --- a/www/_install/fixtures/fashion/langs/nl/data/attribute.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - S - - - M - - - L - - - One size - - - Grijs - - - Taupe - - - Beige - - - Wit - - - Gebroken wit - - - Rood - - - Zwart - - - Camel - - - Oranje - - - Blauw - - - Groen - - - Geel - - - Bruin - - - 35 - - - 36 - - - 37 - - - 38 - - - 39 - - - 40 - - - Roze - - diff --git a/www/_install/fixtures/fashion/langs/nl/data/attribute_group.xml b/www/_install/fixtures/fashion/langs/nl/data/attribute_group.xml deleted file mode 100644 index 17c82c6..0000000 --- a/www/_install/fixtures/fashion/langs/nl/data/attribute_group.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - Size - Size - - - Shoes Size - Size - - - Color - Color - - diff --git a/www/_install/fixtures/fashion/langs/nl/data/attributegroup.xml b/www/_install/fixtures/fashion/langs/nl/data/attributegroup.xml deleted file mode 100644 index 09da13f..0000000 --- a/www/_install/fixtures/fashion/langs/nl/data/attributegroup.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/nl/data/carrier.xml b/www/_install/fixtures/fashion/langs/nl/data/carrier.xml deleted file mode 100644 index 072f76c..0000000 --- a/www/_install/fixtures/fashion/langs/nl/data/carrier.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - De volgende dag in huis! - - diff --git a/www/_install/fixtures/fashion/langs/nl/data/category.xml b/www/_install/fixtures/fashion/langs/nl/data/category.xml deleted file mode 100644 index a31bc5f..0000000 --- a/www/_install/fixtures/fashion/langs/nl/data/category.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - Dames - <p><strong>Hier vindt u alle modecollecties voor dames.</strong></p><p>In deze categorie vindt u alle basics voor in uw garderobe en nog veel meer:</p><p>schoenen, accessoires, bedrukte T-shirts, vrouwelijke jurken, jeans voor dames!</p> - dames - - - - - - Tops - <p>Keuze uit T-shirts, tops, blouses, korte mouwen, lange mouwen, tank tops, 3/4 mouwen en nog veel meer.</p><p>Vind de beste snit!</p> - tops - - - - - - T-shirts - <p>De 'must have' van uw garderobe, ontdek alle kleuren,</p><p>vormen en stijlen van onze collectie!</p> - t-shirts - - - - - - Tops - Kies uw top uit ons ruime aanbod. - top - - - - - - Blouses - Combineer uw favoriete blouses met de juiste accessoires voor de perfecte look. - blouse - - - - - - Jurken - <p>Ontdek uw favoriete jurk in ons ruim aanbod avond-, zomer- en casual jurken!</p><p>We hebben jurken voor elke dag, elke stijl en elke gelegenheid.</p> - jurken - - - - - - Casual Jurken - <p>U bent op zoek naar een casual jurk? Bekijk</p><p>onze jurkenselectie, er zit vast iets voor u tussen.</p> - casual-jurken - - - - - - Avondjurken - Blader door onze verschillende jurken en kies de perfecte jurk voor een onvergetelijke avond! - avondjurken - - - - - - Zomerjurken - Korte jurk, lange jurk, zijde jurk, bedrukte jurk, u vindt vast en zeker de perfecte zomerjurk. - zomerjurken - - - - - diff --git a/www/_install/fixtures/fashion/langs/nl/data/feature.xml b/www/_install/fixtures/fashion/langs/nl/data/feature.xml deleted file mode 100644 index 23ba29e..0000000 --- a/www/_install/fixtures/fashion/langs/nl/data/feature.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - Hoogte - - - Breedte - - - Diepte - - - Gewicht - - - Samenstellingen - - - Stijlen - - - Eigenschappen - - diff --git a/www/_install/fixtures/fashion/langs/nl/data/feature_value.xml b/www/_install/fixtures/fashion/langs/nl/data/feature_value.xml deleted file mode 100644 index 89d6f12..0000000 --- a/www/_install/fixtures/fashion/langs/nl/data/feature_value.xml +++ /dev/null @@ -1,102 +0,0 @@ - - - - Polyester - - - Wol - - - Viscose - - - Elastaan - - - Katoen - - - Zijde - - - Suède - - - Stro - - - Leer - - - Klassiek - - - Casual - - - Militair - - - Meisjesachtig - - - Rock - - - Basic - - - Dressy - - - Korte mouwen - - - Kleurige jurk - - - Korte jurk - - - Midi jurk - - - Maxi jurk - - - 2.75 in - - - 2.06 in - - - 49.2 g - - - 0.26 in - - - 1.07 in - - - 1.62 in - - - 15.5 g - - - 0.41 in (clip included) - - - 4.33 in - - - 2.76 in - - - 120g - - - 0.31 in - - diff --git a/www/_install/fixtures/fashion/langs/nl/data/featurevalue.xml b/www/_install/fixtures/fashion/langs/nl/data/featurevalue.xml deleted file mode 100644 index 7f943c0..0000000 --- a/www/_install/fixtures/fashion/langs/nl/data/featurevalue.xml +++ /dev/null @@ -1,66 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/nl/data/image.xml b/www/_install/fixtures/fashion/langs/nl/data/image.xml deleted file mode 100644 index 0fc64cb..0000000 --- a/www/_install/fixtures/fashion/langs/nl/data/image.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/nl/data/index.php b/www/_install/fixtures/fashion/langs/nl/data/index.php deleted file mode 100644 index f3a459e..0000000 --- a/www/_install/fixtures/fashion/langs/nl/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/nl/data/manufacturer.xml b/www/_install/fixtures/fashion/langs/nl/data/manufacturer.xml deleted file mode 100644 index 2f09cb6..0000000 --- a/www/_install/fixtures/fashion/langs/nl/data/manufacturer.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/nl/data/order_message.xml b/www/_install/fixtures/fashion/langs/nl/data/order_message.xml deleted file mode 100644 index 02b0ed7..0000000 --- a/www/_install/fixtures/fashion/langs/nl/data/order_message.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - Vertraging - Hallo, Een van de door u bestelde artikelen is momenteel niet op voorraad. Hierdoor kan de levertijd iets uitlopen. Wij bieden u onze excuses aan en doen er alles aan om u zo snel mogelijk te leveren. Met vriendelijke groet, - - diff --git a/www/_install/fixtures/fashion/langs/nl/data/ordermessage.xml b/www/_install/fixtures/fashion/langs/nl/data/ordermessage.xml deleted file mode 100644 index e743f5d..0000000 --- a/www/_install/fixtures/fashion/langs/nl/data/ordermessage.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/nl/data/product.xml b/www/_install/fixtures/fashion/langs/nl/data/product.xml deleted file mode 100644 index e7c2d46..0000000 --- a/www/_install/fixtures/fashion/langs/nl/data/product.xml +++ /dev/null @@ -1,80 +0,0 @@ - - - - <p>Fashion maakt goed ontworpen collecties sinds 2010. Het merk biedt vrouwelijke combineerbare kleding en statement dresses en heeft een prêt-à-porter collectie ontwikkeld met kledingstukken die niet in een garderobe mogen ontbreken. Het resultaat? Cool, gemakkelijk, easy, chique met jeugdige elegantie en een duidelijk herkenbare stijl. Alle prachtige kledingstukken worden met de grootste zorg gemaakt in Italië. Fashion breidt zijn aanbod uit met accessoires zoals schoenen, hoeden, riemen!</p> - <p>Gebleekt T-shirt met korte mouwen en hoge halslijn. Zacht en elastisch materiaal zorgt voor een comfortabele pasvorm. Maak het af met een strooien hoed en u bent klaar voor de zomer!</p> - gebleekte-T-shirts-met-korte-mouwen - - - - Gebleekte T-shirts met Korte Mouwen - Op voorraad - - - - <p>Fashion maakt goed ontworpen collecties sinds 2010. Het merk biedt vrouwelijke combineerbare kleding en statement dresses en heeft een prêt-à-porter collectie ontwikkeld met kledingstukken die niet in een garderobe mogen ontbreken. Het resultaat? Cool, gemakkelijk, easy, chique met jeugdige elegantie en een duidelijk herkenbare stijl. Alle prachtige kledingstukken worden met de grootste zorg gemaakt in Italië. Fashion breidt zijn aanbod uit met accessoires zoals schoenen, hoeden, riemen!</p> - <p>Blouse met korte mouwen en gedrapeerd detail.</p> - blouse - - - - Blouse - Op voorraad - - - - <p>Fashion maakt goed ontworpen collecties sinds 2010. Het merk biedt vrouwelijke combineerbare kleding en statement dresses en heeft een prêt-à-porter collectie ontwikkeld met kledingstukken die niet in een garderobe mogen ontbreken. Het resultaat? Cool, gemakkelijk, easy, chique met jeugdige elegantie en een duidelijk herkenbare stijl. Alle prachtige kledingstukken worden met de grootste zorg gemaakt in Italië. Fashion breidt zijn aanbod uit met accessoires zoals schoenen, hoeden, riemen!</p> - <p>100% katoen dubbel bedrukte jurk. Zwart-wit gestreepte top en oranje rok met hoge taille.</p> - bedrukte-jurk - - - - Bedrukte Jurk - Op voorraad - - - - <p>Fashion maakt goed ontworpen collecties sinds 2010. Het merk biedt vrouwelijke combineerbare kleding en statement dresses en heeft een prêt-à-porter collectie ontwikkeld met kledingstukken die niet in een garderobe mogen ontbreken. Het resultaat? Cool, gemakkelijk, easy, chique met jeugdige elegantie en een duidelijk herkenbare stijl. Alle prachtige kledingstukken worden met de grootste zorg gemaakt in Italië. Fashion breidt zijn aanbod uit met accessoires zoals schoenen, hoeden, riemen!</p> - <p>Bedrukte avondjurk met rechte mouwen, dunne zwarte riem en gelaagde rok.</p> - bedrukte-jurk - - - - Bedrukte Jurk - Op voorraad - - - - <p>Fashion maakt goed ontworpen collecties sinds 2010. Het merk biedt vrouwelijke combineerbare kleding en statement dresses en heeft een prêt-à-porter collectie ontwikkeld met kledingstukken die niet in een garderobe mogen ontbreken. Het resultaat? Cool, gemakkelijk, easy, chique met jeugdige elegantie en een duidelijk herkenbare stijl. Alle prachtige kledingstukken worden met de grootste zorg gemaakt in Italië. Fashion breidt zijn aanbod uit met accessoires zoals schoenen, hoeden, riemen!</p> - <p>Lange bedrukte jurk met smalle verstelbare bandjes. V-hals en gesmokte bies onder de buste. Ruches aan de onderkant.</p> - bedrukte-zomer-jurk - - - - Bedrukte Zomerjurk - Op voorraad - - - - <p>Fashion maakt goed ontworpen collecties sinds 2010. Het merk biedt vrouwelijke combineerbare kleding en statement dresses en heeft een prêt-à-porter collectie ontwikkeld met kledingstukken die niet in een garderobe mogen ontbreken. Het resultaat? Cool, gemakkelijk, easy, chique met jeugdige elegantie en een duidelijk herkenbare stijl. Alle prachtige kledingstukken worden met de grootste zorg gemaakt in Italië. Fashion breidt zijn aanbod uit met accessoires zoals schoenen, hoeden, riemen!</p> - <p>Mouwloos jurkje van chiffon tot op de knie. V-hals en elastische inzet onder de buste.</p> - bedrukte-zomer-jurk - - - - Bedrukte Zomerjurk - Op voorraad - - - - <p>Fashion maakt goed ontworpen collecties sinds 2010. Het merk biedt vrouwelijke combineerbare kleding en statement dresses en heeft een prêt-à-porter collectie ontwikkeld met kledingstukken die niet in een garderobe mogen ontbreken. Het resultaat? Cool, gemakkelijk, easy, chique met jeugdige elegantie en een duidelijk herkenbare stijl. Alle prachtige kledingstukken worden met de grootste zorg gemaakt in Italië. Fashion breidt zijn aanbod uit met accessoires zoals schoenen, hoeden, riemen!</p> - <p>Jurkje van chiffon tot op de knie met smalle schouderbandjes. Diepe V-hals.</p> - bedrukt-jurkje-chiffon - - - - Bedrukt jurkje van chiffon - Op voorraad - - - diff --git a/www/_install/fixtures/fashion/langs/nl/data/profile.xml b/www/_install/fixtures/fashion/langs/nl/data/profile.xml deleted file mode 100644 index 92fa0ec..0000000 --- a/www/_install/fixtures/fashion/langs/nl/data/profile.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Logistiek medewerker - - - Vertaler - - - Verkoper - - diff --git a/www/_install/fixtures/fashion/langs/nl/data/scene.xml b/www/_install/fixtures/fashion/langs/nl/data/scene.xml deleted file mode 100644 index 708079e..0000000 --- a/www/_install/fixtures/fashion/langs/nl/data/scene.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/nl/data/supplier.xml b/www/_install/fixtures/fashion/langs/nl/data/supplier.xml deleted file mode 100644 index 0c375e8..0000000 --- a/www/_install/fixtures/fashion/langs/nl/data/supplier.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/nl/data/tag.xml b/www/_install/fixtures/fashion/langs/nl/data/tag.xml deleted file mode 100644 index d413861..0000000 --- a/www/_install/fixtures/fashion/langs/nl/data/tag.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/nl/index.php b/www/_install/fixtures/fashion/langs/nl/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/langs/nl/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/pl/data/attribute.xml b/www/_install/fixtures/fashion/langs/pl/data/attribute.xml deleted file mode 100644 index 94b6580..0000000 --- a/www/_install/fixtures/fashion/langs/pl/data/attribute.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - S - - - M - - - L - - - One size - - - Grey - - - Taupe - - - Beige - - - White - - - Off White - - - Red - - - Black - - - Camel - - - Orange - - - Blue - - - Green - - - Yellow - - - Brown - - - 35 - - - 36 - - - 37 - - - 38 - - - 39 - - - 40 - - - Pink - - diff --git a/www/_install/fixtures/fashion/langs/pl/data/attribute_group.xml b/www/_install/fixtures/fashion/langs/pl/data/attribute_group.xml deleted file mode 100644 index 17c82c6..0000000 --- a/www/_install/fixtures/fashion/langs/pl/data/attribute_group.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - Size - Size - - - Shoes Size - Size - - - Color - Color - - diff --git a/www/_install/fixtures/fashion/langs/pl/data/attributegroup.xml b/www/_install/fixtures/fashion/langs/pl/data/attributegroup.xml deleted file mode 100644 index 09da13f..0000000 --- a/www/_install/fixtures/fashion/langs/pl/data/attributegroup.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/pl/data/carrier.xml b/www/_install/fixtures/fashion/langs/pl/data/carrier.xml deleted file mode 100644 index c59766e..0000000 --- a/www/_install/fixtures/fashion/langs/pl/data/carrier.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - Delivery next day! - - diff --git a/www/_install/fixtures/fashion/langs/pl/data/category.xml b/www/_install/fixtures/fashion/langs/pl/data/category.xml deleted file mode 100644 index 19aee46..0000000 --- a/www/_install/fixtures/fashion/langs/pl/data/category.xml +++ /dev/null @@ -1,81 +0,0 @@ - - - - Women - <p><strong>You will find here all woman fashion collections.</strong></p> -<p>This category includes all the basics of your wardrobe and much more:</p> -<p>shoes, accessories, printed t-shirts, feminine dresses, women's jeans!</p> - women - - - - - - Tops - <p>Choose from t-shirts, tops, blouses, short sleeves, long sleeves, tank tops, 3/4 sleeves and more.</p> -<p>Find the cut that suits you the best!</p> - tops - - - - - - T-shirts - <p>The must have of your wardrobe, take a look at our different colors,</p> -<p>shapes and style of our collection!</p> - tshirts - - - - - - Tops - Choose the top that best suits you from the wide variety of tops we have. - top - - - - - - Blouses - Match your favorites blouses with the right accessories for the perfect look. - blouses - - - - - - Dresses - <p>Find your favorites dresses from our wide choice of evening, casual or summer dresses!</p> -<p>We offer dresses for every day, every style and every occasion.</p> - dresses - - - - - - Casual Dresses - <p>You are looking for a dress for every day? Take a look at</p> -<p>our selection of dresses to find one that suits you.</p> - casual-dresses - - - - - - Evening Dresses - Browse our different dresses to choose the perfect dress for an unforgettable evening! - evening-dresses - - - - - - Summer Dresses - Short dress, long dress, silk dress, printed dress, you will find the perfect dress for summer. - summer-dresses - - - - - diff --git a/www/_install/fixtures/fashion/langs/pl/data/feature.xml b/www/_install/fixtures/fashion/langs/pl/data/feature.xml deleted file mode 100644 index e09b882..0000000 --- a/www/_install/fixtures/fashion/langs/pl/data/feature.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - Height - - - Width - - - Depth - - - Weight - - - Compositions - - - Styles - - - Properties - - diff --git a/www/_install/fixtures/fashion/langs/pl/data/feature_value.xml b/www/_install/fixtures/fashion/langs/pl/data/feature_value.xml deleted file mode 100644 index b918f11..0000000 --- a/www/_install/fixtures/fashion/langs/pl/data/feature_value.xml +++ /dev/null @@ -1,102 +0,0 @@ - - - - Polyester - - - Wool - - - Viscose - - - Elastane - - - Cotton - - - Silk - - - Suede - - - Straw - - - Leather - - - Classic - - - Casual - - - Military - - - Girly - - - Rock - - - Basic - - - Dressy - - - Short Sleeve - - - Colorful Dress - - - Short Dress - - - Midi Dress - - - Maxi Dress - - - 2.75 in - - - 2.06 in - - - 49.2 g - - - 0.26 in - - - 1.07 in - - - 1.62 in - - - 15.5 g - - - 0.41 in (clip included) - - - 4.33 in - - - 2.76 in - - - 120g - - - 0.31 in - - diff --git a/www/_install/fixtures/fashion/langs/pl/data/featurevalue.xml b/www/_install/fixtures/fashion/langs/pl/data/featurevalue.xml deleted file mode 100644 index 7f943c0..0000000 --- a/www/_install/fixtures/fashion/langs/pl/data/featurevalue.xml +++ /dev/null @@ -1,66 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/pl/data/image.xml b/www/_install/fixtures/fashion/langs/pl/data/image.xml deleted file mode 100644 index 0fc64cb..0000000 --- a/www/_install/fixtures/fashion/langs/pl/data/image.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/pl/data/index.php b/www/_install/fixtures/fashion/langs/pl/data/index.php deleted file mode 100644 index f3a459e..0000000 --- a/www/_install/fixtures/fashion/langs/pl/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/pl/data/manufacturer.xml b/www/_install/fixtures/fashion/langs/pl/data/manufacturer.xml deleted file mode 100644 index 2f09cb6..0000000 --- a/www/_install/fixtures/fashion/langs/pl/data/manufacturer.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/pl/data/order_message.xml b/www/_install/fixtures/fashion/langs/pl/data/order_message.xml deleted file mode 100644 index 93ad3b5..0000000 --- a/www/_install/fixtures/fashion/langs/pl/data/order_message.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Delay - Hi, - -Unfortunately, an item on your order is currently out of stock. This may cause a slight delay in delivery. -Please accept our apologies and rest assured that we are working hard to rectify this. - -Best regards, - - diff --git a/www/_install/fixtures/fashion/langs/pl/data/ordermessage.xml b/www/_install/fixtures/fashion/langs/pl/data/ordermessage.xml deleted file mode 100644 index e743f5d..0000000 --- a/www/_install/fixtures/fashion/langs/pl/data/ordermessage.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/pl/data/product.xml b/www/_install/fixtures/fashion/langs/pl/data/product.xml deleted file mode 100644 index f6b6a1c..0000000 --- a/www/_install/fixtures/fashion/langs/pl/data/product.xml +++ /dev/null @@ -1,80 +0,0 @@ - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Faded short sleeve t-shirt with high neckline. Soft and stretchy material for a comfortable fit. Accessorize with a straw hat and you're ready for summer!</p> - faded-short-sleeve-tshirts - - - - Faded Short Sleeve T-shirts - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Short sleeved blouse with feminine draped sleeve detail.</p> - blouse - - - - Blouse - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>100% cotton double printed dress. Black and white striped top and orange high waisted skater skirt bottom.</p> - printed-dress - - - - Printed Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Printed evening dress with straight sleeves with black thin waist belt and ruffled linings.</p> - printed-dress - - - - Printed Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Long printed dress with thin adjustable straps. V-neckline and wiring under the bust with ruffles at the bottom of the dress.</p> - printed-summer-dress - - - - Printed Summer Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Sleeveless knee-length chiffon dress. V-neckline with elastic under the bust lining.</p> - printed-summer-dress - - - - Printed Summer Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Printed chiffon knee length dress with tank straps. Deep v-neckline.</p> - printed-chiffon-dress - - - - Printed Chiffon Dress - In stock - - - diff --git a/www/_install/fixtures/fashion/langs/pl/data/profile.xml b/www/_install/fixtures/fashion/langs/pl/data/profile.xml deleted file mode 100644 index 04e6558..0000000 --- a/www/_install/fixtures/fashion/langs/pl/data/profile.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Logistician - - - Translator - - - Salesman - - diff --git a/www/_install/fixtures/fashion/langs/pl/data/scene.xml b/www/_install/fixtures/fashion/langs/pl/data/scene.xml deleted file mode 100644 index 708079e..0000000 --- a/www/_install/fixtures/fashion/langs/pl/data/scene.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/pl/data/supplier.xml b/www/_install/fixtures/fashion/langs/pl/data/supplier.xml deleted file mode 100644 index 0c375e8..0000000 --- a/www/_install/fixtures/fashion/langs/pl/data/supplier.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/pl/data/tag.xml b/www/_install/fixtures/fashion/langs/pl/data/tag.xml deleted file mode 100644 index d413861..0000000 --- a/www/_install/fixtures/fashion/langs/pl/data/tag.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/pl/index.php b/www/_install/fixtures/fashion/langs/pl/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/langs/pl/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/qc/data/attribute.xml b/www/_install/fixtures/fashion/langs/qc/data/attribute.xml deleted file mode 100644 index c30ff93..0000000 --- a/www/_install/fixtures/fashion/langs/qc/data/attribute.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - S - - - M - - - L - - - Taille unique - - - Gris - - - Taupe - - - Beige - - - Blanc - - - Blanc cassé - - - Rouge - - - Noir - - - Camel - - - Orange - - - Bleu - - - Vert - - - Jaune - - - Marron - - - 35 - - - 36 - - - 37 - - - 38 - - - 39 - - - 40 - - - Rose - - diff --git a/www/_install/fixtures/fashion/langs/qc/data/attribute_group.xml b/www/_install/fixtures/fashion/langs/qc/data/attribute_group.xml deleted file mode 100644 index 03aa3b8..0000000 --- a/www/_install/fixtures/fashion/langs/qc/data/attribute_group.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - Taille - Taille - - - Pointure - Pointure - - - Couleur - Couleur - - diff --git a/www/_install/fixtures/fashion/langs/qc/data/attributegroup.xml b/www/_install/fixtures/fashion/langs/qc/data/attributegroup.xml deleted file mode 100644 index 09da13f..0000000 --- a/www/_install/fixtures/fashion/langs/qc/data/attributegroup.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/qc/data/carrier.xml b/www/_install/fixtures/fashion/langs/qc/data/carrier.xml deleted file mode 100644 index 85501d5..0000000 --- a/www/_install/fixtures/fashion/langs/qc/data/carrier.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - Livraison le lendemain ! - - diff --git a/www/_install/fixtures/fashion/langs/qc/data/category.xml b/www/_install/fixtures/fashion/langs/qc/data/category.xml deleted file mode 100644 index 988e631..0000000 --- a/www/_install/fixtures/fashion/langs/qc/data/category.xml +++ /dev/null @@ -1,81 +0,0 @@ - - - - Femmes - <p><strong>Vous trouverez ici toutes les collections mode pour femmes.</strong></p> -<p>Cette catégorie regroupe tous les basiques de votre garde-robe et bien plus encore :</p> -<p>chaussures, accessoires, T-shirts imprimés, robes élégantes et jeans pour femmes !</p> - femmes - - - - - - Tops - <p>Choisissez parmi une large sélection de T-shirts à manches courtes, longues ou 3/4, de tops, de débardeurs, de chemisiers et bien plus encore.</p> -<p>Trouvez la coupe qui vous va le mieux !</p> - tops - - - - - - T-shirts - <p>Les must have de votre garde-robe : découvrez les divers modèles ainsi que les différentes</p> -<p>coupes et couleurs de notre collection !</p> - t-shirts - - - - - - Tops - Choisissez le top qui vous va le mieux, parmi une large sélection. - top - - - - - - Chemisiers - Coordonnez vos accessoires à vos chemisiers préférés, pour un look parfait. - chemisiers - - - - - - Robes - <p>Trouvez votre nouvelle pièce préférée parmi une large sélection de robes décontractées, d'été et de soirée !</p> -<p>Nous avons des robes pour tous les styles et toutes les occasions.</p> - robes - - - - - - Robes décontractées - <p>Vous cherchez une robe pour la vie de tous les jours ? Découvrez</p> -<p>notre sélection de robes et trouvez celle qui vous convient.</p> - robes-decontractees - - - - - - Robes de soirée - Trouvez la robe parfaite pour une soirée inoubliable ! - robes-soiree - - - - - - Robes d'été - Courte, longue, en soie ou imprimée, trouvez votre robe d'été idéale ! - robes-ete - - - - - diff --git a/www/_install/fixtures/fashion/langs/qc/data/feature.xml b/www/_install/fixtures/fashion/langs/qc/data/feature.xml deleted file mode 100644 index 98248bb..0000000 --- a/www/_install/fixtures/fashion/langs/qc/data/feature.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - Hauteur - - - Largeur - - - Profondeur - - - Poids - - - Compositions - - - Styles - - - Propriétés - - diff --git a/www/_install/fixtures/fashion/langs/qc/data/feature_value.xml b/www/_install/fixtures/fashion/langs/qc/data/feature_value.xml deleted file mode 100644 index 9075c3b..0000000 --- a/www/_install/fixtures/fashion/langs/qc/data/feature_value.xml +++ /dev/null @@ -1,102 +0,0 @@ - - - - Polyester - - - Laine - - - Viscose - - - Elasthanne - - - Coton - - - Soie - - - Daim - - - Paille - - - Cuir - - - Classique - - - Décontracté - - - Militaire - - - Féminin - - - Rock - - - Basique - - - Habillé - - - Manches courtes - - - Robe colorée - - - Robe courte - - - Robe midi - - - Maxi-robe - - - 2.75 in - - - 2.06 in - - - 49.2 g - - - 0.26 in - - - 1.07 in - - - 1.62 in - - - 15.5 g - - - 0.41 in (clip included) - - - 4.33 in - - - 2.76 in - - - 120g - - - 0.31 in - - diff --git a/www/_install/fixtures/fashion/langs/qc/data/featurevalue.xml b/www/_install/fixtures/fashion/langs/qc/data/featurevalue.xml deleted file mode 100644 index 7f943c0..0000000 --- a/www/_install/fixtures/fashion/langs/qc/data/featurevalue.xml +++ /dev/null @@ -1,66 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/qc/data/image.xml b/www/_install/fixtures/fashion/langs/qc/data/image.xml deleted file mode 100644 index 0fc64cb..0000000 --- a/www/_install/fixtures/fashion/langs/qc/data/image.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/qc/data/index.php b/www/_install/fixtures/fashion/langs/qc/data/index.php deleted file mode 100644 index f3a459e..0000000 --- a/www/_install/fixtures/fashion/langs/qc/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/qc/data/manufacturer.xml b/www/_install/fixtures/fashion/langs/qc/data/manufacturer.xml deleted file mode 100644 index 2f09cb6..0000000 --- a/www/_install/fixtures/fashion/langs/qc/data/manufacturer.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/qc/data/order_message.xml b/www/_install/fixtures/fashion/langs/qc/data/order_message.xml deleted file mode 100644 index 673acae..0000000 --- a/www/_install/fixtures/fashion/langs/qc/data/order_message.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Retard - Bonjour, - -Malheureusement, un article que vous avez commandé est actuellement en rupture de stock. Pour cette raison, il est possible que la livraison de votre commande soit légèrement retardée. -Nous vous prions de bien vouloir accepter nos excuses. Nous faisons tout notre possible pour remédier à cette situation. - -Cordialement, - - diff --git a/www/_install/fixtures/fashion/langs/qc/data/ordermessage.xml b/www/_install/fixtures/fashion/langs/qc/data/ordermessage.xml deleted file mode 100644 index 90386d0..0000000 --- a/www/_install/fixtures/fashion/langs/qc/data/ordermessage.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/qc/data/product.xml b/www/_install/fixtures/fashion/langs/qc/data/product.xml deleted file mode 100644 index a80ad09..0000000 --- a/www/_install/fixtures/fashion/langs/qc/data/product.xml +++ /dev/null @@ -1,80 +0,0 @@ - - - - <p>Fashion propose des vêtements de qualité depuis 2010. La marque propose une gamme féminine composée d'élégants vêtements à coordonner et de robes originales et offre désormais une collection complète de prêt-à-porter, regroupant toutes les pièces qu'une femme doit avoir dans sa garde-robe. Fashion se distingue avec des looks à la fois cool, simples et rafraîchissants, alliant élégance et chic, pour un style reconnaissable entre mille. Chacune des magnifiques pièces de la collection est fabriquée avec le plus grand soin en Italie. Fashion enrichit son offre avec une gamme d'accessoires incluant chaussures, chapeaux, ceintures et bien plus encore !</p> - <p>T-shirt délavé à manches courtes et col rond. Matière douce et extensible pour un confort inégalé. Pour un look estival, portez-le avec un chapeau de paille !</p> - t-shirt-delave-manches-courtes - - - - T-shirt délavé à manches courtes - En stock - - - - <p>Fashion propose des vêtements de qualité depuis 2010. La marque propose une gamme féminine composée d'élégants vêtements à coordonner et de robes originales et offre désormais une collection complète de prêt-à-porter, regroupant toutes les pièces qu'une femme doit avoir dans sa garde-robe. Fashion se distingue avec des looks à la fois cool, simples et rafraîchissants, alliant élégance et chic, pour un style reconnaissable entre mille. Chacune des magnifiques pièces de la collection est fabriquée avec le plus grand soin en Italie. Fashion enrichit son offre avec une gamme d'accessoires incluant chaussures, chapeaux, ceintures et bien plus encore !</p> - <p>Chemisier à manches courtes drapées, pour un style féminin et élégant.</p> - chemisier - - - - Chemisier - En stock - - - - <p>Fashion propose des vêtements de qualité depuis 2010. La marque propose une gamme féminine composée d'élégants vêtements à coordonner et de robes originales et offre désormais une collection complète de prêt-à-porter, regroupant toutes les pièces qu'une femme doit avoir dans sa garde-robe. Fashion se distingue avec des looks à la fois cool, simples et rafraîchissants, alliant élégance et chic, pour un style reconnaissable entre mille. Chacune des magnifiques pièces de la collection est fabriquée avec le plus grand soin en Italie. Fashion enrichit son offre avec une gamme d'accessoires incluant chaussures, chapeaux, ceintures et bien plus encore !</p> - <p>Robe imprimée 100 % coton. Haut rayé noir et blanc et bas composé d'une jupe patineuse taille haute.</p> - robe-imprimee - - - - Robe imprimée - En stock - - - - <p>Fashion propose des vêtements de qualité depuis 2010. La marque propose une gamme féminine composée d'élégants vêtements à coordonner et de robes originales et offre désormais une collection complète de prêt-à-porter, regroupant toutes les pièces qu'une femme doit avoir dans sa garde-robe. Fashion se distingue avec des looks à la fois cool, simples et rafraîchissants, alliant élégance et chic, pour un style reconnaissable entre mille. Chacune des magnifiques pièces de la collection est fabriquée avec le plus grand soin en Italie. Fashion enrichit son offre avec une gamme d'accessoires incluant chaussures, chapeaux, ceintures et bien plus encore !</p> - <p>Robe de soirée imprimée à manches droites et volants, avec fine ceinture noire à la taille.</p> - robe-imprimee - - - - Robe imprimée - En stock - - - - <p>Fashion propose des vêtements de qualité depuis 2010. La marque propose une gamme féminine composée d'élégants vêtements à coordonner et de robes originales et offre désormais une collection complète de prêt-à-porter, regroupant toutes les pièces qu'une femme doit avoir dans sa garde-robe. Fashion se distingue avec des looks à la fois cool, simples et rafraîchissants, alliant élégance et chic, pour un style reconnaissable entre mille. Chacune des magnifiques pièces de la collection est fabriquée avec le plus grand soin en Italie. Fashion enrichit son offre avec une gamme d'accessoires incluant chaussures, chapeaux, ceintures et bien plus encore !</p> - <p>Longue robe imprimée à fines bretelles réglables. Décolleté en V et armature sous la poitrine. Volants au bas de la robe.</p> - robe-ete-imprimee - - - - Robe d'été imprimée - En stock - - - - <p>Fashion propose des vêtements de qualité depuis 2010. La marque propose une gamme féminine composée d'élégants vêtements à coordonner et de robes originales et offre désormais une collection complète de prêt-à-porter, regroupant toutes les pièces qu'une femme doit avoir dans sa garde-robe. Fashion se distingue avec des looks à la fois cool, simples et rafraîchissants, alliant élégance et chic, pour un style reconnaissable entre mille. Chacune des magnifiques pièces de la collection est fabriquée avec le plus grand soin en Italie. Fashion enrichit son offre avec une gamme d'accessoires incluant chaussures, chapeaux, ceintures et bien plus encore !</p> - <p>Robe en mousseline sans manches, longueur genoux. Décolleté en V avec élastique sous la poitrine.</p> - robe-ete-imprimee - - - - Robe d'été imprimée - En stock - - - - <p>Fashion propose des vêtements de qualité depuis 2010. La marque propose une gamme féminine composée d'élégants vêtements à coordonner et de robes originales et offre désormais une collection complète de prêt-à-porter, regroupant toutes les pièces qu'une femme doit avoir dans sa garde-robe. Fashion se distingue avec des looks à la fois cool, simples et rafraîchissants, alliant élégance et chic, pour un style reconnaissable entre mille. Chacune des magnifiques pièces de la collection est fabriquée avec le plus grand soin en Italie. Fashion enrichit son offre avec une gamme d'accessoires incluant chaussures, chapeaux, ceintures et bien plus encore !</p> - <p>Robe en mousseline imprimée à bretelles, longueur genoux. Profond décolleté en V.</p> - robe-mousseline-imprimee - - - - Robe en mousseline imprimée - En stock - - - diff --git a/www/_install/fixtures/fashion/langs/qc/data/profile.xml b/www/_install/fixtures/fashion/langs/qc/data/profile.xml deleted file mode 100644 index 1f0f97c..0000000 --- a/www/_install/fixtures/fashion/langs/qc/data/profile.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Logisticien - - - Traducteur - - - Commercial - - diff --git a/www/_install/fixtures/fashion/langs/qc/data/scene.xml b/www/_install/fixtures/fashion/langs/qc/data/scene.xml deleted file mode 100644 index 708079e..0000000 --- a/www/_install/fixtures/fashion/langs/qc/data/scene.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/qc/data/supplier.xml b/www/_install/fixtures/fashion/langs/qc/data/supplier.xml deleted file mode 100644 index 0c375e8..0000000 --- a/www/_install/fixtures/fashion/langs/qc/data/supplier.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/qc/data/tag.xml b/www/_install/fixtures/fashion/langs/qc/data/tag.xml deleted file mode 100644 index d413861..0000000 --- a/www/_install/fixtures/fashion/langs/qc/data/tag.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/qc/index.php b/www/_install/fixtures/fashion/langs/qc/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/langs/qc/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/ro/data/attribute.xml b/www/_install/fixtures/fashion/langs/ro/data/attribute.xml deleted file mode 100644 index 8bf3eec..0000000 --- a/www/_install/fixtures/fashion/langs/ro/data/attribute.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - S - - - M - - - L - - - Universală - - - Gri - - - Taupe - - - Bej - - - Alb - - - Alb murdar - - - Roșu - - - Negru - - - Camel - - - Portocaliu - - - Albastru - - - Verde - - - Galben - - - Maro - - - 35 - - - 36 - - - 37 - - - 38 - - - 39 - - - 40 - - - Roz - - diff --git a/www/_install/fixtures/fashion/langs/ro/data/attribute_group.xml b/www/_install/fixtures/fashion/langs/ro/data/attribute_group.xml deleted file mode 100644 index b838280..0000000 --- a/www/_install/fixtures/fashion/langs/ro/data/attribute_group.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - Mărime - Mărime - - - Mărime de încălțăminte - Mărime - - - Culoare - Culoare - - diff --git a/www/_install/fixtures/fashion/langs/ro/data/attributegroup.xml b/www/_install/fixtures/fashion/langs/ro/data/attributegroup.xml deleted file mode 100644 index ec3a514..0000000 --- a/www/_install/fixtures/fashion/langs/ro/data/attributegroup.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/ro/data/carrier.xml b/www/_install/fixtures/fashion/langs/ro/data/carrier.xml deleted file mode 100644 index 965015f..0000000 --- a/www/_install/fixtures/fashion/langs/ro/data/carrier.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - Livrare în 24 de ore! - - diff --git a/www/_install/fixtures/fashion/langs/ro/data/category.xml b/www/_install/fixtures/fashion/langs/ro/data/category.xml deleted file mode 100644 index a6a5158..0000000 --- a/www/_install/fixtures/fashion/langs/ro/data/category.xml +++ /dev/null @@ -1,81 +0,0 @@ - - - - Femei - <p><strong>Veți găsi aici toate colecțiile de modă pentru femei.</strong></p> -<p>Această categorie include bazele garderobei dumneavoastră și mult mai mult de atât:</p> -<p>încălțăminte, accesorii, tricouri imprimate, rochii, blugi pentru femei!</p> - femei - - - - - - Topuri - <p>Alegeți dintre tricouri, topuri, bluze, mâneci scurte, mâneci lungi, maiouri, mâneci 3/4 și altele.</p> -<p>Găsiți modelul care vi se potrivește cel mai bine!</p> - topuri - - - - - - Tricouri - <p>Baza garderobei dumneavoastră, examinați culorile, formele și stilurile</p> -<p>diverse ale colecției noastre!</p> - tricouri - - - - - - Topuri - Alegeți topul care vi se potrivește cel mai bine din larga gamă de topuri pe care o avem. - top - - - - - - Bluze - Puneți în valoare bluzele dumneavoastră cu accesoriile potrivite pentru un aspect perfect. - bluze - - - - - - Rochii - <p>Găsiți rochiile dumneavoastră favorite din larga noastră gamă de rochii de vară, casual sau de seară!</p> -<p>Vă oferim rochii pentru orice zi, orice stil și orice ocazie.</p> - rochii - - - - - - Rochii casual - <p>Căutați o rochie de purtat în fiecare zi? Aruncți o privire la</p> -<p>selecția noastră de rochii pentru a găsi una care vi se potrivește.</p> - rochii-casual - - - - - - Rochii de seară - Cercetați diversele noastre rochii și alegeți rochia perfectă pentru o seară de neuitat! - rochii-de-seara - - - - - - Rochii de vară - Rochii scurte, rochii lungi, rochii de mătase, rochii imprimate, veți găsi rochia de vară perfectă. - rochii-de-vara - - - - - diff --git a/www/_install/fixtures/fashion/langs/ro/data/feature.xml b/www/_install/fixtures/fashion/langs/ro/data/feature.xml deleted file mode 100644 index ab248a9..0000000 --- a/www/_install/fixtures/fashion/langs/ro/data/feature.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - Înălțime - - - Lățime - - - Adâncime - - - Greutate - - - Material - - - Stil - - - Proprietăți - - diff --git a/www/_install/fixtures/fashion/langs/ro/data/feature_value.xml b/www/_install/fixtures/fashion/langs/ro/data/feature_value.xml deleted file mode 100644 index dadd69c..0000000 --- a/www/_install/fixtures/fashion/langs/ro/data/feature_value.xml +++ /dev/null @@ -1,102 +0,0 @@ - - - - Poliester - - - Lână - - - Viscoză - - - Elastan - - - Bumbac - - - Mătase - - - Velur - - - Croșet - - - Piele - - - Clasic - - - Casual - - - Militar - - - Adolescentin - - - Rock - - - Simplu - - - Elegant - - - Mâneci scurte - - - Culori vii - - - Rochie scurtă - - - Rochie midi - - - Rochie maxi - - - 6,98 cm - - - 5,2 cm - - - 49,2 g - - - 0,66 cm - - - 2,72 cm - - - 4,1 cm - - - 15,5 g - - - 1 cm (clip inclus) - - - 11 cm - - - 7 cm - - - 120g - - - 0.79 cm - - diff --git a/www/_install/fixtures/fashion/langs/ro/data/featurevalue.xml b/www/_install/fixtures/fashion/langs/ro/data/featurevalue.xml deleted file mode 100644 index d74910e..0000000 --- a/www/_install/fixtures/fashion/langs/ro/data/featurevalue.xml +++ /dev/null @@ -1,66 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/ro/data/image.xml b/www/_install/fixtures/fashion/langs/ro/data/image.xml deleted file mode 100644 index 0fc64cb..0000000 --- a/www/_install/fixtures/fashion/langs/ro/data/image.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/ro/data/index.php b/www/_install/fixtures/fashion/langs/ro/data/index.php deleted file mode 100644 index f3a459e..0000000 --- a/www/_install/fixtures/fashion/langs/ro/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/ro/data/manufacturer.xml b/www/_install/fixtures/fashion/langs/ro/data/manufacturer.xml deleted file mode 100644 index 2f09cb6..0000000 --- a/www/_install/fixtures/fashion/langs/ro/data/manufacturer.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/ro/data/order_message.xml b/www/_install/fixtures/fashion/langs/ro/data/order_message.xml deleted file mode 100644 index 9ab1b01..0000000 --- a/www/_install/fixtures/fashion/langs/ro/data/order_message.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Întârziere - Bună, - -Din nefericire, un articol din comanda dumneavoastră are momentan stocul epuizat. Aceasta poate cauza o mică întârziere a livrării. -Vă rugăm să acceptați scuzele noastre și vă asigurăm că muncim din răsputeri pentru a remedia acest inconvenient. - -Toate cele bune, - - diff --git a/www/_install/fixtures/fashion/langs/ro/data/ordermessage.xml b/www/_install/fixtures/fashion/langs/ro/data/ordermessage.xml deleted file mode 100644 index fdb22ec..0000000 --- a/www/_install/fixtures/fashion/langs/ro/data/ordermessage.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/ro/data/product.xml b/www/_install/fixtures/fashion/langs/ro/data/product.xml deleted file mode 100644 index ade812b..0000000 --- a/www/_install/fixtures/fashion/langs/ro/data/product.xml +++ /dev/null @@ -1,80 +0,0 @@ - - - - <p>Moda SRL creează colecții pline de stil din 2010. Această marcă vă oferă linii feminine care livrează îmbrăcaminte cu stil ce a evoluat de atunci într-o întreagă colecție gata de purtat în care fiecare element este o parte vitală garderobei unei doamne. Rezultatul? O înfățișare cool, easy, chic, cu o eleganță tinerească și semnătura unui stil inconfundabil. Toate frumoasele piese sunt produse în Italia cu cea mai mare grijă la detalii. Acum Moda se extinde la o gamă de accesorii incluzând încălțăminte, pălării, centuri și multe altele!</p> - <p>Faded short sleeve t-shirt with high neckline. Soft and stretchy material for a comfortable fit. Accessorize with a straw hat and you're ready for summer!</p> - tricou-pastel-cu-maneci-scurte - - - - Tricou pastel cu mâneci scurte - În stoc - - - - <p>Moda SRL creează colecții pline de stil din 2010. Această marcă vă oferă linii feminine care livrează îmbrăcaminte cu stil ce a evoluat de atunci într-o întreagă colecție gata de purtat în care fiecare element este o parte vitală garderobei unei doamne. Rezultatul? O înfățișare cool, easy, chic, cu o eleganță tinerească și semnătura unui stil inconfundabil. Toate frumoasele piese sunt produse în Italia cu cea mai mare grijă la detalii. Acum Moda se extinde la o gamă de accesorii incluzând încălțăminte, pălării, centuri și multe altele!</p> - <p>Bluză cu mâneci scurte cu detalii feminine drapate la mâneci.</p> - bluza - - - - Bluză cu mâneci drapate - În stoc - - - - <p>Moda SRL creează colecții pline de stil din 2010. Această marcă vă oferă linii feminine care livrează îmbrăcaminte cu stil ce a evoluat de atunci într-o întreagă colecție gata de purtat în care fiecare element este o parte vitală garderobei unei doamne. Rezultatul? O înfățișare cool, easy, chic, cu o eleganță tinerească și semnătura unui stil inconfundabil. Toate frumoasele piese sunt produse în Italia cu cea mai mare grijă la detalii. Acum Moda se extinde la o gamă de accesorii incluzând încălțăminte, pălării, centuri și multe altele!</p> - <p>Rochie imprimată 100% bumbac. Top cu dungi albe și negre, talie înaltă și partea de jos portocalie.</p> - rochie-imprimata - - - - Rochie imprimată - În stoc - - - - <p>Moda SRL creează colecții pline de stil din 2010. Această marcă vă oferă linii feminine care livrează îmbrăcaminte cu stil ce a evoluat de atunci într-o întreagă colecție gata de purtat în care fiecare element este o parte vitală garderobei unei doamne. Rezultatul? O înfățișare cool, easy, chic, cu o eleganță tinerească și semnătura unui stil inconfundabil. Toate frumoasele piese sunt produse în Italia cu cea mai mare grijă la detalii. Acum Moda se extinde la o gamă de accesorii incluzând încălțăminte, pălării, centuri și multe altele!</p> - <p>Rochie imprimată de seară cu mâneci drepte, centură subțire neagră și volane încrețite.</p> - rochie-imprimata-de-seara - - - - Rochie imprimată de seară - În stoc - - - - <p>Moda SRL creează colecții pline de stil din 2010. Această marcă vă oferă linii feminine care livrează îmbrăcaminte cu stil ce a evoluat de atunci într-o întreagă colecție gata de purtat în care fiecare element este o parte vitală garderobei unei doamne. Rezultatul? O înfățișare cool, easy, chic, cu o eleganță tinerească și semnătura unui stil inconfundabil. Toate frumoasele piese sunt produse în Italia cu cea mai mare grijă la detalii. Acum Moda se extinde la o gamă de accesorii incluzând încălțăminte, pălării, centuri și multe altele!</p> - <p>Rochie imprimată lungă cu bretele subțiri și ajustabile. Cu decolteu în V, evidențiere a bustului și volane la poalele rochiei.</p> - rochie-imprimata-de-vara - - - - Rochie imprimată de vară - În stoc - - - - <p>Moda SRL creează colecții pline de stil din 2010. Această marcă vă oferă linii feminine care livrează îmbrăcaminte cu stil ce a evoluat de atunci într-o întreagă colecție gata de purtat în care fiecare element este o parte vitală garderobei unei doamne. Rezultatul? O înfățișare cool, easy, chic, cu o eleganță tinerească și semnătura unui stil inconfundabil. Toate frumoasele piese sunt produse în Italia cu cea mai mare grijă la detalii. Acum Moda se extinde la o gamă de accesorii incluzând încălțăminte, pălării, centuri și multe altele!</p> - <p>Rochie midi din șifon, fără mâneci. Decolteu în V cu elastic sub bust.</p> - rochie-midi-imprimata-de-vara - - - - Rochie midi imprimată de vară - În stoc - - - - <p>Moda SRL creează colecții pline de stil din 2010. Această marcă vă oferă linii feminine care livrează îmbrăcaminte cu stil ce a evoluat de atunci într-o întreagă colecție gata de purtat în care fiecare element este o parte vitală garderobei unei doamne. Rezultatul? O înfățișare cool, easy, chic, cu o eleganță tinerească și semnătura unui stil inconfundabil. Toate frumoasele piese sunt produse în Italia cu cea mai mare grijă la detalii. Acum Moda se extinde la o gamă de accesorii incluzând încălțăminte, pălării, centuri și multe altele!</p> - <p>Rochie imprimată până la genunchi, din șifon, cu bretele. Decolteu adânc în V.</p> - rochie-imprimata-din-sifon - - - - Rochie imprimată din șifon - În stoc - - - diff --git a/www/_install/fixtures/fashion/langs/ro/data/profile.xml b/www/_install/fixtures/fashion/langs/ro/data/profile.xml deleted file mode 100644 index fd1a8a9..0000000 --- a/www/_install/fixtures/fashion/langs/ro/data/profile.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Coordonator logistic - - - Translator - - - Agent comercial - - diff --git a/www/_install/fixtures/fashion/langs/ro/data/scene.xml b/www/_install/fixtures/fashion/langs/ro/data/scene.xml deleted file mode 100644 index 93096ef..0000000 --- a/www/_install/fixtures/fashion/langs/ro/data/scene.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/ro/data/supplier.xml b/www/_install/fixtures/fashion/langs/ro/data/supplier.xml deleted file mode 100644 index 0c375e8..0000000 --- a/www/_install/fixtures/fashion/langs/ro/data/supplier.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/ro/data/tag.xml b/www/_install/fixtures/fashion/langs/ro/data/tag.xml deleted file mode 100644 index d413861..0000000 --- a/www/_install/fixtures/fashion/langs/ro/data/tag.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/ro/index.php b/www/_install/fixtures/fashion/langs/ro/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/langs/ro/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/ru/data/attribute.xml b/www/_install/fixtures/fashion/langs/ru/data/attribute.xml deleted file mode 100644 index 94b6580..0000000 --- a/www/_install/fixtures/fashion/langs/ru/data/attribute.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - S - - - M - - - L - - - One size - - - Grey - - - Taupe - - - Beige - - - White - - - Off White - - - Red - - - Black - - - Camel - - - Orange - - - Blue - - - Green - - - Yellow - - - Brown - - - 35 - - - 36 - - - 37 - - - 38 - - - 39 - - - 40 - - - Pink - - diff --git a/www/_install/fixtures/fashion/langs/ru/data/attribute_group.xml b/www/_install/fixtures/fashion/langs/ru/data/attribute_group.xml deleted file mode 100644 index 17c82c6..0000000 --- a/www/_install/fixtures/fashion/langs/ru/data/attribute_group.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - Size - Size - - - Shoes Size - Size - - - Color - Color - - diff --git a/www/_install/fixtures/fashion/langs/ru/data/attributegroup.xml b/www/_install/fixtures/fashion/langs/ru/data/attributegroup.xml deleted file mode 100644 index 09da13f..0000000 --- a/www/_install/fixtures/fashion/langs/ru/data/attributegroup.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/ru/data/carrier.xml b/www/_install/fixtures/fashion/langs/ru/data/carrier.xml deleted file mode 100644 index c59766e..0000000 --- a/www/_install/fixtures/fashion/langs/ru/data/carrier.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - Delivery next day! - - diff --git a/www/_install/fixtures/fashion/langs/ru/data/category.xml b/www/_install/fixtures/fashion/langs/ru/data/category.xml deleted file mode 100644 index 19aee46..0000000 --- a/www/_install/fixtures/fashion/langs/ru/data/category.xml +++ /dev/null @@ -1,81 +0,0 @@ - - - - Women - <p><strong>You will find here all woman fashion collections.</strong></p> -<p>This category includes all the basics of your wardrobe and much more:</p> -<p>shoes, accessories, printed t-shirts, feminine dresses, women's jeans!</p> - women - - - - - - Tops - <p>Choose from t-shirts, tops, blouses, short sleeves, long sleeves, tank tops, 3/4 sleeves and more.</p> -<p>Find the cut that suits you the best!</p> - tops - - - - - - T-shirts - <p>The must have of your wardrobe, take a look at our different colors,</p> -<p>shapes and style of our collection!</p> - tshirts - - - - - - Tops - Choose the top that best suits you from the wide variety of tops we have. - top - - - - - - Blouses - Match your favorites blouses with the right accessories for the perfect look. - blouses - - - - - - Dresses - <p>Find your favorites dresses from our wide choice of evening, casual or summer dresses!</p> -<p>We offer dresses for every day, every style and every occasion.</p> - dresses - - - - - - Casual Dresses - <p>You are looking for a dress for every day? Take a look at</p> -<p>our selection of dresses to find one that suits you.</p> - casual-dresses - - - - - - Evening Dresses - Browse our different dresses to choose the perfect dress for an unforgettable evening! - evening-dresses - - - - - - Summer Dresses - Short dress, long dress, silk dress, printed dress, you will find the perfect dress for summer. - summer-dresses - - - - - diff --git a/www/_install/fixtures/fashion/langs/ru/data/feature.xml b/www/_install/fixtures/fashion/langs/ru/data/feature.xml deleted file mode 100644 index e09b882..0000000 --- a/www/_install/fixtures/fashion/langs/ru/data/feature.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - Height - - - Width - - - Depth - - - Weight - - - Compositions - - - Styles - - - Properties - - diff --git a/www/_install/fixtures/fashion/langs/ru/data/feature_value.xml b/www/_install/fixtures/fashion/langs/ru/data/feature_value.xml deleted file mode 100644 index b918f11..0000000 --- a/www/_install/fixtures/fashion/langs/ru/data/feature_value.xml +++ /dev/null @@ -1,102 +0,0 @@ - - - - Polyester - - - Wool - - - Viscose - - - Elastane - - - Cotton - - - Silk - - - Suede - - - Straw - - - Leather - - - Classic - - - Casual - - - Military - - - Girly - - - Rock - - - Basic - - - Dressy - - - Short Sleeve - - - Colorful Dress - - - Short Dress - - - Midi Dress - - - Maxi Dress - - - 2.75 in - - - 2.06 in - - - 49.2 g - - - 0.26 in - - - 1.07 in - - - 1.62 in - - - 15.5 g - - - 0.41 in (clip included) - - - 4.33 in - - - 2.76 in - - - 120g - - - 0.31 in - - diff --git a/www/_install/fixtures/fashion/langs/ru/data/featurevalue.xml b/www/_install/fixtures/fashion/langs/ru/data/featurevalue.xml deleted file mode 100644 index 7f943c0..0000000 --- a/www/_install/fixtures/fashion/langs/ru/data/featurevalue.xml +++ /dev/null @@ -1,66 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/ru/data/image.xml b/www/_install/fixtures/fashion/langs/ru/data/image.xml deleted file mode 100644 index 0fc64cb..0000000 --- a/www/_install/fixtures/fashion/langs/ru/data/image.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/ru/data/index.php b/www/_install/fixtures/fashion/langs/ru/data/index.php deleted file mode 100644 index f3a459e..0000000 --- a/www/_install/fixtures/fashion/langs/ru/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/ru/data/manufacturer.xml b/www/_install/fixtures/fashion/langs/ru/data/manufacturer.xml deleted file mode 100644 index 2f09cb6..0000000 --- a/www/_install/fixtures/fashion/langs/ru/data/manufacturer.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/ru/data/order_message.xml b/www/_install/fixtures/fashion/langs/ru/data/order_message.xml deleted file mode 100644 index 93ad3b5..0000000 --- a/www/_install/fixtures/fashion/langs/ru/data/order_message.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Delay - Hi, - -Unfortunately, an item on your order is currently out of stock. This may cause a slight delay in delivery. -Please accept our apologies and rest assured that we are working hard to rectify this. - -Best regards, - - diff --git a/www/_install/fixtures/fashion/langs/ru/data/ordermessage.xml b/www/_install/fixtures/fashion/langs/ru/data/ordermessage.xml deleted file mode 100644 index e743f5d..0000000 --- a/www/_install/fixtures/fashion/langs/ru/data/ordermessage.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/ru/data/product.xml b/www/_install/fixtures/fashion/langs/ru/data/product.xml deleted file mode 100644 index f6b6a1c..0000000 --- a/www/_install/fixtures/fashion/langs/ru/data/product.xml +++ /dev/null @@ -1,80 +0,0 @@ - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Faded short sleeve t-shirt with high neckline. Soft and stretchy material for a comfortable fit. Accessorize with a straw hat and you're ready for summer!</p> - faded-short-sleeve-tshirts - - - - Faded Short Sleeve T-shirts - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Short sleeved blouse with feminine draped sleeve detail.</p> - blouse - - - - Blouse - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>100% cotton double printed dress. Black and white striped top and orange high waisted skater skirt bottom.</p> - printed-dress - - - - Printed Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Printed evening dress with straight sleeves with black thin waist belt and ruffled linings.</p> - printed-dress - - - - Printed Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Long printed dress with thin adjustable straps. V-neckline and wiring under the bust with ruffles at the bottom of the dress.</p> - printed-summer-dress - - - - Printed Summer Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Sleeveless knee-length chiffon dress. V-neckline with elastic under the bust lining.</p> - printed-summer-dress - - - - Printed Summer Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Printed chiffon knee length dress with tank straps. Deep v-neckline.</p> - printed-chiffon-dress - - - - Printed Chiffon Dress - In stock - - - diff --git a/www/_install/fixtures/fashion/langs/ru/data/profile.xml b/www/_install/fixtures/fashion/langs/ru/data/profile.xml deleted file mode 100644 index 04e6558..0000000 --- a/www/_install/fixtures/fashion/langs/ru/data/profile.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Logistician - - - Translator - - - Salesman - - diff --git a/www/_install/fixtures/fashion/langs/ru/data/scene.xml b/www/_install/fixtures/fashion/langs/ru/data/scene.xml deleted file mode 100644 index 708079e..0000000 --- a/www/_install/fixtures/fashion/langs/ru/data/scene.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/ru/data/supplier.xml b/www/_install/fixtures/fashion/langs/ru/data/supplier.xml deleted file mode 100644 index 0c375e8..0000000 --- a/www/_install/fixtures/fashion/langs/ru/data/supplier.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/ru/data/tag.xml b/www/_install/fixtures/fashion/langs/ru/data/tag.xml deleted file mode 100644 index d413861..0000000 --- a/www/_install/fixtures/fashion/langs/ru/data/tag.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/ru/index.php b/www/_install/fixtures/fashion/langs/ru/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/langs/ru/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/tw/data/attribute.xml b/www/_install/fixtures/fashion/langs/tw/data/attribute.xml deleted file mode 100644 index 94b6580..0000000 --- a/www/_install/fixtures/fashion/langs/tw/data/attribute.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - S - - - M - - - L - - - One size - - - Grey - - - Taupe - - - Beige - - - White - - - Off White - - - Red - - - Black - - - Camel - - - Orange - - - Blue - - - Green - - - Yellow - - - Brown - - - 35 - - - 36 - - - 37 - - - 38 - - - 39 - - - 40 - - - Pink - - diff --git a/www/_install/fixtures/fashion/langs/tw/data/attribute_group.xml b/www/_install/fixtures/fashion/langs/tw/data/attribute_group.xml deleted file mode 100644 index 17c82c6..0000000 --- a/www/_install/fixtures/fashion/langs/tw/data/attribute_group.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - Size - Size - - - Shoes Size - Size - - - Color - Color - - diff --git a/www/_install/fixtures/fashion/langs/tw/data/attributegroup.xml b/www/_install/fixtures/fashion/langs/tw/data/attributegroup.xml deleted file mode 100644 index 09da13f..0000000 --- a/www/_install/fixtures/fashion/langs/tw/data/attributegroup.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/tw/data/carrier.xml b/www/_install/fixtures/fashion/langs/tw/data/carrier.xml deleted file mode 100644 index c59766e..0000000 --- a/www/_install/fixtures/fashion/langs/tw/data/carrier.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - Delivery next day! - - diff --git a/www/_install/fixtures/fashion/langs/tw/data/category.xml b/www/_install/fixtures/fashion/langs/tw/data/category.xml deleted file mode 100644 index 19aee46..0000000 --- a/www/_install/fixtures/fashion/langs/tw/data/category.xml +++ /dev/null @@ -1,81 +0,0 @@ - - - - Women - <p><strong>You will find here all woman fashion collections.</strong></p> -<p>This category includes all the basics of your wardrobe and much more:</p> -<p>shoes, accessories, printed t-shirts, feminine dresses, women's jeans!</p> - women - - - - - - Tops - <p>Choose from t-shirts, tops, blouses, short sleeves, long sleeves, tank tops, 3/4 sleeves and more.</p> -<p>Find the cut that suits you the best!</p> - tops - - - - - - T-shirts - <p>The must have of your wardrobe, take a look at our different colors,</p> -<p>shapes and style of our collection!</p> - tshirts - - - - - - Tops - Choose the top that best suits you from the wide variety of tops we have. - top - - - - - - Blouses - Match your favorites blouses with the right accessories for the perfect look. - blouses - - - - - - Dresses - <p>Find your favorites dresses from our wide choice of evening, casual or summer dresses!</p> -<p>We offer dresses for every day, every style and every occasion.</p> - dresses - - - - - - Casual Dresses - <p>You are looking for a dress for every day? Take a look at</p> -<p>our selection of dresses to find one that suits you.</p> - casual-dresses - - - - - - Evening Dresses - Browse our different dresses to choose the perfect dress for an unforgettable evening! - evening-dresses - - - - - - Summer Dresses - Short dress, long dress, silk dress, printed dress, you will find the perfect dress for summer. - summer-dresses - - - - - diff --git a/www/_install/fixtures/fashion/langs/tw/data/feature.xml b/www/_install/fixtures/fashion/langs/tw/data/feature.xml deleted file mode 100644 index e09b882..0000000 --- a/www/_install/fixtures/fashion/langs/tw/data/feature.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - Height - - - Width - - - Depth - - - Weight - - - Compositions - - - Styles - - - Properties - - diff --git a/www/_install/fixtures/fashion/langs/tw/data/feature_value.xml b/www/_install/fixtures/fashion/langs/tw/data/feature_value.xml deleted file mode 100644 index b918f11..0000000 --- a/www/_install/fixtures/fashion/langs/tw/data/feature_value.xml +++ /dev/null @@ -1,102 +0,0 @@ - - - - Polyester - - - Wool - - - Viscose - - - Elastane - - - Cotton - - - Silk - - - Suede - - - Straw - - - Leather - - - Classic - - - Casual - - - Military - - - Girly - - - Rock - - - Basic - - - Dressy - - - Short Sleeve - - - Colorful Dress - - - Short Dress - - - Midi Dress - - - Maxi Dress - - - 2.75 in - - - 2.06 in - - - 49.2 g - - - 0.26 in - - - 1.07 in - - - 1.62 in - - - 15.5 g - - - 0.41 in (clip included) - - - 4.33 in - - - 2.76 in - - - 120g - - - 0.31 in - - diff --git a/www/_install/fixtures/fashion/langs/tw/data/featurevalue.xml b/www/_install/fixtures/fashion/langs/tw/data/featurevalue.xml deleted file mode 100644 index 7f943c0..0000000 --- a/www/_install/fixtures/fashion/langs/tw/data/featurevalue.xml +++ /dev/null @@ -1,66 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/tw/data/image.xml b/www/_install/fixtures/fashion/langs/tw/data/image.xml deleted file mode 100644 index 0fc64cb..0000000 --- a/www/_install/fixtures/fashion/langs/tw/data/image.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/tw/data/index.php b/www/_install/fixtures/fashion/langs/tw/data/index.php deleted file mode 100644 index f3a459e..0000000 --- a/www/_install/fixtures/fashion/langs/tw/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/tw/data/manufacturer.xml b/www/_install/fixtures/fashion/langs/tw/data/manufacturer.xml deleted file mode 100644 index 2f09cb6..0000000 --- a/www/_install/fixtures/fashion/langs/tw/data/manufacturer.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/tw/data/order_message.xml b/www/_install/fixtures/fashion/langs/tw/data/order_message.xml deleted file mode 100644 index 93ad3b5..0000000 --- a/www/_install/fixtures/fashion/langs/tw/data/order_message.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Delay - Hi, - -Unfortunately, an item on your order is currently out of stock. This may cause a slight delay in delivery. -Please accept our apologies and rest assured that we are working hard to rectify this. - -Best regards, - - diff --git a/www/_install/fixtures/fashion/langs/tw/data/ordermessage.xml b/www/_install/fixtures/fashion/langs/tw/data/ordermessage.xml deleted file mode 100644 index e743f5d..0000000 --- a/www/_install/fixtures/fashion/langs/tw/data/ordermessage.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/tw/data/product.xml b/www/_install/fixtures/fashion/langs/tw/data/product.xml deleted file mode 100644 index f6b6a1c..0000000 --- a/www/_install/fixtures/fashion/langs/tw/data/product.xml +++ /dev/null @@ -1,80 +0,0 @@ - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Faded short sleeve t-shirt with high neckline. Soft and stretchy material for a comfortable fit. Accessorize with a straw hat and you're ready for summer!</p> - faded-short-sleeve-tshirts - - - - Faded Short Sleeve T-shirts - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Short sleeved blouse with feminine draped sleeve detail.</p> - blouse - - - - Blouse - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>100% cotton double printed dress. Black and white striped top and orange high waisted skater skirt bottom.</p> - printed-dress - - - - Printed Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Printed evening dress with straight sleeves with black thin waist belt and ruffled linings.</p> - printed-dress - - - - Printed Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Long printed dress with thin adjustable straps. V-neckline and wiring under the bust with ruffles at the bottom of the dress.</p> - printed-summer-dress - - - - Printed Summer Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Sleeveless knee-length chiffon dress. V-neckline with elastic under the bust lining.</p> - printed-summer-dress - - - - Printed Summer Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Printed chiffon knee length dress with tank straps. Deep v-neckline.</p> - printed-chiffon-dress - - - - Printed Chiffon Dress - In stock - - - diff --git a/www/_install/fixtures/fashion/langs/tw/data/profile.xml b/www/_install/fixtures/fashion/langs/tw/data/profile.xml deleted file mode 100644 index 04e6558..0000000 --- a/www/_install/fixtures/fashion/langs/tw/data/profile.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Logistician - - - Translator - - - Salesman - - diff --git a/www/_install/fixtures/fashion/langs/tw/data/scene.xml b/www/_install/fixtures/fashion/langs/tw/data/scene.xml deleted file mode 100644 index 708079e..0000000 --- a/www/_install/fixtures/fashion/langs/tw/data/scene.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/tw/data/supplier.xml b/www/_install/fixtures/fashion/langs/tw/data/supplier.xml deleted file mode 100644 index 0c375e8..0000000 --- a/www/_install/fixtures/fashion/langs/tw/data/supplier.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/tw/data/tag.xml b/www/_install/fixtures/fashion/langs/tw/data/tag.xml deleted file mode 100644 index d413861..0000000 --- a/www/_install/fixtures/fashion/langs/tw/data/tag.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/tw/index.php b/www/_install/fixtures/fashion/langs/tw/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/langs/tw/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/vn/data/attribute.xml b/www/_install/fixtures/fashion/langs/vn/data/attribute.xml deleted file mode 100644 index 94b6580..0000000 --- a/www/_install/fixtures/fashion/langs/vn/data/attribute.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - S - - - M - - - L - - - One size - - - Grey - - - Taupe - - - Beige - - - White - - - Off White - - - Red - - - Black - - - Camel - - - Orange - - - Blue - - - Green - - - Yellow - - - Brown - - - 35 - - - 36 - - - 37 - - - 38 - - - 39 - - - 40 - - - Pink - - diff --git a/www/_install/fixtures/fashion/langs/vn/data/attribute_group.xml b/www/_install/fixtures/fashion/langs/vn/data/attribute_group.xml deleted file mode 100644 index 17c82c6..0000000 --- a/www/_install/fixtures/fashion/langs/vn/data/attribute_group.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - Size - Size - - - Shoes Size - Size - - - Color - Color - - diff --git a/www/_install/fixtures/fashion/langs/vn/data/attributegroup.xml b/www/_install/fixtures/fashion/langs/vn/data/attributegroup.xml deleted file mode 100644 index 09da13f..0000000 --- a/www/_install/fixtures/fashion/langs/vn/data/attributegroup.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/vn/data/carrier.xml b/www/_install/fixtures/fashion/langs/vn/data/carrier.xml deleted file mode 100644 index c59766e..0000000 --- a/www/_install/fixtures/fashion/langs/vn/data/carrier.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - Delivery next day! - - diff --git a/www/_install/fixtures/fashion/langs/vn/data/category.xml b/www/_install/fixtures/fashion/langs/vn/data/category.xml deleted file mode 100644 index 19aee46..0000000 --- a/www/_install/fixtures/fashion/langs/vn/data/category.xml +++ /dev/null @@ -1,81 +0,0 @@ - - - - Women - <p><strong>You will find here all woman fashion collections.</strong></p> -<p>This category includes all the basics of your wardrobe and much more:</p> -<p>shoes, accessories, printed t-shirts, feminine dresses, women's jeans!</p> - women - - - - - - Tops - <p>Choose from t-shirts, tops, blouses, short sleeves, long sleeves, tank tops, 3/4 sleeves and more.</p> -<p>Find the cut that suits you the best!</p> - tops - - - - - - T-shirts - <p>The must have of your wardrobe, take a look at our different colors,</p> -<p>shapes and style of our collection!</p> - tshirts - - - - - - Tops - Choose the top that best suits you from the wide variety of tops we have. - top - - - - - - Blouses - Match your favorites blouses with the right accessories for the perfect look. - blouses - - - - - - Dresses - <p>Find your favorites dresses from our wide choice of evening, casual or summer dresses!</p> -<p>We offer dresses for every day, every style and every occasion.</p> - dresses - - - - - - Casual Dresses - <p>You are looking for a dress for every day? Take a look at</p> -<p>our selection of dresses to find one that suits you.</p> - casual-dresses - - - - - - Evening Dresses - Browse our different dresses to choose the perfect dress for an unforgettable evening! - evening-dresses - - - - - - Summer Dresses - Short dress, long dress, silk dress, printed dress, you will find the perfect dress for summer. - summer-dresses - - - - - diff --git a/www/_install/fixtures/fashion/langs/vn/data/feature.xml b/www/_install/fixtures/fashion/langs/vn/data/feature.xml deleted file mode 100644 index 974c654..0000000 --- a/www/_install/fixtures/fashion/langs/vn/data/feature.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - Chiều cao - - - Chiều rộng - - - Chiều sâu - - - Trọng lượng - - - Compositions - - - Styles - - - Properties - - diff --git a/www/_install/fixtures/fashion/langs/vn/data/feature_value.xml b/www/_install/fixtures/fashion/langs/vn/data/feature_value.xml deleted file mode 100644 index b918f11..0000000 --- a/www/_install/fixtures/fashion/langs/vn/data/feature_value.xml +++ /dev/null @@ -1,102 +0,0 @@ - - - - Polyester - - - Wool - - - Viscose - - - Elastane - - - Cotton - - - Silk - - - Suede - - - Straw - - - Leather - - - Classic - - - Casual - - - Military - - - Girly - - - Rock - - - Basic - - - Dressy - - - Short Sleeve - - - Colorful Dress - - - Short Dress - - - Midi Dress - - - Maxi Dress - - - 2.75 in - - - 2.06 in - - - 49.2 g - - - 0.26 in - - - 1.07 in - - - 1.62 in - - - 15.5 g - - - 0.41 in (clip included) - - - 4.33 in - - - 2.76 in - - - 120g - - - 0.31 in - - diff --git a/www/_install/fixtures/fashion/langs/vn/data/featurevalue.xml b/www/_install/fixtures/fashion/langs/vn/data/featurevalue.xml deleted file mode 100644 index 7f943c0..0000000 --- a/www/_install/fixtures/fashion/langs/vn/data/featurevalue.xml +++ /dev/null @@ -1,66 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/vn/data/image.xml b/www/_install/fixtures/fashion/langs/vn/data/image.xml deleted file mode 100644 index 0fc64cb..0000000 --- a/www/_install/fixtures/fashion/langs/vn/data/image.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/vn/data/index.php b/www/_install/fixtures/fashion/langs/vn/data/index.php deleted file mode 100644 index f3a459e..0000000 --- a/www/_install/fixtures/fashion/langs/vn/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/vn/data/manufacturer.xml b/www/_install/fixtures/fashion/langs/vn/data/manufacturer.xml deleted file mode 100644 index 2f09cb6..0000000 --- a/www/_install/fixtures/fashion/langs/vn/data/manufacturer.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/vn/data/order_message.xml b/www/_install/fixtures/fashion/langs/vn/data/order_message.xml deleted file mode 100644 index 93ad3b5..0000000 --- a/www/_install/fixtures/fashion/langs/vn/data/order_message.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Delay - Hi, - -Unfortunately, an item on your order is currently out of stock. This may cause a slight delay in delivery. -Please accept our apologies and rest assured that we are working hard to rectify this. - -Best regards, - - diff --git a/www/_install/fixtures/fashion/langs/vn/data/ordermessage.xml b/www/_install/fixtures/fashion/langs/vn/data/ordermessage.xml deleted file mode 100644 index e743f5d..0000000 --- a/www/_install/fixtures/fashion/langs/vn/data/ordermessage.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/vn/data/product.xml b/www/_install/fixtures/fashion/langs/vn/data/product.xml deleted file mode 100644 index ba2927a..0000000 --- a/www/_install/fixtures/fashion/langs/vn/data/product.xml +++ /dev/null @@ -1,80 +0,0 @@ - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which have since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Faded short sleeves t-shirt with high neckline. Soft and stretchy material for a comfortable fit. Accessorize with a straw hat and you're ready for summer!</p> - faded-short-sleeves-tshirt - - - - Faded Short Sleeves T-shirt - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Short-sleeved blouse with feminine draped sleeve detail.</p> - blouse - - - - Blouse - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which have since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>100% cotton double printed dress. Black and white striped top and orange high waisted skater skirt bottom.</p> - printed-dress - - - - Printed Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which have since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Printed evening dress with straight sleeves with black thin waist belt and ruffled linings.</p> - printed-dress - - - - Printed Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which have since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Long printed dress with thin adjustable straps. V-neckline and wiring under the bust with ruffles at the bottom of the dress.</p> - printed-summer-dress - - - - Printed Summer Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which have since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Sleeveless knee-length chiffon dress. V-neckline with elastic under the bust lining.</p> - printed-summer-dress - - - - Printed Summer Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which have since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Printed chiffon knee length dress with tank straps. Deep v-neckline.</p> - printed-chiffon-dress - - - - Printed Chiffon Dress - In stock - - - diff --git a/www/_install/fixtures/fashion/langs/vn/data/profile.xml b/www/_install/fixtures/fashion/langs/vn/data/profile.xml deleted file mode 100644 index 04e6558..0000000 --- a/www/_install/fixtures/fashion/langs/vn/data/profile.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Logistician - - - Translator - - - Salesman - - diff --git a/www/_install/fixtures/fashion/langs/vn/data/scene.xml b/www/_install/fixtures/fashion/langs/vn/data/scene.xml deleted file mode 100644 index 708079e..0000000 --- a/www/_install/fixtures/fashion/langs/vn/data/scene.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/vn/data/supplier.xml b/www/_install/fixtures/fashion/langs/vn/data/supplier.xml deleted file mode 100644 index 0c375e8..0000000 --- a/www/_install/fixtures/fashion/langs/vn/data/supplier.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/vn/data/tag.xml b/www/_install/fixtures/fashion/langs/vn/data/tag.xml deleted file mode 100644 index d413861..0000000 --- a/www/_install/fixtures/fashion/langs/vn/data/tag.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/vn/index.php b/www/_install/fixtures/fashion/langs/vn/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/langs/vn/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/zh/data/attribute.xml b/www/_install/fixtures/fashion/langs/zh/data/attribute.xml deleted file mode 100644 index 94b6580..0000000 --- a/www/_install/fixtures/fashion/langs/zh/data/attribute.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - S - - - M - - - L - - - One size - - - Grey - - - Taupe - - - Beige - - - White - - - Off White - - - Red - - - Black - - - Camel - - - Orange - - - Blue - - - Green - - - Yellow - - - Brown - - - 35 - - - 36 - - - 37 - - - 38 - - - 39 - - - 40 - - - Pink - - diff --git a/www/_install/fixtures/fashion/langs/zh/data/attribute_group.xml b/www/_install/fixtures/fashion/langs/zh/data/attribute_group.xml deleted file mode 100644 index 17c82c6..0000000 --- a/www/_install/fixtures/fashion/langs/zh/data/attribute_group.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - Size - Size - - - Shoes Size - Size - - - Color - Color - - diff --git a/www/_install/fixtures/fashion/langs/zh/data/attributegroup.xml b/www/_install/fixtures/fashion/langs/zh/data/attributegroup.xml deleted file mode 100644 index 09da13f..0000000 --- a/www/_install/fixtures/fashion/langs/zh/data/attributegroup.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/zh/data/carrier.xml b/www/_install/fixtures/fashion/langs/zh/data/carrier.xml deleted file mode 100644 index c59766e..0000000 --- a/www/_install/fixtures/fashion/langs/zh/data/carrier.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - Delivery next day! - - diff --git a/www/_install/fixtures/fashion/langs/zh/data/category.xml b/www/_install/fixtures/fashion/langs/zh/data/category.xml deleted file mode 100644 index 19aee46..0000000 --- a/www/_install/fixtures/fashion/langs/zh/data/category.xml +++ /dev/null @@ -1,81 +0,0 @@ - - - - Women - <p><strong>You will find here all woman fashion collections.</strong></p> -<p>This category includes all the basics of your wardrobe and much more:</p> -<p>shoes, accessories, printed t-shirts, feminine dresses, women's jeans!</p> - women - - - - - - Tops - <p>Choose from t-shirts, tops, blouses, short sleeves, long sleeves, tank tops, 3/4 sleeves and more.</p> -<p>Find the cut that suits you the best!</p> - tops - - - - - - T-shirts - <p>The must have of your wardrobe, take a look at our different colors,</p> -<p>shapes and style of our collection!</p> - tshirts - - - - - - Tops - Choose the top that best suits you from the wide variety of tops we have. - top - - - - - - Blouses - Match your favorites blouses with the right accessories for the perfect look. - blouses - - - - - - Dresses - <p>Find your favorites dresses from our wide choice of evening, casual or summer dresses!</p> -<p>We offer dresses for every day, every style and every occasion.</p> - dresses - - - - - - Casual Dresses - <p>You are looking for a dress for every day? Take a look at</p> -<p>our selection of dresses to find one that suits you.</p> - casual-dresses - - - - - - Evening Dresses - Browse our different dresses to choose the perfect dress for an unforgettable evening! - evening-dresses - - - - - - Summer Dresses - Short dress, long dress, silk dress, printed dress, you will find the perfect dress for summer. - summer-dresses - - - - - diff --git a/www/_install/fixtures/fashion/langs/zh/data/feature.xml b/www/_install/fixtures/fashion/langs/zh/data/feature.xml deleted file mode 100644 index e09b882..0000000 --- a/www/_install/fixtures/fashion/langs/zh/data/feature.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - Height - - - Width - - - Depth - - - Weight - - - Compositions - - - Styles - - - Properties - - diff --git a/www/_install/fixtures/fashion/langs/zh/data/feature_value.xml b/www/_install/fixtures/fashion/langs/zh/data/feature_value.xml deleted file mode 100644 index b918f11..0000000 --- a/www/_install/fixtures/fashion/langs/zh/data/feature_value.xml +++ /dev/null @@ -1,102 +0,0 @@ - - - - Polyester - - - Wool - - - Viscose - - - Elastane - - - Cotton - - - Silk - - - Suede - - - Straw - - - Leather - - - Classic - - - Casual - - - Military - - - Girly - - - Rock - - - Basic - - - Dressy - - - Short Sleeve - - - Colorful Dress - - - Short Dress - - - Midi Dress - - - Maxi Dress - - - 2.75 in - - - 2.06 in - - - 49.2 g - - - 0.26 in - - - 1.07 in - - - 1.62 in - - - 15.5 g - - - 0.41 in (clip included) - - - 4.33 in - - - 2.76 in - - - 120g - - - 0.31 in - - diff --git a/www/_install/fixtures/fashion/langs/zh/data/featurevalue.xml b/www/_install/fixtures/fashion/langs/zh/data/featurevalue.xml deleted file mode 100644 index 7f943c0..0000000 --- a/www/_install/fixtures/fashion/langs/zh/data/featurevalue.xml +++ /dev/null @@ -1,66 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/zh/data/image.xml b/www/_install/fixtures/fashion/langs/zh/data/image.xml deleted file mode 100644 index 0fc64cb..0000000 --- a/www/_install/fixtures/fashion/langs/zh/data/image.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/zh/data/index.php b/www/_install/fixtures/fashion/langs/zh/data/index.php deleted file mode 100644 index f3a459e..0000000 --- a/www/_install/fixtures/fashion/langs/zh/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/fashion/langs/zh/data/manufacturer.xml b/www/_install/fixtures/fashion/langs/zh/data/manufacturer.xml deleted file mode 100644 index 2f09cb6..0000000 --- a/www/_install/fixtures/fashion/langs/zh/data/manufacturer.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/zh/data/order_message.xml b/www/_install/fixtures/fashion/langs/zh/data/order_message.xml deleted file mode 100644 index 93ad3b5..0000000 --- a/www/_install/fixtures/fashion/langs/zh/data/order_message.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Delay - Hi, - -Unfortunately, an item on your order is currently out of stock. This may cause a slight delay in delivery. -Please accept our apologies and rest assured that we are working hard to rectify this. - -Best regards, - - diff --git a/www/_install/fixtures/fashion/langs/zh/data/ordermessage.xml b/www/_install/fixtures/fashion/langs/zh/data/ordermessage.xml deleted file mode 100644 index e743f5d..0000000 --- a/www/_install/fixtures/fashion/langs/zh/data/ordermessage.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/zh/data/product.xml b/www/_install/fixtures/fashion/langs/zh/data/product.xml deleted file mode 100644 index f6b6a1c..0000000 --- a/www/_install/fixtures/fashion/langs/zh/data/product.xml +++ /dev/null @@ -1,80 +0,0 @@ - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Faded short sleeve t-shirt with high neckline. Soft and stretchy material for a comfortable fit. Accessorize with a straw hat and you're ready for summer!</p> - faded-short-sleeve-tshirts - - - - Faded Short Sleeve T-shirts - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Short sleeved blouse with feminine draped sleeve detail.</p> - blouse - - - - Blouse - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>100% cotton double printed dress. Black and white striped top and orange high waisted skater skirt bottom.</p> - printed-dress - - - - Printed Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Printed evening dress with straight sleeves with black thin waist belt and ruffled linings.</p> - printed-dress - - - - Printed Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Long printed dress with thin adjustable straps. V-neckline and wiring under the bust with ruffles at the bottom of the dress.</p> - printed-summer-dress - - - - Printed Summer Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Sleeveless knee-length chiffon dress. V-neckline with elastic under the bust lining.</p> - printed-summer-dress - - - - Printed Summer Dress - In stock - - - - <p>Fashion has been creating well-designed collections since 2010. The brand offers feminine designs delivering stylish separates and statement dresses which has since evolved into a full ready-to-wear collection in which every item is a vital part of a woman's wardrobe. The result? Cool, easy, chic looks with youthful elegance and unmistakable signature style. All the beautiful pieces are made in Italy and manufactured with the greatest attention. Now Fashion extends to a range of accessories including shoes, hats, belts and more!</p> - <p>Printed chiffon knee length dress with tank straps. Deep v-neckline.</p> - printed-chiffon-dress - - - - Printed Chiffon Dress - In stock - - - diff --git a/www/_install/fixtures/fashion/langs/zh/data/profile.xml b/www/_install/fixtures/fashion/langs/zh/data/profile.xml deleted file mode 100644 index 04e6558..0000000 --- a/www/_install/fixtures/fashion/langs/zh/data/profile.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - Logistician - - - Translator - - - Salesman - - diff --git a/www/_install/fixtures/fashion/langs/zh/data/scene.xml b/www/_install/fixtures/fashion/langs/zh/data/scene.xml deleted file mode 100644 index 708079e..0000000 --- a/www/_install/fixtures/fashion/langs/zh/data/scene.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/zh/data/supplier.xml b/www/_install/fixtures/fashion/langs/zh/data/supplier.xml deleted file mode 100644 index 0c375e8..0000000 --- a/www/_install/fixtures/fashion/langs/zh/data/supplier.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/www/_install/fixtures/fashion/langs/zh/data/tag.xml b/www/_install/fixtures/fashion/langs/zh/data/tag.xml deleted file mode 100644 index d413861..0000000 --- a/www/_install/fixtures/fashion/langs/zh/data/tag.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - diff --git a/www/_install/fixtures/fashion/langs/zh/index.php b/www/_install/fixtures/fashion/langs/zh/index.php deleted file mode 100644 index e1e89f3..0000000 --- a/www/_install/fixtures/fashion/langs/zh/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/fixtures/index.php b/www/_install/fixtures/index.php deleted file mode 100644 index a0a3051..0000000 --- a/www/_install/fixtures/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/index.php b/www/_install/index.php deleted file mode 100644 index 9bab05e..0000000 --- a/www/_install/index.php +++ /dev/null @@ -1,34 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -require_once(dirname(__FILE__).DIRECTORY_SEPARATOR.'init.php'); - -try { - require_once(_PS_INSTALL_PATH_.'classes'.DIRECTORY_SEPARATOR.'controllerHttp.php'); - InstallControllerHttp::execute(); -} catch (PrestashopInstallerException $e) { - $e->displayMessage(); -} diff --git a/www/_install/index_cli.php b/www/_install/index_cli.php deleted file mode 100644 index 20287ce..0000000 --- a/www/_install/index_cli.php +++ /dev/null @@ -1,38 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -/* Redefine REQUEST_URI */ -$_SERVER['REQUEST_URI'] = '/install/index_cli.php'; -require_once dirname(__FILE__).'/init.php'; -require_once _PS_INSTALL_PATH_.'classes/datas.php'; -ini_set('memory_limit', '128M'); -try { - require_once _PS_INSTALL_PATH_.'classes/controllerConsole.php'; - InstallControllerConsole::execute($argc, $argv); - echo '-- Installation successfull! --'."\n"; -} catch (PrestashopInstallerException $e) { - $e->displayMessage(); -} diff --git a/www/_install/init.php b/www/_install/init.php deleted file mode 100644 index 3013cc5..0000000 --- a/www/_install/init.php +++ /dev/null @@ -1,126 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -ob_start(); - -// Check PHP version -if (version_compare(preg_replace('/[^0-9.]/', '', PHP_VERSION), '5.2', '<')) { - die('You need at least PHP 5.2 to run PrestaShop. Your current PHP version is '.PHP_VERSION); -} - -// we check if theses constants are defined -// in order to use init.php in upgrade.php script -if (!defined('__PS_BASE_URI__')) { - define('__PS_BASE_URI__', substr($_SERVER['REQUEST_URI'], 0, -1 * (strlen($_SERVER['REQUEST_URI']) - strrpos($_SERVER['REQUEST_URI'], '/')) - strlen(substr(dirname($_SERVER['REQUEST_URI']), strrpos(dirname($_SERVER['REQUEST_URI']), '/') + 1)))); -} - -if (!defined('_PS_CORE_DIR_')) { - define('_PS_CORE_DIR_', realpath(dirname(__FILE__).'/..')); -} - -if (!defined('_THEME_NAME_')) { - define('_THEME_NAME_', 'default-bootstrap'); -} - - -require_once(_PS_CORE_DIR_.'/config/defines.inc.php'); -require_once(_PS_CORE_DIR_.'/config/autoload.php'); -require_once(_PS_CORE_DIR_.'/config/bootstrap.php'); -require_once(_PS_CORE_DIR_.'/config/defines_uri.inc.php'); - -// Generate common constants -define('PS_INSTALLATION_IN_PROGRESS', true); -define('_PS_INSTALL_PATH_', dirname(__FILE__).'/'); -define('_PS_INSTALL_DATA_PATH_', _PS_INSTALL_PATH_.'data/'); -define('_PS_INSTALL_CONTROLLERS_PATH_', _PS_INSTALL_PATH_.'controllers/'); -define('_PS_INSTALL_MODELS_PATH_', _PS_INSTALL_PATH_.'models/'); -define('_PS_INSTALL_LANGS_PATH_', _PS_INSTALL_PATH_.'langs/'); -define('_PS_INSTALL_FIXTURES_PATH_', _PS_INSTALL_PATH_.'fixtures/'); - -require_once(_PS_INSTALL_PATH_.'install_version.php'); - -// PrestaShop autoload is used to load some helpfull classes like Tools. -// Add classes used by installer bellow. - -require_once(_PS_CORE_DIR_.'/config/alias.php'); -require_once(_PS_INSTALL_PATH_.'classes/exception.php'); -require_once(_PS_INSTALL_PATH_.'classes/languages.php'); -require_once(_PS_INSTALL_PATH_.'classes/language.php'); -require_once(_PS_INSTALL_PATH_.'classes/model.php'); -require_once(_PS_INSTALL_PATH_.'classes/session.php'); -require_once(_PS_INSTALL_PATH_.'classes/sqlLoader.php'); -require_once(_PS_INSTALL_PATH_.'classes/xmlLoader.php'); -require_once(_PS_INSTALL_PATH_.'classes/simplexml.php'); - -@set_time_limit(0); -if (!@ini_get('date.timezone')) { - @date_default_timezone_set('UTC'); -} - -// Some hosting still have magic_quotes_runtime configured -ini_set('magic_quotes_runtime', 0); - -// Try to improve memory limit if it's under 64M -$current_memory_limit = psinstall_get_memory_limit(); -if ($current_memory_limit > 0 && $current_memory_limit < psinstall_get_octets('64M')) { - ini_set('memory_limit', '64M'); -} - -function psinstall_get_octets($option) -{ - if (preg_match('/[0-9]+k/i', $option)) { - return 1024 * (int)$option; - } - - if (preg_match('/[0-9]+m/i', $option)) { - return 1024 * 1024 * (int)$option; - } - - if (preg_match('/[0-9]+g/i', $option)) { - return 1024 * 1024 * 1024 * (int)$option; - } - - return $option; -} - -function psinstall_get_memory_limit() -{ - $memory_limit = @ini_get('memory_limit'); - - if (preg_match('/[0-9]+k/i', $memory_limit)) { - return 1024 * (int)$memory_limit; - } - - if (preg_match('/[0-9]+m/i', $memory_limit)) { - return 1024 * 1024 * (int)$memory_limit; - } - - if (preg_match('/[0-9]+g/i', $memory_limit)) { - return 1024 * 1024 * 1024 * (int)$memory_limit; - } - - return $memory_limit; -} diff --git a/www/_install/install_version.php b/www/_install/install_version.php deleted file mode 100644 index 2fd533a..0000000 --- a/www/_install/install_version.php +++ /dev/null @@ -1,27 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0) -* International Registered Trademark & Property of PrestaShop SA -*/ - -define('_PS_INSTALL_VERSION_', '1.6.1.13'); diff --git a/www/_install/langs/bg/data/carrier.xml b/www/_install/langs/bg/data/carrier.xml deleted file mode 100644 index 343fa6f..0000000 --- a/www/_install/langs/bg/data/carrier.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - Pick up in-store - - diff --git a/www/_install/langs/bg/data/category.xml b/www/_install/langs/bg/data/category.xml deleted file mode 100644 index 87b90b9..0000000 --- a/www/_install/langs/bg/data/category.xml +++ /dev/null @@ -1,19 +0,0 @@ - - - - Root - - root - - - - - - Home - - home - - - - - diff --git a/www/_install/langs/bg/data/cms.xml b/www/_install/langs/bg/data/cms.xml deleted file mode 100644 index 862d84f..0000000 --- a/www/_install/langs/bg/data/cms.xml +++ /dev/null @@ -1,81 +0,0 @@ - - - - Delivery - Our terms and conditions of delivery - conditions, delivery, delay, shipment, pack - <h2>Shipments and returns</h2><h3>Your pack shipment</h3><p>Packages are generally dispatched within 2 days after receipt of payment and are shipped via UPS with tracking and drop-off without signature. If you prefer delivery by UPS Extra with required signature, an additional cost will be applied, so please contact us before choosing this method. Whichever shipment choice you make, we will provide you with a link to track your package online.</p><p>Shipping fees include handling and packing fees as well as postage costs. Handling fees are fixed, whereas transport fees vary according to total weight of the shipment. We advise you to group your items in one order. We cannot group two distinct orders placed separately, and shipping fees will apply to each of them. Your package will be dispatched at your own risk, but special care is taken to protect fragile objects.<br /><br />Boxes are amply sized and your items are well-protected.</p> - delivery - - - Legal Notice - Legal notice - notice, legal, credits - <h2>Legal</h2><h3>Credits</h3><p>Concept and production:</p><p>This Online store was created using <a href="http://www.prestashop.com">Prestashop Shopping Cart Software</a>,check out PrestaShop's <a href="http://www.prestashop.com/blog/en/">ecommerce blog</a> for news and advices about selling online and running your ecommerce website.</p> - legal-notice - - - Terms and conditions of use - Our terms and conditions of use - conditions, terms, use, sell - <h1 class="page-heading">Terms and conditions of use</h1> -<h3 class="page-subheading">Rule 1</h3> -<p class="bottom-indent">Lorem ipsum dolor sit amet conse ctetur adipisicing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum.</p> -<h3 class="page-subheading">Rule 2</h3> -<p class="bottom-indent">Sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum. Lorem ipsum dolor sit amet conse ctetur adipisicing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam&#1102;</p> -<h3 class="page-subheading">Rule 3</h3> -<p class="bottom-indent">Tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum. Lorem ipsum dolor sit amet conse ctetur adipisicing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam&#1102;</p> - terms-and-conditions-of-use - - - About us - Learn more about us - about us, informations - <h1 class="page-heading bottom-indent">About us</h1> -<div class="row"> -<div class="col-xs-12 col-sm-4"> -<div class="cms-block"> -<h3 class="page-subheading">Our company</h3> -<p><strong class="dark">Lorem ipsum dolor sit amet conse ctetur adipisicing elit, sed do eiusmod tempor incididun.</strong></p> -<p>Lorem ipsum dolor sit amet conse ctetur adipisicing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam. Lorem ipsum dolor sit amet conse ctetur adipisicing elit.</p> -<ul class="list-1"> -<li><em class="icon-ok"></em>Top quality products</li> -<li><em class="icon-ok"></em>Best customer service</li> -<li><em class="icon-ok"></em>30-days money back guarantee</li> -</ul> -</div> -</div> -<div class="col-xs-12 col-sm-4"> -<div class="cms-box"> -<h3 class="page-subheading">Our team</h3> -<img title="cms-img" src="../img/cms/cms-img.jpg" alt="cms-img" width="370" height="192" /> -<p><strong class="dark">Lorem set sint occaecat cupidatat non </strong></p> -<p>Eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo.</p> -</div> -</div> -<div class="col-xs-12 col-sm-4"> -<div class="cms-box"> -<h3 class="page-subheading">Testimonials</h3> -<div class="testimonials"> -<div class="inner"><span class="before">“</span>Lorem ipsum dolor sit amet conse ctetur adipisicing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim.<span class="after">”</span></div> -</div> -<p><strong class="dark">Lorem ipsum dolor sit</strong></p> -<div class="testimonials"> -<div class="inner"><span class="before">“</span>Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum. Lorem ipsum dolor sit amet conse ctetur adipisicing elit. Lorem ipsum dolor sit amet conse ctetur adipisicing elit, sed do eiusmod.<span class="after">”</span></div> -</div> -<p><strong class="dark">Ipsum dolor sit</strong></p> -</div> -</div> -</div> - about-us - - - Secure payment - Our secure payment method - secure payment, ssl, visa, mastercard, paypal - <h2>Secure payment</h2> -<h3>Our secure payment</h3><p>With SSL</p> -<h3>Using Visa/Mastercard/Paypal</h3><p>About this service</p> - secure-payment - - diff --git a/www/_install/langs/bg/data/cms_category.xml b/www/_install/langs/bg/data/cms_category.xml deleted file mode 100644 index ceb8cf4..0000000 --- a/www/_install/langs/bg/data/cms_category.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - Home - - home - - - - - diff --git a/www/_install/langs/bg/data/configuration.xml b/www/_install/langs/bg/data/configuration.xml deleted file mode 100644 index b4bf4ef..0000000 --- a/www/_install/langs/bg/data/configuration.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - #IN - - - #DE - - - #RE - - - a|about|above|after|again|against|all|am|an|and|any|are|aren|as|at|be|because|been|before|being|below|between|both|but|by|can|cannot|could|couldn|did|didn|do|does|doesn|doing|don|down|during|each|few|for|from|further|had|hadn|has|hasn|have|haven|having|he|ll|her|here|hers|herself|him|himself|his|how|ve|if|in|into|is|isn|it|its|itself|let|me|more|most|mustn|my|myself|no|nor|not|of|off|on|once|only|or|other|ought|our|ours|ourselves|out|over|own|same|shan|she|should|shouldn|so|some|such|than|that|the|their|theirs|them|themselves|then|there|these|they|re|this|those|through|to|too|under|until|up|very|was|wasn|we|were|weren|what|when|where|which|while|who|whom|why|with|won|would|wouldn|you|your|yours|yourself|yourselves - - - 0 - - - Dear Customer, - -Regards, -Customer service - - diff --git a/www/_install/langs/bg/data/contact.xml b/www/_install/langs/bg/data/contact.xml deleted file mode 100644 index bdc0b24..0000000 --- a/www/_install/langs/bg/data/contact.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - If a technical problem occurs on this website - - - For any question about a product, an order - - diff --git a/www/_install/langs/bg/data/country.xml b/www/_install/langs/bg/data/country.xml deleted file mode 100644 index d57ea1e..0000000 --- a/www/_install/langs/bg/data/country.xml +++ /dev/null @@ -1,735 +0,0 @@ - - - - Germany - - - Austria - - - Belgium - - - Canada - - - China - - - Spain - - - Finland - - - France - - - Greece - - - Italy - - - Japan - - - Luxemburg - - - Netherlands - - - Poland - - - Portugal - - - Czech Republic - - - United Kingdom - - - Sweden - - - Switzerland - - - Denmark - - - United States - - - HongKong - - - Norway - - - Australia - - - Singapore - - - Ireland - - - New Zealand - - - South Korea - - - Israel - - - South Africa - - - Nigeria - - - Ivory Coast - - - Togo - - - Bolivia - - - Mauritius - - - Romania - - - Slovakia - - - Algeria - - - American Samoa - - - - Angola - - - Anguilla - - - Antigua and Barbuda - - - Argentina - - - Armenia - - - Aruba - - - Azerbaijan - - - Bahamas - - - Bahrain - - - Bangladesh - - - Barbados - - - Belarus - - - Belize - - - Benin - - - Bermuda - - - Bhutan - - - Botswana - - - Brazil - - - Brunei - - - Burkina Faso - - - Burma (Myanmar) - - - Burundi - - - Cambodia - - - Cameroon - - - Cape Verde - - - Central African Republic - - - Chad - - - Chile - - - Colombia - - - Comoros - - - Congo, Dem. Republic - - - Congo, Republic - - - Costa Rica - - - Croatia - - - Cuba - - - Cyprus - - - Djibouti - - - Dominica - - - Dominican Republic - - - East Timor - - - Ecuador - - - Egypt - - - El Salvador - - - Equatorial Guinea - - - Eritrea - - - Estonia - - - Ethiopia - - - Falkland Islands - - - Faroe Islands - - - Fiji - - - Gabon - - - Gambia - - - Georgia - - - Ghana - - - Grenada - - - Greenland - - - Gibraltar - - - Guadeloupe - - - Guam - - - Guatemala - - - Guernsey - - - Guinea - - - Guinea-Bissau - - - Guyana - - - Haiti - - - Heard Island and McDonald Islands - - - Vatican City State - - - Honduras - - - Iceland - - - India - - - Indonesia - - - Iran - - - Iraq - - - Man Island - - - Jamaica - - - Jersey - - - Jordan - - - Kazakhstan - - - Kenya - - - Kiribati - - - Korea, Dem. Republic of - - - Kuwait - - - Kyrgyzstan - - - Laos - - - Latvia - - - Lebanon - - - Lesotho - - - Liberia - - - Libya - - - Liechtenstein - - - Lithuania - - - Macau - - - Macedonia - - - Madagascar - - - Malawi - - - Malaysia - - - Maldives - - - Mali - - - Malta - - - Marshall Islands - - - Martinique - - - Mauritania - - - Hungary - - - Mayotte - - - Mexico - - - Micronesia - - - Moldova - - - Monaco - - - Mongolia - - - Montenegro - - - Montserrat - - - Morocco - - - Mozambique - - - Namibia - - - Nauru - - - Nepal - - - Netherlands Antilles - - - New Caledonia - - - Nicaragua - - - Niger - - - Niue - - - Norfolk Island - - - Northern Mariana Islands - - - Oman - - - Pakistan - - - Palau - - - Palestinian Territories - - - Panama - - - Papua New Guinea - - - Paraguay - - - Peru - - - Philippines - - - Pitcairn - - - Puerto Rico - - - Qatar - - - Reunion Island - - - Russian Federation - - - Rwanda - - - Saint Barthelemy - - - Saint Kitts and Nevis - - - Saint Lucia - - - Saint Martin - - - Saint Pierre and Miquelon - - - Saint Vincent and the Grenadines - - - Samoa - - - San Marino - - - São Tomé and Príncipe - - - Saudi Arabia - - - Senegal - - - Serbia - - - Seychelles - - - Sierra Leone - - - Slovenia - - - Solomon Islands - - - Somalia - - - South Georgia and the South Sandwich Islands - - - Sri Lanka - - - Sudan - - - Suriname - - - Svalbard and Jan Mayen - - - Swaziland - - - Syria - - - Taiwan - - - Tajikistan - - - Tanzania - - - Thailand - - - Tokelau - - - Tonga - - - Trinidad and Tobago - - - Tunisia - - - Turkey - - - Turkmenistan - - - Turks and Caicos Islands - - - Tuvalu - - - Uganda - - - Ukraine - - - United Arab Emirates - - - Uruguay - - - Uzbekistan - - - Vanuatu - - - Venezuela - - - Vietnam - - - Virgin Islands (British) - - - Virgin Islands (U.S.) - - - Wallis and Futuna - - - Western Sahara - - - Yemen - - - Zambia - - - Zimbabwe - - - Albania - - - Afghanistan - - - Antarctica - - - Bosnia and Herzegovina - - - Bouvet Island - - - British Indian Ocean Territory - - - Bulgaria - - - Cayman Islands - - - Christmas Island - - - Cocos (Keeling) Islands - - - Cook Islands - - - French Guiana - - - French Polynesia - - - French Southern Territories - - - Åland Islands - - diff --git a/www/_install/langs/bg/data/gender.xml b/www/_install/langs/bg/data/gender.xml deleted file mode 100644 index 2b2a4aa..0000000 --- a/www/_install/langs/bg/data/gender.xml +++ /dev/null @@ -1,5 +0,0 @@ - - - - - diff --git a/www/_install/langs/bg/data/group.xml b/www/_install/langs/bg/data/group.xml deleted file mode 100644 index 2d1b709..0000000 --- a/www/_install/langs/bg/data/group.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - - - - diff --git a/www/_install/langs/bg/data/index.php b/www/_install/langs/bg/data/index.php deleted file mode 100644 index b5fc656..0000000 --- a/www/_install/langs/bg/data/index.php +++ /dev/null @@ -1,35 +0,0 @@ - -* @copyright 2007-2016 PrestaShop SA -* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 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; diff --git a/www/_install/langs/bg/data/meta.xml b/www/_install/langs/bg/data/meta.xml deleted file mode 100644 index f5e4949..0000000 --- a/www/_install/langs/bg/data/meta.xml +++ /dev/null @@ -1,165 +0,0 @@ - - - - 404 error - This page cannot be found - - page-not-found - - - Best sales - Our best sales - - best-sales - - - Contact us - Use our form to contact us - - contact-us - - - - <description>Shop powered by PrestaShop</description> - <keywords/> - <url_rewrite/> - </meta> - <meta id="manufacturer" id_shop="1"> - <title>Manufacturers - Manufacturers list - - manufacturers - - - New products - Our new products - - new-products - - - Forgot your password - Enter the e-mail address you use to sign in to receive an e-mail with a new password - - password-recovery - - - Prices drop - Our special products - - prices-drop - - - Sitemap - Lost ? Find what your are looking for - - sitemap - - - Suppliers - Suppliers list - - supplier - - - Address - - - address - - - Addresses - - - addresses - - - Login - - - login - - - Cart - - - cart - - - Discount - - - discount - - - Order history - - - order-history - - - Identity - - - identity - - - My account - - - my-account - - - Order follow - - - order-follow - - - Credit slip - - - credit-slip - - - Order - - - order - - - Search - - - search - - - Stores - - - stores - - - Order - - - quick-order - - - Guest tracking - - - guest-tracking - - - Order confirmation - - - order-confirmation - - - Products Comparison - - - products-comparison - - diff --git a/www/_install/langs/bg/data/order_return_state.xml b/www/_install/langs/bg/data/order_return_state.xml deleted file mode 100644 index 37ad31d..0000000 --- a/www/_install/langs/bg/data/order_return_state.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - Waiting for confirmation - - - Waiting for package - - - Package received - - - Return denied - - - Return completed - - diff --git a/www/_install/langs/bg/data/order_state.xml b/www/_install/langs/bg/data/order_state.xml deleted file mode 100644 index df07fb2..0000000 --- a/www/_install/langs/bg/data/order_state.xml +++ /dev/null @@ -1,59 +0,0 @@ - - - - Awaiting check payment - - - - Payment accepted - - - - Processing in progress - - - - Shipped - - - - Delivered -