commit ac9c1e659c2c2f45b78594b0214e61a1d9341af0 Author: Michael RICOIS Date: Thu Jun 1 11:32:54 2017 +0200 Init diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..656761e --- /dev/null +++ b/.gitignore @@ -0,0 +1,92 @@ +#### GENERAL #### +/www/.htpasswd +/www/.htaccess +*.zip +*.sql +*.tar.gz +*.gzip +download/* +/www/log/* +/www/modules/gamification/ +/www/upload/* +*sitemap.xml + +#### IMAGES #### +/www/img/*/* +!/www/img/index.php +!/www/img/*/index.php + +#### ADMIN #### +/www/adm/backups/* +/www/adm/export/* +/www/adm/import/* +/www/adm/autoupgrade/* +/www/adm/backups/* +!/www/adm/backups/index.php + +#### CACHE #### +/www/themes/*/cache/ +/www/cache/smarty/cache/* +!/www/cache/smarty/cache/index.php +/www/cache/smarty/compile/* +!/www/cache/smarty/compile/index.php +/www/cache/class_index.php +/www/cache/tcpdf/* +!/www/cache/tcpdf/index.php +/www/tools/smarty*/cache/*.php +!/www/tools/smarty*/cache/index.php + +#### CONFIG #### +/www/config/settings.*.php +/www/config/xml/*.xml +/www/config/settings.inc.php +/www/config/settings.old.php +/www/config/xml/*.xml +/www/modules/*/config*.xml + +#### THEME #### +/www/themes/default/cache/*.js +/www/themes/default/cache/*.css +/www/themes/default-bootstrap/cache/*.js +/www/themes/default-bootstrap/cache/*.css + +/www/tools/smarty*/compile/*.php +!/www/tools/smarty*/compile/index.php +/www/themes/default/modules/*/*.php +!/www/themes/default/modules/*/index.php +/www/themes/default/lang/*.php +!/www/themes/default/lang/index.php +/www/themes/default-bootstrap/modules/*/*.php +!/www/themes/default-bootstrap/modules/*/index.php +/www/themes/default-bootstrap/lang/*.php +!/www/themes/default-bootstrap/lang/index.php + +#### TRADUCTIONS #### +/www/translations/* +/www/themes/default-bootstrap/lang/* +/www/themes/default-bootstrap/modules/*/translations/*.php +!/www/themes/default-bootstrap/modules/*/translations/index.php +!/www/translations/*.gzip + +#### MAILS #### +/www/mails/* +!/www/mails/en +!/www/mails/fr +/www/modules/*/mails/* +!/www/modules/*/mails/en + +#### OTHER #### +.buildpath +.project +.settings +.idea +.svn +.DS_Store +.sass-cache +config.codekit +*.sublime-project +*.sublime-workspace +.zfs/ +/ftp/in/* +/ftp/out/* + diff --git a/README.md b/README.md new file mode 100644 index 0000000..0b82ea7 --- /dev/null +++ b/README.md @@ -0,0 +1,3 @@ +# Version Ecologique + +[Site](http://www.version-ecologique.com) diff --git a/www/Adapter/Adapter_AddressFactory.php b/www/Adapter/Adapter_AddressFactory.php new file mode 100644 index 0000000..b362c07 --- /dev/null +++ b/www/Adapter/Adapter_AddressFactory.php @@ -0,0 +1,51 @@ + + * @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 Adapter_AddressFactory +{ + /** + * Initilize an address corresponding to the specified id address or if empty to the + * default shop configuration + * @param null $id_address + * @param bool $with_geoloc + * @return Address + */ + public function findOrCreate($id_address = null, $with_geoloc = false) + { + $func_args = func_get_args(); + return call_user_func_array(array('Address', 'initialize'), $func_args); + } + + /** + * Check if an address exists depending on given $id_address + * @param $id_address + * @return bool + */ + public function addressExists($id_address) + { + return Address::addressExists($id_address); + } +} diff --git a/www/Adapter/Adapter_CacheManager.php b/www/Adapter/Adapter_CacheManager.php new file mode 100644 index 0000000..4910411 --- /dev/null +++ b/www/Adapter/Adapter_CacheManager.php @@ -0,0 +1,38 @@ + + * @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 Adapter_CacheManager +{ + /** + * Cleans the cache for specific cache key. + * + * @param $key + */ + public function clean($key) + { + Cache::clean($key); + } +} diff --git a/www/Adapter/Adapter_Configuration.php b/www/Adapter/Adapter_Configuration.php new file mode 100644 index 0000000..1922740 --- /dev/null +++ b/www/Adapter/Adapter_Configuration.php @@ -0,0 +1,43 @@ + + * @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 Adapter_Configuration implements Core_Business_ConfigurationInterface +{ + /** + * Returns constant defined by given $key if exists or check directly into PrestaShop + * Configuration + * @param $key + * @return mixed + */ + public function get($key) + { + if (defined($key)) { + return constant($key); + } else { + return Configuration::get($key); + } + } +} diff --git a/www/Adapter/Adapter_Database.php b/www/Adapter/Adapter_Database.php new file mode 100644 index 0000000..0507ecd --- /dev/null +++ b/www/Adapter/Adapter_Database.php @@ -0,0 +1,52 @@ + + * @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 Adapter_Database implements Core_Foundation_Database_DatabaseInterface +{ + /** + * Perform a SELECT sql statement + * @param $sqlString + * @return array|false + * @throws PrestaShopDatabaseException + */ + public function select($sqlString) + { + return Db::getInstance()->executeS($sqlString); + } + + /** + * Escape $unsafe to be used into a SQL statement + * @param $unsafeData + * @return string + */ + public function escape($unsafeData) + { + // Prepare required params + $html_ok = true; + $bq_sql = true; + return Db::getInstance()->escape($unsafeData, $html_ok, $bq_sql); + } +} diff --git a/www/Adapter/Adapter_EntityMapper.php b/www/Adapter/Adapter_EntityMapper.php new file mode 100644 index 0000000..cef6701 --- /dev/null +++ b/www/Adapter/Adapter_EntityMapper.php @@ -0,0 +1,104 @@ + + * @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 Adapter_EntityMapper +{ + /** + * Load ObjectModel + * @param $id + * @param $id_lang + * @param $entity ObjectModel + * @param $entity_defs + * @param $id_shop + * @param $should_cache_objects + * @throws PrestaShopDatabaseException + */ + public function load($id, $id_lang, $entity, $entity_defs, $id_shop, $should_cache_objects) + { + // Load object from database if object id is present + $cache_id = 'objectmodel_' . $entity_defs['classname'] . '_' . (int)$id . '_' . (int)$id_shop . '_' . (int)$id_lang; + if (!$should_cache_objects || !Cache::isStored($cache_id)) { + $sql = new DbQuery(); + $sql->from($entity_defs['table'], 'a'); + $sql->where('a.`' . bqSQL($entity_defs['primary']) . '` = ' . (int)$id); + + // Get lang informations + if ($id_lang && isset($entity_defs['multilang']) && $entity_defs['multilang']) { + $sql->leftJoin($entity_defs['table'] . '_lang', 'b', 'a.`' . bqSQL($entity_defs['primary']) . '` = b.`' . bqSQL($entity_defs['primary']) . '` AND b.`id_lang` = ' . (int)$id_lang); + if ($id_shop && !empty($entity_defs['multilang_shop'])) { + $sql->where('b.`id_shop` = ' . (int)$id_shop); + } + } + + // Get shop informations + if (Shop::isTableAssociated($entity_defs['table'])) { + $sql->leftJoin($entity_defs['table'] . '_shop', 'c', 'a.`' . bqSQL($entity_defs['primary']) . '` = c.`' . bqSQL($entity_defs['primary']) . '` AND c.`id_shop` = ' . (int)$id_shop); + } + + if ($object_datas = Db::getInstance()->getRow($sql)) { + if (!$id_lang && isset($entity_defs['multilang']) && $entity_defs['multilang']) { + $sql = 'SELECT * + FROM `' . bqSQL(_DB_PREFIX_ . $entity_defs['table']) . '_lang` + WHERE `' . bqSQL($entity_defs['primary']) . '` = ' . (int)$id + .(($id_shop && $entity->isLangMultishop()) ? ' AND `id_shop` = ' . (int)$id_shop : ''); + + if ($object_datas_lang = Db::getInstance()->executeS($sql)) { + foreach ($object_datas_lang as $row) { + foreach ($row as $key => $value) { + if ($key != $entity_defs['primary'] && array_key_exists($key, $entity)) { + if (!isset($object_datas[$key]) || !is_array($object_datas[$key])) { + $object_datas[$key] = array(); + } + + $object_datas[$key][$row['id_lang']] = $value; + } + } + } + } + } + $entity->id = (int)$id; + foreach ($object_datas as $key => $value) { + if (array_key_exists($key, $entity)) { + $entity->{$key} = $value; + } else { + unset($object_datas[$key]); + } + } + if ($should_cache_objects) { + Cache::store($cache_id, $object_datas); + } + } + } else { + $object_datas = Cache::retrieve($cache_id); + if ($object_datas) { + $entity->id = (int)$id; + foreach ($object_datas as $key => $value) { + $entity->{$key} = $value; + } + } + } + } +} diff --git a/www/Adapter/Adapter_EntityMetaDataRetriever.php b/www/Adapter/Adapter_EntityMetaDataRetriever.php new file mode 100644 index 0000000..3eed03b --- /dev/null +++ b/www/Adapter/Adapter_EntityMetaDataRetriever.php @@ -0,0 +1,51 @@ + + * @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 Adapter_EntityMetaDataRetriever +{ + public function getEntityMetaData($className) + { + $metaData = new Core_Foundation_Database_EntityMetaData; + + $metaData->setEntityClassName($className); + + if (property_exists($className, 'definition')) { + // Legacy entity + $classVars = get_class_vars($className); + $metaData->setTableName($classVars['definition']['table']); + $metaData->setPrimaryKeyFieldNames(array($classVars['definition']['primary'])); + } else { + throw new Adapter_Exception( + sprintf( + 'Cannot get metadata for entity `%s`.', + $className + ) + ); + } + + return $metaData; + } +} diff --git a/www/Adapter/Adapter_Exception.php b/www/Adapter/Adapter_Exception.php new file mode 100644 index 0000000..87da103 --- /dev/null +++ b/www/Adapter/Adapter_Exception.php @@ -0,0 +1,29 @@ + + * @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 Adapter_Exception extends Core_Foundation_Exception_Exception +{ +} diff --git a/www/Adapter/Adapter_HookManager.php b/www/Adapter/Adapter_HookManager.php new file mode 100644 index 0000000..233e0da --- /dev/null +++ b/www/Adapter/Adapter_HookManager.php @@ -0,0 +1,54 @@ + + * @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 Adapter_HookManager +{ + /** + * Execute modules for specified hook + * + * @param string $hook_name Hook Name + * @param array $hook_args Parameters for the functions + * @param int $id_module Execute hook for this module only + * @param bool $array_return If specified, module output will be set by name in an array + * @param bool $check_exceptions Check permission exceptions + * @param bool $use_push Force change to be refreshed on Dashboard widgets + * @param int $id_shop If specified, hook will be execute the shop with this ID + * + * @throws PrestaShopException + * + * @return string/array modules output + */ + public function exec($hook_name, + $hook_args = array(), + $id_module = null, + $array_return = false, + $check_exceptions = true, + $use_push = false, + $id_shop = null) + { + return Hook::exec($hook_name, $hook_args, $id_module, $array_return, $check_exceptions, $use_push, $id_shop); + } +} diff --git a/www/Adapter/Adapter_PackItemsManager.php b/www/Adapter/Adapter_PackItemsManager.php new file mode 100644 index 0000000..4ce7e38 --- /dev/null +++ b/www/Adapter/Adapter_PackItemsManager.php @@ -0,0 +1,87 @@ + + * @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 Adapter_PackItemsManager +{ + /** + * Get the Products contained in the given Pack. + * + * @param Pack $pack + * @param integer $id_lang Optional + * @return Array[Product] The products contained in this Pack, with special dynamic attributes [pack_quantity, id_pack_product_attribute] + */ + public function getPackItems($pack, $id_lang = false) + { + if ($id_lang === false) { + $configuration = Adapter_ServiceLocator::get('Core_Business_ConfigurationInterface'); + $id_lang = (int)$configuration->get('PS_LANG_DEFAULT'); + } + return Pack::getItems($pack->id, $id_lang); + } + + /** + * Get all Packs that contains the given item in the corresponding declination. + * + * @param Product $item + * @param integer $item_attribute_id + * @param integer $id_lang Optional + * @return Array[Pack] The packs that contains the given item, with special dynamic attribute [pack_item_quantity] + */ + public function getPacksContainingItem($item, $item_attribute_id, $id_lang = false) + { + if ($id_lang === false) { + $configuration = Adapter_ServiceLocator::get('Core_Business_ConfigurationInterface'); + $id_lang = (int)$configuration->get('PS_LANG_DEFAULT'); + } + return Pack::getPacksContainingItem($item->id, $item_attribute_id, $id_lang); + } + + /** + * Is this product a pack? + * + * @param Product $product + * @return boolean + */ + public function isPack($product) + { + return Pack::isPack($product->id); + } + + /** + * Is this product in a pack? + * If $id_product_attribute specified, then will restrict search on the given combination, + * else this method will match a product if at least one of all its combination is in a pack. + * + * @param Product $product + * @param integer $id_product_attribute Optional combination of the product + * @return boolean + */ + public function isPacked($product, $id_product_attribute = false) + { + return Pack::isPacked($product->id, $id_product_attribute); + } + +} diff --git a/www/Adapter/Adapter_ProductPriceCalculator.php b/www/Adapter/Adapter_ProductPriceCalculator.php new file mode 100644 index 0000000..d37caad --- /dev/null +++ b/www/Adapter/Adapter_ProductPriceCalculator.php @@ -0,0 +1,68 @@ + + * @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 Adapter_ProductPriceCalculator +{ + public function getProductPrice( + $id_product, + $usetax = true, + $id_product_attribute = null, + $decimals = 6, + $divisor = null, + $only_reduc = false, + $usereduc = true, + $quantity = 1, + $force_associated_tax = false, + $id_customer = null, + $id_cart = null, + $id_address = null, + &$specific_price_output = null, + $with_ecotax = true, + $use_group_reduction = true, + Context $context = null, + $use_customer_price = true + ) { + return Product::getPriceStatic( + $id_product, + $usetax, + $id_product_attribute, + $decimals, + $divisor, + $only_reduc, + $usereduc, + $quantity, + $force_associated_tax, + $id_customer, + $id_cart, + $id_address, + $specific_price_output, + $with_ecotax, + $use_group_reduction, + $context, + $use_customer_price + ); + } +} diff --git a/www/Adapter/Adapter_ServiceLocator.php b/www/Adapter/Adapter_ServiceLocator.php new file mode 100644 index 0000000..8d91bba --- /dev/null +++ b/www/Adapter/Adapter_ServiceLocator.php @@ -0,0 +1,54 @@ + + * @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 Adapter_ServiceLocator +{ + /** + * Set a service container Instance + * @var Core_Foundation_IoC_Container + */ + private static $service_container; + + public static function setServiceContainerInstance(Core_Foundation_IoC_Container $container) + { + self::$service_container = $container; + } + + /** + * Get a service depending on its given $serviceName + * @param $serviceName + * @return mixed|object + * @throws Adapter_Exception + */ + public static function get($serviceName) + { + if (empty(self::$service_container) || is_null(self::$service_container)) { + throw new Adapter_Exception('Service container is not set.'); + } + + return self::$service_container->make($serviceName); + } +} diff --git a/www/Adapter/Adapter_StockManager.php b/www/Adapter/Adapter_StockManager.php new file mode 100644 index 0000000..5b7d04b --- /dev/null +++ b/www/Adapter/Adapter_StockManager.php @@ -0,0 +1,34 @@ + + * @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 Adapter_StockManager +{ + + public function getStockAvailableByProduct($product, $id_product_attribute = null, $id_shop = null) + { + return new StockAvailable(StockAvailable::getStockAvailableIdByProductId($product->id, $id_product_attribute, $id_shop)); + } +} diff --git a/www/Core/Business/CMS/Core_Business_CMS_CMSRepository.php b/www/Core/Business/CMS/Core_Business_CMS_CMSRepository.php new file mode 100644 index 0000000..2b6bdd8 --- /dev/null +++ b/www/Core/Business/CMS/Core_Business_CMS_CMSRepository.php @@ -0,0 +1,80 @@ + + * @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 Core_Business_CMS_CMSRepository extends Core_Foundation_Database_EntityRepository +{ + /** + * Return CMSRepository lang associative table name + * @return string + */ + private function getLanguageTableNameWithPrefix() + { + return $this->getTableNameWithPrefix() . '_lang'; + } + + /** + * Return all CMSRepositories depending on $id_lang/$id_shop tuple + * @param $id_lang + * @param $id_shop + * @return array|null + */ + public function i10nFindAll($id_lang, $id_shop) + { + $sql = ' + SELECT * + FROM `'.$this->getTableNameWithPrefix().'` c + JOIN `'.$this->getPrefix().'cms_lang` cl ON c.`id_cms`= cl.`id_cms` + WHERE cl.`id_lang` = '.(int)$id_lang.' + AND cl.`id_shop` = '.(int)$id_shop.' + + '; + + return $this->hydrateMany($this->db->select($sql)); + } + + /** + * Return all CMSRepositories depending on $id_lang/$id_shop tuple + * @param $id_cms + * @param $id_lang + * @param $id_shop + * @return CMS|null + * @throws Core_Foundation_Database_Exception + */ + public function i10nFindOneById($id_cms, $id_lang, $id_shop) + { + $sql = ' + SELECT * + FROM `'.$this->getTableNameWithPrefix().'` c + JOIN `'.$this->getPrefix().'cms_lang` cl ON c.`id_cms`= cl.`id_cms` + WHERE c.`id_cms` = '.(int)$id_cms.' + AND cl.`id_lang` = '.(int)$id_lang.' + AND cl.`id_shop` = '.(int)$id_shop.' + LIMIT 0 , 1 + '; + + return $this->hydrateOne($this->db->select($sql)); + } +} diff --git a/www/Core/Business/CMS/Core_Business_CMS_CMSRoleRepository.php b/www/Core/Business/CMS/Core_Business_CMS_CMSRoleRepository.php new file mode 100644 index 0000000..10c357f --- /dev/null +++ b/www/Core/Business/CMS/Core_Business_CMS_CMSRoleRepository.php @@ -0,0 +1,42 @@ + + * @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 Core_Business_CMS_CMSRoleRepository extends Core_Foundation_Database_EntityRepository +{ + /** + * Return all CMSRoles which are already associated + * @return array|null + */ + public function getCMSRolesAssociated() + { + $sql = ' + SELECT * + FROM `'.$this->getTableNameWithPrefix().'` + WHERE `id_cms` != 0'; + + return $this->hydrateMany($this->db->select($sql)); + } +} diff --git a/www/Core/Business/Core_Business_ConfigurationInterface.php b/www/Core/Business/Core_Business_ConfigurationInterface.php new file mode 100644 index 0000000..515f116 --- /dev/null +++ b/www/Core/Business/Core_Business_ConfigurationInterface.php @@ -0,0 +1,30 @@ + + * @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 + */ + +interface Core_Business_ConfigurationInterface +{ + public function get($key); +} diff --git a/www/Core/Business/Core_Business_ContainerBuilder.php b/www/Core/Business/Core_Business_ContainerBuilder.php new file mode 100644 index 0000000..f37735a --- /dev/null +++ b/www/Core/Business/Core_Business_ContainerBuilder.php @@ -0,0 +1,43 @@ + + * @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 Core_Business_ContainerBuilder +{ + /** + * Construct PrestaShop Core Service container + * @return Core_Foundation_IoC_Container + * @throws Core_Foundation_IoC_Exception + */ + public function build() + { + $container = new Core_Foundation_IoC_Container; + + $container->bind('Core_Business_ConfigurationInterface', 'Adapter_Configuration', true); + $container->bind('Core_Foundation_Database_DatabaseInterface', 'Adapter_Database', true); + + return $container; + } +} diff --git a/www/Core/Business/Email/Core_Business_Email_EmailLister.php b/www/Core/Business/Email/Core_Business_Email_EmailLister.php new file mode 100644 index 0000000..b21c833 --- /dev/null +++ b/www/Core/Business/Email/Core_Business_Email_EmailLister.php @@ -0,0 +1,91 @@ + + * @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 Core_Business_Email_EmailLister +{ + private $filesystem; + + public function __construct(Core_Foundation_FileSystem_FileSystem $fs) + { + // Register dependencies + $this->filesystem = $fs; + } + + /** + * Return the list of available mails + * @param null $lang + * @param null $dir + * @return array|null + */ + public function getAvailableMails($dir) + { + if (!is_dir($dir)) { + return null; + } + + $mail_directory = $this->filesystem->listEntriesRecursively($dir); + $mail_list = array(); + + // Remove unwanted .html / .txt / .tpl / .php / . / .. + foreach ($mail_directory as $mail) { + if (strpos($mail->getFilename(), '.') !== false) { + $tmp = explode('.', $mail->getFilename()); + + // Check for filename existence (left part) and if extension is html (right part) + if (($tmp === false || !isset($tmp[0])) || (isset($tmp[1]) && $tmp[1] !== 'html')) { + continue; + } + + $mail_name_no_ext = $tmp[0]; + if (!in_array($mail_name_no_ext, $mail_list)) { + $mail_list[] = $mail_name_no_ext; + } + } + } + + return $mail_list; + } + + + /** + * Give in input getAvailableMails(), will output a human readable and proper string name + * @return string + */ + public function getCleanedMailName($mail_name) + { + if (strpos($mail_name, '.') !== false) { + $tmp = explode('.', $mail_name); + + if ($tmp === false || !isset($tmp[0])) { + return $mail_name; + } + + $mail_name = $tmp[0]; + } + + return ucfirst(str_replace(array('_', '-'), ' ', $mail_name)); + } +} diff --git a/www/Core/Business/Payment/Core_Business_Payment_PaymentOption.php b/www/Core/Business/Payment/Core_Business_Payment_PaymentOption.php new file mode 100644 index 0000000..e112dce --- /dev/null +++ b/www/Core/Business/Payment/Core_Business_Payment_PaymentOption.php @@ -0,0 +1,214 @@ + + * @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 Core_Business_Payment_PaymentOption +{ + private $callToActionText; + private $logo; + private $action; + private $method; + private $inputs; + private $form; + private $moduleName; + + /** + * Return Call to Action Text + * @return string + */ + public function getCallToActionText() + { + return $this->callToActionText; + } + + /** + * Set Call To Action Text + * @param $callToActionText + * @return $this + */ + public function setCallToActionText($callToActionText) + { + $this->callToActionText = $callToActionText; + return $this; + } + + /** + * Return logo path + * @return string + */ + public function getLogo() + { + return $this->logo; + } + + /** + * Set logo path + * @param $logo + * @return $this + */ + public function setLogo($logo) + { + $this->logo = $logo; + return $this; + } + + /** + * Return action to perform (POST/GET) + * @return string + */ + public function getAction() + { + return $this->action; + } + + + /** + * Set action to be performed by this option + * @param $action + * @return $this + */ + public function setAction($action) + { + $this->action = $action; + return $this; + } + + public function getMethod() + { + return $this->method; + } + + public function setMethod($method) + { + $this->method = $method; + return $this; + } + + /** + * Return inputs contained in this payment option + * @return mixed + */ + public function getInputs() + { + return $this->inputs; + } + + /** + * Set inputs for this payment option + * @param $inputs + * @return $this + */ + public function setInputs($inputs) + { + $this->inputs = $inputs; + return $this; + } + + /** + * Get payment option form + * @return mixed + */ + public function getForm() + { + return $this->form; + } + + /** + * Set payment option form + * @param $form + * @return $this + */ + public function setForm($form) + { + $this->form = $form; + return $this; + } + + /** + * Get related module name to this payment option + * @return string + */ + public function getModuleName() + { + return $this->moduleName; + } + + /** + * Set related module name to this payment option + * @param $moduleName + * @return $this + */ + public function setModuleName($moduleName) + { + $this->moduleName = $moduleName; + return $this; + } + + /** + * Legacy options were specified this way: + * - either an array with a top level property 'cta_text' + * and then the other properties + * - or a numerically indexed array or arrays as described above + * Since this was a mess, this method is provided to convert them. + * It takes as input a legacy option (in either form) and always + * returns an array of instances of Core_Business_Payment_PaymentOption + */ + public static function convertLegacyOption(array $legacyOption) + { + if (!$legacyOption) { + return; + } + + if (array_key_exists('cta_text', $legacyOption)) { + $legacyOption = array($legacyOption); + } + + $newOptions = array(); + + $defaults = array( + 'action' => null, + 'form' => null, + 'method' => null, + 'inputs' => array(), + 'logo' => null + ); + + foreach ($legacyOption as $option) { + $option = array_merge($defaults, $option); + + $newOption = new Core_Business_Payment_PaymentOption(); + $newOption->setCallToActionText($option['cta_text']) + ->setAction($option['action']) + ->setForm($option['form']) + ->setInputs($option['inputs']) + ->setLogo($option['logo']) + ->setMethod($option['method']); + + $newOptions[] = $newOption; + } + + return $newOptions; + } +} diff --git a/www/Core/Business/Stock/Core_Business_Stock_StockManager.php b/www/Core/Business/Stock/Core_Business_Stock_StockManager.php new file mode 100644 index 0000000..8ebf314 --- /dev/null +++ b/www/Core/Business/Stock/Core_Business_Stock_StockManager.php @@ -0,0 +1,152 @@ + + * @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 Core_Business_Stock_StockManager +{ + /** + * This will update a Pack quantity and will decrease the quantity of containing Products if needed. + * + * @param Product $product A product pack object to update its quantity + * @param StockAvailable $stock_available the stock of the product to fix with correct quantity + * @param integer $delta_quantity The movement of the stock (negative for a decrease) + * @param integer|null $id_shop Opional shop ID + */ + public function updatePackQuantity($product, $stock_available, $delta_quantity, $id_shop = null) + { + $configuration = Adapter_ServiceLocator::get('Core_Business_ConfigurationInterface'); + if ($product->pack_stock_type == 1 || $product->pack_stock_type == 2 || ($product->pack_stock_type == 3 && $configuration->get('PS_PACK_STOCK_TYPE') > 0)) { + $packItemsManager = Adapter_ServiceLocator::get('Adapter_PackItemsManager'); + $products_pack = $packItemsManager->getPackItems($product); + $stockAvailable = new Core_Business_Stock_StockManager(); + $stockManager = Adapter_ServiceLocator::get('Adapter_StockManager'); + $cacheManager = Adapter_ServiceLocator::get('Adapter_CacheManager'); + foreach ($products_pack as $product_pack) { + $productStockAvailable = $stockManager->getStockAvailableByProduct($product_pack, $product_pack->id_pack_product_attribute, $id_shop); + $productStockAvailable->quantity = $productStockAvailable->quantity + ($delta_quantity * $product_pack->pack_quantity); + $productStockAvailable->update(); + + $cacheManager->clean('StockAvailable::getQuantityAvailableByProduct_'.(int)$product_pack->id.'*'); + } + } + + $stock_available->quantity = $stock_available->quantity + $delta_quantity; + + if ($product->pack_stock_type == 0 || $product->pack_stock_type == 2 || + ($product->pack_stock_type == 3 && ($configuration->get('PS_PACK_STOCK_TYPE') == 0 || $configuration->get('PS_PACK_STOCK_TYPE') == 2))) { + $stock_available->update(); + } + } + + /** + * This will decrease (if needed) Packs containing this product + * (with the right declinaison) if there is not enough product in stocks. + * + * @param Product $product A product object to update its quantity + * @param integer $id_product_attribute The product attribute to update + * @param StockAvailable $stock_available the stock of the product to fix with correct quantity + * @param integer|null $id_shop Opional shop ID + */ + public function updatePacksQuantityContainingProduct($product, $id_product_attribute, $stock_available, $id_shop = null) + { + $configuration = Adapter_ServiceLocator::get('Core_Business_ConfigurationInterface'); + $packItemsManager = Adapter_ServiceLocator::get('Adapter_PackItemsManager'); + $stockManager = Adapter_ServiceLocator::get('Adapter_StockManager'); + $cacheManager = Adapter_ServiceLocator::get('Adapter_CacheManager'); + $packs = $packItemsManager->getPacksContainingItem($product, $id_product_attribute); + foreach($packs as $pack) { + // Decrease stocks of the pack only if pack is in linked stock mode (option called 'Decrement both') + if (!((int)$pack->pack_stock_type == 2) && + !((int)$pack->pack_stock_type == 3 && $configuration->get('PS_PACK_STOCK_TYPE') == 2) + ) { + continue; + } + + // Decrease stocks of the pack only if there is not enough items to constituate the actual pack stocks. + + // How many packs can be constituated with the remaining product stocks + $quantity_by_pack = $pack->pack_item_quantity; + $max_pack_quantity = max(array(0, floor($stock_available->quantity / $quantity_by_pack))); + + $stock_available_pack = $stockManager->getStockAvailableByProduct($pack, null, $id_shop); + if ($stock_available_pack->quantity > $max_pack_quantity) { + $stock_available_pack->quantity = $max_pack_quantity; + $stock_available_pack->update(); + + $cacheManager->clean('StockAvailable::getQuantityAvailableByProduct_'.(int)$pack->id.'*'); + } + } + } + + /** + * Will update Product available stock int he given declinaison. If product is a Pack, could decrease the sub products. + * If Product is contained in a Pack, Pack could be decreased or not (only if sub product stocks become not sufficient). + * + * @param Product $product The product to update its stockAvailable + * @param integer $id_product_attribute The declinaison to update (null if not) + * @param integer $delta_quantity The quantity change (positive or negative) + * @param integer|null $id_shop Optional + */ + public function updateQuantity($product, $id_product_attribute, $delta_quantity, $id_shop = null) + { + $stockManager = Adapter_ServiceLocator::get('Adapter_StockManager'); + $stockAvailable = $stockManager->getStockAvailableByProduct($product, $id_product_attribute, $id_shop); + $packItemsManager = Adapter_ServiceLocator::get('Adapter_PackItemsManager'); + $cacheManager = Adapter_ServiceLocator::get('Adapter_CacheManager'); + $hookManager = Adapter_ServiceLocator::get('Adapter_HookManager'); + + // Update quantity of the pack products + if ($packItemsManager->isPack($product)) { + // The product is a pack + $this->updatePackQuantity($product, $stockAvailable, $delta_quantity, $id_shop); + } else { + // The product is not a pack + $stockAvailable->quantity = $stockAvailable->quantity + $delta_quantity; + $stockAvailable->id_product = (int)$product->id; + $stockAvailable->id_product_attribute = (int)$id_product_attribute; + $stockAvailable->update(); + + // Decrease case only: the stock of linked packs should be decreased too. + if ($delta_quantity < 0) { + // The product is not a pack, but the product combination is part of a pack (use of isPacked, not isPack) + if ($packItemsManager->isPacked($product, $id_product_attribute)) { + $this->updatePacksQuantityContainingProduct($product, $id_product_attribute, $stockAvailable, $id_shop); + } + } + } + + $cacheManager->clean('StockAvailable::getQuantityAvailableByProduct_'.(int)$product->id.'*'); + + $hookManager->exec('actionUpdateQuantity', + array( + 'id_product' => $product->id, + 'id_product_attribute' => $id_product_attribute, + 'quantity' => $stockAvailable->quantity + ) + ); + } + + +} diff --git a/www/Core/Foundation/Database/Core_Foundation_Database_DatabaseInterface.php b/www/Core/Foundation/Database/Core_Foundation_Database_DatabaseInterface.php new file mode 100644 index 0000000..8118feb --- /dev/null +++ b/www/Core/Foundation/Database/Core_Foundation_Database_DatabaseInterface.php @@ -0,0 +1,31 @@ + + * @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 + */ + +interface Core_Foundation_Database_DatabaseInterface +{ + public function select($sqlString); + public function escape($unsafeData); +} diff --git a/www/Core/Foundation/Database/Core_Foundation_Database_EntityInterface.php b/www/Core/Foundation/Database/Core_Foundation_Database_EntityInterface.php new file mode 100644 index 0000000..7bf66c1 --- /dev/null +++ b/www/Core/Foundation/Database/Core_Foundation_Database_EntityInterface.php @@ -0,0 +1,42 @@ + + * @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 + */ + +interface Core_Foundation_Database_EntityInterface +{ + /** + * Returns the name of the repository class for this entity. + * If unspecified, a generic repository will be used for the entity. + * + * @return string or falsey value + */ + public static function getRepositoryClassName(); + + public function save(); + + public function delete(); + + public function hydrate(array $keyValueData); +} diff --git a/www/Core/Foundation/Database/Core_Foundation_Database_EntityManager.php b/www/Core/Foundation/Database/Core_Foundation_Database_EntityManager.php new file mode 100644 index 0000000..c71f6f6 --- /dev/null +++ b/www/Core/Foundation/Database/Core_Foundation_Database_EntityManager.php @@ -0,0 +1,114 @@ + + * @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 Core_Foundation_Database_EntityManager +{ + private $db; + private $configuration; + + private $entityMetaData = array(); + + public function __construct( + Core_Foundation_Database_DatabaseInterface $db, + Core_Business_ConfigurationInterface $configuration + ) { + $this->db = $db; + $this->configuration = $configuration; + } + + /** + * Return current database object used + * @return Core_Foundation_Database_DatabaseInterface + */ + public function getDatabase() + { + return $this->db; + } + + /** + * Return current repository used + * @param $className + * @return mixed + */ + public function getRepository($className) + { + if (is_callable(array($className, 'getRepositoryClassName'))) { + $repositoryClass = call_user_func(array($className, 'getRepositoryClassName')); + } else { + $repositoryClass = null; + } + + if (!$repositoryClass) { + $repositoryClass = 'Core_Foundation_Database_EntityRepository'; + } + + $repository = new $repositoryClass( + $this, + $this->configuration->get('_DB_PREFIX_'), + $this->getEntityMetaData($className) + ); + + return $repository; + } + + /** + * Return entity's meta data + * @param $className + * @return mixed + * @throws Adapter_Exception + */ + public function getEntityMetaData($className) + { + if (!array_key_exists($className, $this->entityMetaData)) { + $metaDataRetriever = new Adapter_EntityMetaDataRetriever; + $this->entityMetaData[$className] = $metaDataRetriever->getEntityMetaData($className); + } + + return $this->entityMetaData[$className]; + } + + /** + * Flush entity to DB + * @param Core_Foundation_Database_EntityInterface $entity + * @return $this + */ + public function save(Core_Foundation_Database_EntityInterface $entity) + { + $entity->save(); + return $this; + } + + /** + * DElete entity from DB + * @param Core_Foundation_Database_EntityInterface $entity + * @return $this + */ + public function delete(Core_Foundation_Database_EntityInterface $entity) + { + $entity->delete(); + return $this; + } +} diff --git a/www/Core/Foundation/Database/Core_Foundation_Database_EntityMetaData.php b/www/Core/Foundation/Database/Core_Foundation_Database_EntityMetaData.php new file mode 100644 index 0000000..dd9e025 --- /dev/null +++ b/www/Core/Foundation/Database/Core_Foundation_Database_EntityMetaData.php @@ -0,0 +1,64 @@ + + * @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 Core_Foundation_Database_EntityMetaData +{ + private $tableName; + private $primaryKeyFieldnames; + + public function setTableName($name) + { + $this->tableName = $name; + return $this; + } + + public function getTableName() + { + return $this->tableName; + } + + public function setPrimaryKeyFieldNames(array $primaryKeyFieldnames) + { + $this->primaryKeyFieldnames = $primaryKeyFieldnames; + return $this; + } + + public function getPrimaryKeyFieldnames() + { + return $this->primaryKeyFieldnames; + } + + public function setEntityClassName($entityClassName) + { + $this->entityClassName = $entityClassName; + return $this; + } + + public function getEntityClassName() + { + return $this->entityClassName; + } +} diff --git a/www/Core/Foundation/Database/Core_Foundation_Database_EntityRepository.php b/www/Core/Foundation/Database/Core_Foundation_Database_EntityRepository.php new file mode 100644 index 0000000..0713126 --- /dev/null +++ b/www/Core/Foundation/Database/Core_Foundation_Database_EntityRepository.php @@ -0,0 +1,220 @@ + + * @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 Core_Foundation_Database_EntityRepository +{ + protected $entityManager; + protected $db; + protected $tablesPrefix; + protected $entityMetaData; + protected $queryBuilder; + + public function __construct( + Core_Foundation_Database_EntityManager $entityManager, + $tablesPrefix, + Core_Foundation_Database_EntityMetaData $entityMetaData + ) { + $this->entityManager = $entityManager; + $this->db = $this->entityManager->getDatabase(); + $this->tablesPrefix = $tablesPrefix; + $this->entityMetaData = $entityMetaData; + $this->queryBuilder = new Core_Foundation_Database_EntityManager_QueryBuilder($this->db); + } + + public function __call($method, $arguments) + { + if (0 === strpos($method, 'findOneBy')) { + $one = true; + $by = substr($method, 9); + } elseif (0 === strpos($method, 'findBy')) { + $one = false; + $by = substr($method, 6); + } else { + throw new Core_Foundation_Database_Exception(sprintf('Undefind method %s.', $method)); + } + + if (count($arguments) !== 1) { + throw new Core_Foundation_Database_Exception(sprintf('Method %s takes exactly one argument.', $method)); + } + + if (!$by) { + $where = $arguments[0]; + } else { + $where = array(); + $by = $this->convertToDbFieldName($by); + $where[$by] = $arguments[0]; + } + + return $this->doFind($one, $where); + } + + /** + * Convert a camelCase field name to a snakeCase one + * e.g.: findAllByIdCMS => id_cms + * @param $camel_case_field_name + * @return string + */ + private function convertToDbFieldName($camel_case_field_name) + { + return strtolower(preg_replace('/([a-z])([A-Z])/', '$1_$2', $camel_case_field_name)); + } + + /** + * Return ID field name + * @return mixed + * @throws Core_Foundation_Database_Exception + */ + protected function getIdFieldName() + { + $primary = $this->entityMetaData->getPrimaryKeyFieldnames(); + + if (count($primary) === 0) { + throw new Core_Foundation_Database_Exception( + sprintf( + 'No primary key defined in entity `%s`.', + $this->entityMetaData->getEntityClassName() + ) + ); + } elseif (count($primary) > 1) { + throw new Core_Foundation_Database_Exception( + sprintf( + 'Entity `%s` has a composite primary key, which is not supported by entity repositories.', + $this->entityMetaData->getEntityClassName() + ) + ); + } + + return $primary[0]; + } + + /** + * Returns escaped+prefixed current table name + * @return mixed + */ + protected function getTableNameWithPrefix() + { + return $this->db->escape($this->tablesPrefix . $this->entityMetaData->getTableName()); + } + + /** + * Returns escaped DB table prefix + * @return mixed + */ + protected function getPrefix() + { + return $this->db->escape($this->tablesPrefix); + } + + /** + * Return a new empty Entity depending on current Repository selected + * @return mixed + */ + public function getNewEntity() + { + $entityClassName = $this->entityMetaData->getEntityClassName(); + return new $entityClassName; + } + + /** + * This function takes an array of database rows as input + * and returns an hydrated entity if there is one row only. + * + * Null is returned when there are no rows, and an exception is thrown + * if there are too many rows. + * + * @param array $rows Database rows + */ + protected function hydrateOne(array $rows) + { + if (count($rows) === 0) { + return null; + } elseif (count($rows) > 1) { + throw new Core_Foundation_Database_Exception('Too many rows returned.'); + } else { + $data = $rows[0]; + $entity = $this-> getNewEntity(); + $entity->hydrate($data); + return $entity; + } + } + + protected function hydrateMany(array $rows) + { + $entities = array(); + foreach ($rows as $row) { + $entity = $this->getNewEntity(); + $entity->hydrate($row); + $entities[] = $entity; + } + return $entities; + } + + /** + * Constructs and performs 'SELECT' in DB + * @param $one + * @param array $cumulativeConditions + * @return array|mixed|null + * @throws Core_Foundation_Database_Exception + */ + private function doFind($one, array $cumulativeConditions) + { + $whereClause = $this->queryBuilder->buildWhereConditions('AND', $cumulativeConditions); + + $sql = 'SELECT * FROM ' . $this->getTableNameWithPrefix() . ' WHERE ' . $whereClause; + + $rows = $this->db->select($sql); + + if ($one) { + return $this->hydrateOne($rows); + } else { + return $this->hydrateMany($rows); + } + } + + /** + * Find one entity in DB + * @param $id + * @return array|mixed|null + * @throws Core_Foundation_Database_Exception + */ + public function findOne($id) + { + $conditions = array(); + $conditions[$this->getIdFieldName()] = $id; + + return $this->doFind(true, $conditions); + } + + /** + * Find all entities in DB + * @return array + */ + public function findAll() + { + $sql = 'SELECT * FROM ' . $this->getTableNameWithPrefix(); + return $this->hydrateMany($this->db->select($sql)); + } +} diff --git a/www/Core/Foundation/Database/Core_Foundation_Database_Exception.php b/www/Core/Foundation/Database/Core_Foundation_Database_Exception.php new file mode 100644 index 0000000..017db8e --- /dev/null +++ b/www/Core/Foundation/Database/Core_Foundation_Database_Exception.php @@ -0,0 +1,29 @@ + + * @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 Core_Foundation_Database_Exception extends Core_Foundation_Exception_Exception +{ +} diff --git a/www/Core/Foundation/Database/EntityManager/Core_Foundation_Database_EntityManager_QueryBuilder.php b/www/Core/Foundation/Database/EntityManager/Core_Foundation_Database_EntityManager_QueryBuilder.php new file mode 100644 index 0000000..b62b7d3 --- /dev/null +++ b/www/Core/Foundation/Database/EntityManager/Core_Foundation_Database_EntityManager_QueryBuilder.php @@ -0,0 +1,71 @@ + + * @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 Core_Foundation_Database_EntityManager_QueryBuilder +{ + private $db; + + public function __construct(Core_Foundation_Database_DatabaseInterface $db) + { + $this->db = $db; + } + + public function quote($value) + { + $escaped = $this->db->escape($value); + + if (is_string($value)) { + return "'" . $escaped . "'"; + } else { + return $escaped; + } + } + + public function buildWhereConditions($andOrOr, array $conditions) + { + $operator = strtoupper($andOrOr); + + if ($operator !== 'AND' && $operator !== 'OR') { + throw new Core_Foundation_Database_Exception(sprintf('Invalid operator %s - must be "and" or "or".', $andOrOr)); + } + + $parts = array(); + + foreach ($conditions as $key => $value) { + if (is_scalar($value)) { + $parts[] = $key . ' = ' . $this->quote($value); + } else { + $list = array(); + foreach ($value as $item) { + $list[] = $this->quote($item); + } + $parts[] = $key . ' IN (' . implode(', ', $list) . ')'; + } + } + + return implode(" $operator ", $parts); + } +} diff --git a/www/Core/Foundation/Exception/Core_Foundation_Exception_Exception.php b/www/Core/Foundation/Exception/Core_Foundation_Exception_Exception.php new file mode 100644 index 0000000..ae7f064 --- /dev/null +++ b/www/Core/Foundation/Exception/Core_Foundation_Exception_Exception.php @@ -0,0 +1,33 @@ + + * @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 Core_Foundation_Exception_Exception extends Exception +{ + public function __construct($message = null, $code = 0, Exception $previous = null) + { + parent::__construct($message, $code, $previous); + } +} diff --git a/www/Core/Foundation/Filesystem/Core_Foundation_FileSystem_Exception.php b/www/Core/Foundation/Filesystem/Core_Foundation_FileSystem_Exception.php new file mode 100644 index 0000000..3ca9de0 --- /dev/null +++ b/www/Core/Foundation/Filesystem/Core_Foundation_FileSystem_Exception.php @@ -0,0 +1,29 @@ + + * @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 Core_Foundation_FileSystem_Exception extends Core_Foundation_Exception_Exception +{ +} diff --git a/www/Core/Foundation/Filesystem/Core_Foundation_FileSystem_FileSystem.php b/www/Core/Foundation/Filesystem/Core_Foundation_FileSystem_FileSystem.php new file mode 100644 index 0000000..736df2f --- /dev/null +++ b/www/Core/Foundation/Filesystem/Core_Foundation_FileSystem_FileSystem.php @@ -0,0 +1,141 @@ + + * @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 Core_Foundation_FileSystem_FileSystem +{ + /** + * Replaces directory separators with the system's native one + * and trims the trailing separator. + */ + public function normalizePath($path) + { + return rtrim( + str_replace(array('/', '\\'), DIRECTORY_SEPARATOR, $path), + DIRECTORY_SEPARATOR + ); + } + + private function joinTwoPaths($a, $b) + { + return $this->normalizePath($a) . DIRECTORY_SEPARATOR . $this->normalizePath($b); + } + + /** + * Joins an arbitrary number of paths, normalizing them along the way. + */ + public function joinPaths() + { + if (func_num_args() < 2) { + throw new Core_Foundation_FileSystem_Exception('joinPaths requires at least 2 arguments.'); + } else if (func_num_args() === 2) { + $arg_O = func_get_arg(0); + $arg_1 = func_get_arg(1); + + return $this->joinTwoPaths($arg_O, $arg_1); + } else if (func_num_args() > 2) { + $func_args = func_get_args(); + $arg_0 = func_get_arg(0); + + return $this->joinPaths( + $arg_0, + call_user_func_array( + array($this, + 'joinPaths'), + array_slice($func_args, 1) + ) + ); + } + } + + /** + * Performs a depth first listing of directory entries. + * Throws exception if $path is not a file. + * If $path is a file and not a directory, just gets the file info for it + * and return it in an array. + * @return an array of SplFileInfo object indexed by file path + */ + public function listEntriesRecursively($path) + { + if (!file_exists($path)) { + throw new Core_Foundation_FileSystem_Exception( + sprintf( + 'No such file or directory: %s', + $path + ) + ); + } + + if (!is_dir($path)) { + throw new Core_Foundation_FileSystem_Exception( + sprintf( + '%s is not a directory', + $path + ) + ); + } + + $entries = array(); + + foreach (scandir($path) as $entry) { + if ($entry === '.' || $entry === '..') { + continue; + } + + $newPath = $this->joinPaths($path, $entry); + $info = new SplFileInfo($newPath); + + $entries[$newPath] = $info; + + if ($info->isDir()) { + $entries = array_merge( + $entries, + $this->listEntriesRecursively($newPath) + ); + } + } + + return $entries; + } + + /** + * Filter used by listFilesRecursively. + */ + private function matchOnlyFiles(SplFileInfo $info) + { + return $info->isFile(); + } + + /** + * Same as listEntriesRecursively but returns only files. + */ + public function listFilesRecursively($path) + { + return array_filter( + $this->listEntriesRecursively($path), + array($this, 'matchOnlyFiles') + ); + } +} diff --git a/www/Core/Foundation/IoC/Core_Foundation_IoC_Container.php b/www/Core/Foundation/IoC/Core_Foundation_IoC_Container.php new file mode 100644 index 0000000..de55e0c --- /dev/null +++ b/www/Core/Foundation/IoC/Core_Foundation_IoC_Container.php @@ -0,0 +1,172 @@ + + * @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 Core_Foundation_IoC_Container +{ + private $bindings = array(); + private $instances = array(); + private $namespaceAliases = array(); + + public function knows($serviceName) + { + return array_key_exists($serviceName, $this->bindings); + } + + private function knowsNamespaceAlias($alias) + { + return array_key_exists($alias, $this->namespaceAliases); + } + + public function bind($serviceName, $constructor, $shared = false) + { + if ($this->knows($serviceName)) { + throw new Core_Foundation_IoC_Exception( + sprintf('Cannot bind `%s` again. A service name can only be bound once.', $serviceName) + ); + } + + $this->bindings[$serviceName] = array( + 'constructor' => $constructor, + 'shared' => $shared + ); + + return $this; + } + + public function aliasNamespace($alias, $namespacePrefix) + { + if ($this->knowsNamespaceAlias($alias)) { + throw new Core_Foundation_IoC_Exception( + sprintf( + 'Namespace alias `%1$s` already exists and points to `%2$s`', + $alias, $this->namespaceAliases[$alias] + ) + ); + } + + $this->namespaceAliases[$alias] = $namespacePrefix; + return $this; + } + + public function resolveClassName($className) + { + $colonPos = strpos($className, ':'); + if (0 !== $colonPos) { + $alias = substr($className, 0, $colonPos); + if ($this->knowsNamespaceAlias($alias)) { + $class = ltrim(substr($className, $colonPos + 1), '\\'); + return $this->namespaceAliases[$alias] . '\\' . $class; + } + } + + return $className; + } + + private function makeInstanceFromClassName($className, array $alreadySeen) + { + $className = $this->resolveClassName($className); + + try { + $refl = new ReflectionClass($className); + } catch (ReflectionException $re) { + throw new Core_Foundation_IoC_Exception(sprintf('This doesn\'t seem to be a class name: `%s`.', $className)); + } + + $args = array(); + + if ($refl->isAbstract()) { + throw new Core_Foundation_IoC_Exception(sprintf('Cannot build abstract class: `%s`.', $className)); + } + + $classConstructor = $refl->getConstructor(); + + if ($classConstructor) { + foreach ($classConstructor->getParameters() as $param) { + $paramClass = $param->getClass(); + if ($paramClass) { + $args[] = $this->doMake($param->getClass()->getName(), $alreadySeen); + } elseif ($param->isDefaultValueAvailable()) { + $args[] = $param->getDefaultValue(); + } else { + throw new Core_Foundation_IoC_Exception(sprintf('Cannot build a `%s`.', $className)); + } + } + } + + if (count($args) > 0) { + return $refl->newInstanceArgs($args); + } else { + // newInstanceArgs with empty array fails in PHP 5.3 when the class + // doesn't have an explicitly defined constructor + return $refl->newInstance(); + } + } + + private function doMake($serviceName, array $alreadySeen = array()) + { + if (array_key_exists($serviceName, $alreadySeen)) { + throw new Core_Foundation_IoC_Exception(sprintf( + 'Cyclic dependency detected while building `%s`.', + $serviceName + )); + } + + $alreadySeen[$serviceName] = true; + + if (!$this->knows($serviceName)) { + $this->bind($serviceName, $serviceName); + } + + $binding = $this->bindings[$serviceName]; + + if ($binding['shared'] && array_key_exists($serviceName, $this->instances)) { + return $this->instances[$serviceName]; + } else { + $constructor = $binding['constructor']; + + if (is_callable($constructor)) { + $service = call_user_func($constructor); + } elseif (!is_string($constructor)) { + // user already provided the value, no need to construct it. + $service = $constructor; + } else { + // assume the $constructor is a class name + $service = $this->makeInstanceFromClassName($constructor, $alreadySeen); + } + + if ($binding['shared']) { + $this->instances[$serviceName] = $service; + } + + return $service; + } + } + + public function make($serviceName) + { + return $this->doMake($serviceName, array()); + } +} diff --git a/www/Core/Foundation/IoC/Core_Foundation_IoC_Exception.php b/www/Core/Foundation/IoC/Core_Foundation_IoC_Exception.php new file mode 100644 index 0000000..ab9968f --- /dev/null +++ b/www/Core/Foundation/IoC/Core_Foundation_IoC_Exception.php @@ -0,0 +1,29 @@ + + * @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 Core_Foundation_IoC_Exception extends Core_Foundation_Exception_Exception +{ +} diff --git a/www/LICENSES b/www/LICENSES new file mode 100644 index 0000000..40ff202 --- /dev/null +++ b/www/LICENSES @@ -0,0 +1,5279 @@ +GNU LESSER GENERAL PUBLIC LICENSE + Version 3, 29 June 2007 + +Copyright (C) 2007 Free Software Foundation, Inc. +Everyone is permitted to copy and distribute verbatim copies +of this license document, but changing it is not allowed. + + +This version of the GNU Lesser General Public License incorporates +the terms and conditions of version 3 of the GNU General Public +License, supplemented by the additional permissions listed below. + +0. Additional Definitions. + +As used herein, "this License" refers to version 3 of the GNU Lesser +General Public License, and the "GNU GPL" refers to version 3 of the GNU +General Public License. + +"The Library" refers to a covered work governed by this License, +other than an Application or a Combined Work as defined below. + +An "Application" is any work that makes use of an interface provided +by the Library, but which is not otherwise based on the Library. +Defining a subclass of a class defined by the Library is deemed a mode +of using an interface provided by the Library. + +A "Combined Work" is a work produced by combining or linking an +Application with the Library. The particular version of the Library +with which the Combined Work was made is also called the "Linked +Version". + +The "Minimal Corresponding Source" for a Combined Work means the +Corresponding Source for the Combined Work, excluding any source code +for portions of the Combined Work that, considered in isolation, are +based on the Application, and not on the Linked Version. + +The "Corresponding Application Code" for a Combined Work means the +object code and/or source code for the Application, including any data +and utility programs needed for reproducing the Combined Work from the +Application, but excluding the System Libraries of the Combined Work. + +1. Exception to Section 3 of the GNU GPL. + +You may convey a covered work under sections 3 and 4 of this License +without being bound by section 3 of the GNU GPL. + +2. Conveying Modified Versions. + +If you modify a copy of the Library, and, in your modifications, a +facility refers to a function or data to be supplied by an Application +that uses the facility (other than as an argument passed when the +facility is invoked), then you may convey a copy of the modified +version: + +a) under this License, provided that you make a good faith effort to +ensure that, in the event an Application does not supply the +function or data, the facility still operates, and performs +whatever part of its purpose remains meaningful, or + +b) under the GNU GPL, with none of the additional permissions of +this License applicable to that copy. + +3. Object Code Incorporating Material from Library Header Files. + +The object code form of an Application may incorporate material from +a header file that is part of the Library. You may convey such object +code under terms of your choice, provided that, if the incorporated +material is not limited to numerical parameters, data structure +layouts and accessors, or small macros, inline functions and templates +(ten or fewer lines in length), you do both of the following: + +a) Give prominent notice with each copy of the object code that the +Library is used in it and that the Library and its use are +covered by this License. + +b) Accompany the object code with a copy of the GNU GPL and this license +document. + +4. Combined Works. + +You may convey a Combined Work under terms of your choice that, +taken together, effectively do not restrict modification of the +portions of the Library contained in the Combined Work and reverse +engineering for debugging such modifications, if you also do each of +the following: + +a) Give prominent notice with each copy of the Combined Work that +the Library is used in it and that the Library and its use are +covered by this License. + +b) Accompany the Combined Work with a copy of the GNU GPL and this license +document. + +c) For a Combined Work that displays copyright notices during +execution, include the copyright notice for the Library among +these notices, as well as a reference directing the user to the +copies of the GNU GPL and this license document. + +d) Do one of the following: + +0) Convey the Minimal Corresponding Source under the terms of this +License, and the Corresponding Application Code in a form +suitable for, and under terms that permit, the user to +recombine or relink the Application with a modified version of +the Linked Version to produce a modified Combined Work, in the +manner specified by section 6 of the GNU GPL for conveying +Corresponding Source. + +1) Use a suitable shared library mechanism for linking with the +Library. A suitable mechanism is one that (a) uses at run time +a copy of the Library already present on the user's computer +system, and (b) will operate properly with a modified version +of the Library that is interface-compatible with the Linked +Version. + +e) Provide Installation Information, but only if you would otherwise +be required to provide such information under section 6 of the +GNU GPL, and only to the extent that such information is +necessary to install and execute a modified version of the +Combined Work produced by recombining or relinking the +Application with a modified version of the Linked Version. (If +you use option 4d0, the Installation Information must accompany +the Minimal Corresponding Source and Corresponding Application +Code. If you use option 4d1, you must provide the Installation +Information in the manner specified by section 6 of the GNU GPL +for conveying Corresponding Source.) + +5. Combined Libraries. + +You may place library facilities that are a work based on the +Library side by side in a single library together with other library +facilities that are not Applications and are not covered by this +License, and convey such a combined library under terms of your +choice, if you do both of the following: + +a) Accompany the combined library with a copy of the same work based +on the Library, uncombined with any other library facilities, +conveyed under the terms of this License. + +b) Give prominent notice with the combined library that part of it +is a work based on the Library, and explaining where to find the +accompanying uncombined form of the same work. + +6. Revised Versions of the GNU Lesser General Public License. + +The Free Software Foundation may publish revised and/or new versions +of the GNU Lesser General Public License from time to time. Such new +versions will be similar in spirit to the present version, but may +differ in detail to address new problems or concerns. + +Each version is given a distinguishing version number. If the +Library as you received it specifies that a certain numbered version +of the GNU Lesser General Public License "or any later version" +applies to it, you have the option of following the terms and +conditions either of that published version or of any later version +published by the Free Software Foundation. If the Library as you +received it does not specify a version number of the GNU Lesser +General Public License, you may choose any version of the GNU Lesser +General Public License ever published by the Free Software Foundation. + +If the Library as you received it specifies that a proxy can decide +whether future versions of the GNU Lesser General Public License shall +apply, that proxy's public statement of acceptance of any version is +permanent authorization for you to choose that version for the +Library. + + + GNU LESSER GENERAL PUBLIC LICENSE + Version 2.1, February 1999 + +Copyright (C) 1991, 1999 Free Software Foundation, Inc. + 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA +Everyone is permitted to copy and distribute verbatim copies +of this license document, but changing it is not allowed. + +[This is the first released version of the Lesser GPL. It also counts +as the successor of the GNU Library Public License, version 2, hence +the version number 2.1.] + + Preamble + + The licenses for most software are designed to take away your +freedom to share and change it. By contrast, the GNU General Public +Licenses are intended to guarantee your freedom to share and change +free software--to make sure the software is free for all its users. + + This license, the Lesser General Public License, applies to some +specially designated software packages--typically libraries--of the +Free Software Foundation and other authors who decide to use it. You +can use it too, but we suggest you first think carefully about whether +this license or the ordinary General Public License is the better +strategy to use in any particular case, based on the explanations below. + + When we speak of free software, we are referring to freedom of use, +not price. Our General Public Licenses are designed to make sure that +you have the freedom to distribute copies of free software (and charge +for this service if you wish); that you receive source code or can get +it if you want it; that you can change the software and use pieces of +it in new free programs; and that you are informed that you can do +these things. + + To protect your rights, we need to make restrictions that forbid +distributors to deny you these rights or to ask you to surrender these +rights. These restrictions translate to certain responsibilities for +you if you distribute copies of the library or if you modify it. + + For example, if you distribute copies of the library, whether gratis +or for a fee, you must give the recipients all the rights that we gave +you. You must make sure that they, too, receive or can get the source +code. If you link other code with the library, you must provide +complete object files to the recipients, so that they can relink them +with the library after making changes to the library and recompiling +it. And you must show them these terms so they know their rights. + + We protect your rights with a two-step method: (1) we copyright the +library, and (2) we offer you this license, which gives you legal +permission to copy, distribute and/or modify the library. + + To protect each distributor, we want to make it very clear that +there is no warranty for the free library. Also, if the library is +modified by someone else and passed on, the recipients should know +that what they have is not the original version, so that the original +author's reputation will not be affected by problems that might be +introduced by others. + + Finally, software patents pose a constant threat to the existence of +any free program. We wish to make sure that a company cannot +effectively restrict the users of a free program by obtaining a +restrictive license from a patent holder. Therefore, we insist that +any patent license obtained for a version of the library must be +consistent with the full freedom of use specified in this license. + + Most GNU software, including some libraries, is covered by the +ordinary GNU General Public License. This license, the GNU Lesser +General Public License, applies to certain designated libraries, and +is quite different from the ordinary General Public License. We use +this license for certain libraries in order to permit linking those +libraries into non-free programs. + + When a program is linked with a library, whether statically or using +a shared library, the combination of the two is legally speaking a +combined work, a derivative of the original library. The ordinary +General Public License therefore permits such linking only if the +entire combination fits its criteria of freedom. The Lesser General +Public License permits more lax criteria for linking other code with +the library. + + We call this license the "Lesser" General Public License because it +does Less to protect the user's freedom than the ordinary General +Public License. It also provides other free software developers Less +of an advantage over competing non-free programs. These disadvantages +are the reason we use the ordinary General Public License for many +libraries. However, the Lesser license provides advantages in certain +special circumstances. + + For example, on rare occasions, there may be a special need to +encourage the widest possible use of a certain library, so that it becomes +a de-facto standard. To achieve this, non-free programs must be +allowed to use the library. A more frequent case is that a free +library does the same job as widely used non-free libraries. In this +case, there is little to gain by limiting the free library to free +software only, so we use the Lesser General Public License. + + In other cases, permission to use a particular library in non-free +programs enables a greater number of people to use a large body of +free software. For example, permission to use the GNU C Library in +non-free programs enables many more people to use the whole GNU +operating system, as well as its variant, the GNU/Linux operating +system. + + Although the Lesser General Public License is Less protective of the +users' freedom, it does ensure that the user of a program that is +linked with the Library has the freedom and the wherewithal to run +that program using a modified version of the Library. + + The precise terms and conditions for copying, distribution and +modification follow. Pay close attention to the difference between a +"work based on the library" and a "work that uses the library". The +former contains code derived from the library, whereas the latter must +be combined with the library in order to run. + + GNU LESSER GENERAL PUBLIC LICENSE + TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION + + 0. This License Agreement applies to any software library or other +program which contains a notice placed by the copyright holder or +other authorized party saying it may be distributed under the terms of +this Lesser General Public License (also called "this License"). +Each licensee is addressed as "you". + + A "library" means a collection of software functions and/or data +prepared so as to be conveniently linked with application programs +(which use some of those functions and data) to form executables. + + The "Library", below, refers to any such software library or work +which has been distributed under these terms. A "work based on the +Library" means either the Library or any derivative work under +copyright law: that is to say, a work containing the Library or a +portion of it, either verbatim or with modifications and/or translated +straightforwardly into another language. (Hereinafter, translation is +included without limitation in the term "modification".) + + "Source code" for a work means the preferred form of the work for +making modifications to it. For a library, complete source code means +all the source code for all modules it contains, plus any associated +interface definition files, plus the scripts used to control compilation +and installation of the library. + + Activities other than copying, distribution and modification are not +covered by this License; they are outside its scope. The act of +running a program using the Library is not restricted, and output from +such a program is covered only if its contents constitute a work based +on the Library (independent of the use of the Library in a tool for +writing it). Whether that is true depends on what the Library does +and what the program that uses the Library does. + + 1. You may copy and distribute verbatim copies of the Library's +complete source code as you receive it, in any medium, provided that +you conspicuously and appropriately publish on each copy an +appropriate copyright notice and disclaimer of warranty; keep intact +all the notices that refer to this License and to the absence of any +warranty; and distribute a copy of this License along with the +Library. + + You may charge a fee for the physical act of transferring a copy, +and you may at your option offer warranty protection in exchange for a +fee. + + 2. You may modify your copy or copies of the Library or any portion +of it, thus forming a work based on the Library, and copy and +distribute such modifications or work under the terms of Section 1 +above, provided that you also meet all of these conditions: + + a) The modified work must itself be a software library. + + b) You must cause the files modified to carry prominent notices + stating that you changed the files and the date of any change. + + c) You must cause the whole of the work to be licensed at no + charge to all third parties under the terms of this License. + + d) If a facility in the modified Library refers to a function or a + table of data to be supplied by an application program that uses + the facility, other than as an argument passed when the facility + is invoked, then you must make a good faith effort to ensure that, + in the event an application does not supply such function or + table, the facility still operates, and performs whatever part of + its purpose remains meaningful. + + (For example, a function in a library to compute square roots has + a purpose that is entirely well-defined independent of the + application. Therefore, Subsection 2d requires that any + application-supplied function or table used by this function must + be optional: if the application does not supply it, the square + root function must still compute square roots.) + +These requirements apply to the modified work as a whole. If +identifiable sections of that work are not derived from the Library, +and can be reasonably considered independent and separate works in +themselves, then this License, and its terms, do not apply to those +sections when you distribute them as separate works. But when you +distribute the same sections as part of a whole which is a work based +on the Library, the distribution of the whole must be on the terms of +this License, whose permissions for other licensees extend to the +entire whole, and thus to each and every part regardless of who wrote +it. + +Thus, it is not the intent of this section to claim rights or contest +your rights to work written entirely by you; rather, the intent is to +exercise the right to control the distribution of derivative or +collective works based on the Library. + +In addition, mere aggregation of another work not based on the Library +with the Library (or with a work based on the Library) on a volume of +a storage or distribution medium does not bring the other work under +the scope of this License. + + 3. You may opt to apply the terms of the ordinary GNU General Public +License instead of this License to a given copy of the Library. To do +this, you must alter all the notices that refer to this License, so +that they refer to the ordinary GNU General Public License, version 2, +instead of to this License. (If a newer version than version 2 of the +ordinary GNU General Public License has appeared, then you can specify +that version instead if you wish.) Do not make any other change in +these notices. + + Once this change is made in a given copy, it is irreversible for +that copy, so the ordinary GNU General Public License applies to all +subsequent copies and derivative works made from that copy. + + This option is useful when you wish to copy part of the code of +the Library into a program that is not a library. + + 4. You may copy and distribute the Library (or a portion or +derivative of it, under Section 2) in object code or executable form +under the terms of Sections 1 and 2 above provided that you accompany +it with the complete corresponding machine-readable source code, which +must be distributed under the terms of Sections 1 and 2 above on a +medium customarily used for software interchange. + + If distribution of object code is made by offering access to copy +from a designated place, then offering equivalent access to copy the +source code from the same place satisfies the requirement to +distribute the source code, even though third parties are not +compelled to copy the source along with the object code. + + 5. A program that contains no derivative of any portion of the +Library, but is designed to work with the Library by being compiled or +linked with it, is called a "work that uses the Library". Such a +work, in isolation, is not a derivative work of the Library, and +therefore falls outside the scope of this License. + + However, linking a "work that uses the Library" with the Library +creates an executable that is a derivative of the Library (because it +contains portions of the Library), rather than a "work that uses the +library". The executable is therefore covered by this License. +Section 6 states terms for distribution of such executables. + + When a "work that uses the Library" uses material from a header file +that is part of the Library, the object code for the work may be a +derivative work of the Library even though the source code is not. +Whether this is true is especially significant if the work can be +linked without the Library, or if the work is itself a library. The +threshold for this to be true is not precisely defined by law. + + If such an object file uses only numerical parameters, data +structure layouts and accessors, and small macros and small inline +functions (ten lines or less in length), then the use of the object +file is unrestricted, regardless of whether it is legally a derivative +work. (Executables containing this object code plus portions of the +Library will still fall under Section 6.) + + Otherwise, if the work is a derivative of the Library, you may +distribute the object code for the work under the terms of Section 6. +Any executables containing that work also fall under Section 6, +whether or not they are linked directly with the Library itself. + + 6. As an exception to the Sections above, you may also combine or +link a "work that uses the Library" with the Library to produce a +work containing portions of the Library, and distribute that work +under terms of your choice, provided that the terms permit +modification of the work for the customer's own use and reverse +engineering for debugging such modifications. + + You must give prominent notice with each copy of the work that the +Library is used in it and that the Library and its use are covered by +this License. You must supply a copy of this License. If the work +during execution displays copyright notices, you must include the +copyright notice for the Library among them, as well as a reference +directing the user to the copy of this License. Also, you must do one +of these things: + + a) Accompany the work with the complete corresponding + machine-readable source code for the Library including whatever + changes were used in the work (which must be distributed under + Sections 1 and 2 above); and, if the work is an executable linked + with the Library, with the complete machine-readable "work that + uses the Library", as object code and/or source code, so that the + user can modify the Library and then relink to produce a modified + executable containing the modified Library. (It is understood + that the user who changes the contents of definitions files in the + Library will not necessarily be able to recompile the application + to use the modified definitions.) + + b) Use a suitable shared library mechanism for linking with the + Library. A suitable mechanism is one that (1) uses at run time a + copy of the library already present on the user's computer system, + rather than copying library functions into the executable, and (2) + will operate properly with a modified version of the library, if + the user installs one, as long as the modified version is + interface-compatible with the version that the work was made with. + + c) Accompany the work with a written offer, valid for at + least three years, to give the same user the materials + specified in Subsection 6a, above, for a charge no more + than the cost of performing this distribution. + + d) If distribution of the work is made by offering access to copy + from a designated place, offer equivalent access to copy the above + specified materials from the same place. + + e) Verify that the user has already received a copy of these + materials or that you have already sent this user a copy. + + For an executable, the required form of the "work that uses the +Library" must include any data and utility programs needed for +reproducing the executable from it. However, as a special exception, +the materials to be distributed need not include anything that is +normally distributed (in either source or binary form) with the major +components (compiler, kernel, and so on) of the operating system on +which the executable runs, unless that component itself accompanies +the executable. + + It may happen that this requirement contradicts the license +restrictions of other proprietary libraries that do not normally +accompany the operating system. Such a contradiction means you cannot +use both them and the Library together in an executable that you +distribute. + + 7. You may place library facilities that are a work based on the +Library side-by-side in a single library together with other library +facilities not covered by this License, and distribute such a combined +library, provided that the separate distribution of the work based on +the Library and of the other library facilities is otherwise +permitted, and provided that you do these two things: + + a) Accompany the combined library with a copy of the same work + based on the Library, uncombined with any other library + facilities. This must be distributed under the terms of the + Sections above. + + b) Give prominent notice with the combined library of the fact + that part of it is a work based on the Library, and explaining + where to find the accompanying uncombined form of the same work. + + 8. You may not copy, modify, sublicense, link with, or distribute +the Library except as expressly provided under this License. Any +attempt otherwise to copy, modify, sublicense, link with, or +distribute the Library is void, and will automatically terminate your +rights under this License. However, parties who have received copies, +or rights, from you under this License will not have their licenses +terminated so long as such parties remain in full compliance. + + 9. You are not required to accept this License, since you have not +signed it. However, nothing else grants you permission to modify or +distribute the Library or its derivative works. These actions are +prohibited by law if you do not accept this License. Therefore, by +modifying or distributing the Library (or any work based on the +Library), you indicate your acceptance of this License to do so, and +all its terms and conditions for copying, distributing or modifying +the Library or works based on it. + + 10. Each time you redistribute the Library (or any work based on the +Library), the recipient automatically receives a license from the +original licensor to copy, distribute, link with or modify the Library +subject to these terms and conditions. You may not impose any further +restrictions on the recipients' exercise of the rights granted herein. +You are not responsible for enforcing compliance by third parties with +this License. + + 11. If, as a consequence of a court judgment or allegation of patent +infringement or for any other reason (not limited to patent issues), +conditions are imposed on you (whether by court order, agreement or +otherwise) that contradict the conditions of this License, they do not +excuse you from the conditions of this License. If you cannot +distribute so as to satisfy simultaneously your obligations under this +License and any other pertinent obligations, then as a consequence you +may not distribute the Library at all. For example, if a patent +license would not permit royalty-free redistribution of the Library by +all those who receive copies directly or indirectly through you, then +the only way you could satisfy both it and this License would be to +refrain entirely from distribution of the Library. + +If any portion of this section is held invalid or unenforceable under any +particular circumstance, the balance of the section is intended to apply, +and the section as a whole is intended to apply in other circumstances. + +It is not the purpose of this section to induce you to infringe any +patents or other property right claims or to contest validity of any +such claims; this section has the sole purpose of protecting the +integrity of the free software distribution system which is +implemented by public license practices. Many people have made +generous contributions to the wide range of software distributed +through that system in reliance on consistent application of that +system; it is up to the author/donor to decide if he or she is willing +to distribute software through any other system and a licensee cannot +impose that choice. + +This section is intended to make thoroughly clear what is believed to +be a consequence of the rest of this License. + + 12. If the distribution and/or use of the Library is restricted in +certain countries either by patents or by copyrighted interfaces, the +original copyright holder who places the Library under this License may add +an explicit geographical distribution limitation excluding those countries, +so that distribution is permitted only in or among countries not thus +excluded. In such case, this License incorporates the limitation as if +written in the body of this License. + + 13. The Free Software Foundation may publish revised and/or new +versions of the Lesser General Public License from time to time. +Such new versions will be similar in spirit to the present version, +but may differ in detail to address new problems or concerns. + +Each version is given a distinguishing version number. If the Library +specifies a version number of this License which applies to it and +"any later version", you have the option of following the terms and +conditions either of that version or of any later version published by +the Free Software Foundation. If the Library does not specify a +license version number, you may choose any version ever published by +the Free Software Foundation. + + 14. If you wish to incorporate parts of the Library into other free +programs whose distribution conditions are incompatible with these, +write to the author to ask for permission. For software which is +copyrighted by the Free Software Foundation, write to the Free +Software Foundation; we sometimes make exceptions for this. Our +decision will be guided by the two goals of preserving the free status +of all derivatives of our free software and of promoting the sharing +and reuse of software generally. + + NO WARRANTY + + 15. BECAUSE THE LIBRARY IS LICENSED FREE OF CHARGE, THERE IS NO +WARRANTY FOR THE LIBRARY, TO THE EXTENT PERMITTED BY APPLICABLE LAW. +EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR +OTHER PARTIES PROVIDE THE LIBRARY "AS IS" WITHOUT WARRANTY OF ANY +KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE +IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR +PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE +LIBRARY IS WITH YOU. SHOULD THE LIBRARY PROVE DEFECTIVE, YOU ASSUME +THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION. + + 16. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN +WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY +AND/OR REDISTRIBUTE THE LIBRARY AS PERMITTED ABOVE, BE LIABLE TO YOU +FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR +CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE +LIBRARY (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING +RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A +FAILURE OF THE LIBRARY TO OPERATE WITH ANY OTHER SOFTWARE), EVEN IF +SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH +DAMAGES. + + END OF TERMS AND CONDITIONS + + How to Apply These Terms to Your New Libraries + + If you develop a new library, and you want it to be of the greatest +possible use to the public, we recommend making it free software that +everyone can redistribute and change. You can do so by permitting +redistribution under these terms (or, alternatively, under the terms of the +ordinary General Public License). + + To apply these terms, attach the following notices to the library. It is +safest to attach them to the start of each source file to most effectively +convey the exclusion of warranty; and each file should have at least the +"copyright" line and a pointer to where the full notice is found. + + + Copyright (C) + + This library is free software; you can redistribute it and/or + modify it under the terms of the GNU Lesser General Public + License as published by the Free Software Foundation; either + version 2.1 of the License, or (at your option) any later version. + + This library is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU + Lesser General Public License for more details. + + You should have received a copy of the GNU Lesser General Public + License along with this library; if not, write to the Free Software + Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA + +Also add information on how to contact you by electronic and paper mail. + +You should also get your employer (if you work as a programmer) or your +school, if any, to sign a "copyright disclaimer" for the library, if +necessary. Here is a sample; alter the names: + + Yoyodyne, Inc., hereby disclaims all copyright interest in the + library `Frob' (a library for tweaking knobs) written by James Random Hacker. + + , 1 April 1990 + Ty Coon, President of Vice + +That's all there is to it! + + +Copyright (c) 2005 Michal Migurski + +Redistribution and use in source and binary forms, with or +without modification, are permitted provided that the following +conditions are met: Redistributions of source code must retain the +above copyright notice, this list of conditions and the following +disclaimer. Redistributions in binary form must reproduce the above +copyright notice, this list of conditions and the following disclaimer +in the documentation and/or other materials provided with the +distribution. + +THIS SOFTWARE IS PROVIDED ``AS IS'' AND ANY EXPRESS OR IMPLIED +WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF +MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN +NO EVENT SHALL CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, +INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, +BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS +OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND +ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR +TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE +USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH +DAMAGE. + + +MIT License + +Copyright (c) <2011-2015> Serban Ghita, Nick Ilyin and contributors. + +Permission is hereby granted, free of charge, to any person obtaining +a copy of this software and associated documentation files (the +"Software"), to deal in the Software without restriction, including +without limitation the rights to use, copy, modify, merge, publish, +distribute, sublicense, and/or sell copies of the Software, and to +permit persons to whom the Software is furnished to do so, subject to +the following conditions: + +The above copyright notice and this permission notice shall be included +in all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS +OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. +IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY +CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, +TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE +SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. + +Developer’s Certificate of Origin 1.1 + +By making a contribution to this project, I certify that: + +(a) The contribution was created in whole or in part by me and I + have the right to submit it under the open source license + indicated in the file; or + +(b) The contribution is based upon previous work that, to the best + of my knowledge, is covered under an appropriate open source + license and I have the right under that license to submit that + work with modifications, whether created in whole or in part + by me, under the same open source license (unless I am + permitted to submit under a different license), as indicated + in the file; or + +(c) The contribution was provided directly to me by some other + person who certified (a), (b) or (c) and I have not modified + it. + +(d) I understand and agree that this project and the contribution + are public and that a record of the contribution (including all + personal information I submit with it, including my sign-off) is + maintained indefinitely and may be redistributed consistent with + this project or the open source license(s) involved. + + +The MIT License (MIT) + +Copyright (c) 2015 Jake A. Smith + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. + + +geoip.inc + +Copyright (C) 2007 MaxMind LLC + +This library is free software; you can redistribute it and/or +modify it under the terms of the GNU Lesser General Public +License as published by the Free Software Foundation; either +version 2.1 of the License, or (at your option) any later version. + +This library is distributed in the hope that it will be useful, +but WITHOUT ANY WARRANTY; without even the implied warranty of +MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +Lesser General Public License for more details. + +You should have received a copy of the GNU Lesser General Public +License along with this library; if not, write to the Free Software +Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA + +geoipcity.inc + +Copyright (C) 2004 Maxmind LLC + +This library is free software; you can redistribute it and/or +modify it under the terms of the GNU Lesser General Public +License as published by the Free Software Foundation; either +version 2.1 of the License, or (at your option) any later version. + +This library is distributed in the hope that it will be useful, +but WITHOUT ANY WARRANTY; without even the implied warranty of +MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +Lesser General Public License for more details. + +You should have received a copy of the GNU Lesser General Public +License along with this library; if not, write to the Free Software +Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA + + +********************************************************************** +* TCPDF LICENSE +********************************************************************** + + TCPDF is free software: you can redistribute it and/or modify it + under the terms of the GNU Lesser General Public License as + published by the Free Software Foundation, either version 3 of the + License, or (at your option) any later version. + +********************************************************************** +********************************************************************** + + GNU LESSER GENERAL PUBLIC LICENSE + Version 3, 29 June 2007 + + Copyright (C) 2007 Free Software Foundation, Inc. + Everyone is permitted to copy and distribute verbatim copies + of this license document, but changing it is not allowed. + + + This version of the GNU Lesser General Public License incorporates +the terms and conditions of version 3 of the GNU General Public +License, supplemented by the additional permissions listed below. + + 0. Additional Definitions. + + As used herein, "this License" refers to version 3 of the GNU Lesser +General Public License, and the "GNU GPL" refers to version 3 of the GNU +General Public License. + + "The Library" refers to a covered work governed by this License, +other than an Application or a Combined Work as defined below. + + An "Application" is any work that makes use of an interface provided +by the Library, but which is not otherwise based on the Library. +Defining a subclass of a class defined by the Library is deemed a mode +of using an interface provided by the Library. + + A "Combined Work" is a work produced by combining or linking an +Application with the Library. The particular version of the Library +with which the Combined Work was made is also called the "Linked +Version". + + The "Minimal Corresponding Source" for a Combined Work means the +Corresponding Source for the Combined Work, excluding any source code +for portions of the Combined Work that, considered in isolation, are +based on the Application, and not on the Linked Version. + + The "Corresponding Application Code" for a Combined Work means the +object code and/or source code for the Application, including any data +and utility programs needed for reproducing the Combined Work from the +Application, but excluding the System Libraries of the Combined Work. + + 1. Exception to Section 3 of the GNU GPL. + + You may convey a covered work under sections 3 and 4 of this License +without being bound by section 3 of the GNU GPL. + + 2. Conveying Modified Versions. + + If you modify a copy of the Library, and, in your modifications, a +facility refers to a function or data to be supplied by an Application +that uses the facility (other than as an argument passed when the +facility is invoked), then you may convey a copy of the modified +version: + + a) under this License, provided that you make a good faith effort to + ensure that, in the event an Application does not supply the + function or data, the facility still operates, and performs + whatever part of its purpose remains meaningful, or + + b) under the GNU GPL, with none of the additional permissions of + this License applicable to that copy. + + 3. Object Code Incorporating Material from Library Header Files. + + The object code form of an Application may incorporate material from +a header file that is part of the Library. You may convey such object +code under terms of your choice, provided that, if the incorporated +material is not limited to numerical parameters, data structure +layouts and accessors, or small macros, inline functions and templates +(ten or fewer lines in length), you do both of the following: + + a) Give prominent notice with each copy of the object code that the + Library is used in it and that the Library and its use are + covered by this License. + + b) Accompany the object code with a copy of the GNU GPL and this license + document. + + 4. Combined Works. + + You may convey a Combined Work under terms of your choice that, +taken together, effectively do not restrict modification of the +portions of the Library contained in the Combined Work and reverse +engineering for debugging such modifications, if you also do each of +the following: + + a) Give prominent notice with each copy of the Combined Work that + the Library is used in it and that the Library and its use are + covered by this License. + + b) Accompany the Combined Work with a copy of the GNU GPL and this license + document. + + c) For a Combined Work that displays copyright notices during + execution, include the copyright notice for the Library among + these notices, as well as a reference directing the user to the + copies of the GNU GPL and this license document. + + d) Do one of the following: + + 0) Convey the Minimal Corresponding Source under the terms of this + License, and the Corresponding Application Code in a form + suitable for, and under terms that permit, the user to + recombine or relink the Application with a modified version of + the Linked Version to produce a modified Combined Work, in the + manner specified by section 6 of the GNU GPL for conveying + Corresponding Source. + + 1) Use a suitable shared library mechanism for linking with the + Library. A suitable mechanism is one that (a) uses at run time + a copy of the Library already present on the user's computer + system, and (b) will operate properly with a modified version + of the Library that is interface-compatible with the Linked + Version. + + e) Provide Installation Information, but only if you would otherwise + be required to provide such information under section 6 of the + GNU GPL, and only to the extent that such information is + necessary to install and execute a modified version of the + Combined Work produced by recombining or relinking the + Application with a modified version of the Linked Version. (If + you use option 4d0, the Installation Information must accompany + the Minimal Corresponding Source and Corresponding Application + Code. If you use option 4d1, you must provide the Installation + Information in the manner specified by section 6 of the GNU GPL + for conveying Corresponding Source.) + + 5. Combined Libraries. + + You may place library facilities that are a work based on the +Library side by side in a single library together with other library +facilities that are not Applications and are not covered by this +License, and convey such a combined library under terms of your +choice, if you do both of the following: + + a) Accompany the combined library with a copy of the same work based + on the Library, uncombined with any other library facilities, + conveyed under the terms of this License. + + b) Give prominent notice with the combined library that part of it + is a work based on the Library, and explaining where to find the + accompanying uncombined form of the same work. + + 6. Revised Versions of the GNU Lesser General Public License. + + The Free Software Foundation may publish revised and/or new versions +of the GNU Lesser General Public License from time to time. Such new +versions will be similar in spirit to the present version, but may +differ in detail to address new problems or concerns. + + Each version is given a distinguishing version number. If the +Library as you received it specifies that a certain numbered version +of the GNU Lesser General Public License "or any later version" +applies to it, you have the option of following the terms and +conditions either of that published version or of any later version +published by the Free Software Foundation. If the Library as you +received it does not specify a version number of the GNU Lesser +General Public License, you may choose any version of the GNU Lesser +General Public License ever published by the Free Software Foundation. + + If the Library as you received it specifies that a proxy can decide +whether future versions of the GNU Lesser General Public License shall +apply, that proxy's public statement of acceptance of any version is +permanent authorization for you to choose that version for the +Library. + +********************************************************************** +********************************************************************** + + GNU GENERAL PUBLIC LICENSE + Version 3, 29 June 2007 + + Copyright (C) 2007 Free Software Foundation, Inc. + Everyone is permitted to copy and distribute verbatim copies + of this license document, but changing it is not allowed. + + Preamble + + The GNU General Public License is a free, copyleft license for +software and other kinds of works. + + The licenses for most software and other practical works are designed +to take away your freedom to share and change the works. By contrast, +the GNU General Public License is intended to guarantee your freedom to +share and change all versions of a program--to make sure it remains free +software for all its users. We, the Free Software Foundation, use the +GNU General Public License for most of our software; it applies also to +any other work released this way by its authors. You can apply it to +your programs, too. + + When we speak of free software, we are referring to freedom, not +price. Our General Public Licenses are designed to make sure that you +have the freedom to distribute copies of free software (and charge for +them if you wish), that you receive source code or can get it if you +want it, that you can change the software or use pieces of it in new +free programs, and that you know you can do these things. + + To protect your rights, we need to prevent others from denying you +these rights or asking you to surrender the rights. Therefore, you have +certain responsibilities if you distribute copies of the software, or if +you modify it: responsibilities to respect the freedom of others. + + For example, if you distribute copies of such a program, whether +gratis or for a fee, you must pass on to the recipients the same +freedoms that you received. You must make sure that they, too, receive +or can get the source code. And you must show them these terms so they +know their rights. + + Developers that use the GNU GPL protect your rights with two steps: +(1) assert copyright on the software, and (2) offer you this License +giving you legal permission to copy, distribute and/or modify it. + + For the developers' and authors' protection, the GPL clearly explains +that there is no warranty for this free software. For both users' and +authors' sake, the GPL requires that modified versions be marked as +changed, so that their problems will not be attributed erroneously to +authors of previous versions. + + Some devices are designed to deny users access to install or run +modified versions of the software inside them, although the manufacturer +can do so. This is fundamentally incompatible with the aim of +protecting users' freedom to change the software. The systematic +pattern of such abuse occurs in the area of products for individuals to +use, which is precisely where it is most unacceptable. Therefore, we +have designed this version of the GPL to prohibit the practice for those +products. If such problems arise substantially in other domains, we +stand ready to extend this provision to those domains in future versions +of the GPL, as needed to protect the freedom of users. + + Finally, every program is threatened constantly by software patents. +States should not allow patents to restrict development and use of +software on general-purpose computers, but in those that do, we wish to +avoid the special danger that patents applied to a free program could +make it effectively proprietary. To prevent this, the GPL assures that +patents cannot be used to render the program non-free. + + The precise terms and conditions for copying, distribution and +modification follow. + + TERMS AND CONDITIONS + + 0. Definitions. + + "This License" refers to version 3 of the GNU General Public License. + + "Copyright" also means copyright-like laws that apply to other kinds of +works, such as semiconductor masks. + + "The Program" refers to any copyrightable work licensed under this +License. Each licensee is addressed as "you". "Licensees" and +"recipients" may be individuals or organizations. + + To "modify" a work means to copy from or adapt all or part of the work +in a fashion requiring copyright permission, other than the making of an +exact copy. The resulting work is called a "modified version" of the +earlier work or a work "based on" the earlier work. + + A "covered work" means either the unmodified Program or a work based +on the Program. + + To "propagate" a work means to do anything with it that, without +permission, would make you directly or secondarily liable for +infringement under applicable copyright law, except executing it on a +computer or modifying a private copy. Propagation includes copying, +distribution (with or without modification), making available to the +public, and in some countries other activities as well. + + To "convey" a work means any kind of propagation that enables other +parties to make or receive copies. Mere interaction with a user through +a computer network, with no transfer of a copy, is not conveying. + + An interactive user interface displays "Appropriate Legal Notices" +to the extent that it includes a convenient and prominently visible +feature that (1) displays an appropriate copyright notice, and (2) +tells the user that there is no warranty for the work (except to the +extent that warranties are provided), that licensees may convey the +work under this License, and how to view a copy of this License. If +the interface presents a list of user commands or options, such as a +menu, a prominent item in the list meets this criterion. + + 1. Source Code. + + The "source code" for a work means the preferred form of the work +for making modifications to it. "Object code" means any non-source +form of a work. + + A "Standard Interface" means an interface that either is an official +standard defined by a recognized standards body, or, in the case of +interfaces specified for a particular programming language, one that +is widely used among developers working in that language. + + The "System Libraries" of an executable work include anything, other +than the work as a whole, that (a) is included in the normal form of +packaging a Major Component, but which is not part of that Major +Component, and (b) serves only to enable use of the work with that +Major Component, or to implement a Standard Interface for which an +implementation is available to the public in source code form. A +"Major Component", in this context, means a major essential component +(kernel, window system, and so on) of the specific operating system +(if any) on which the executable work runs, or a compiler used to +produce the work, or an object code interpreter used to run it. + + The "Corresponding Source" for a work in object code form means all +the source code needed to generate, install, and (for an executable +work) run the object code and to modify the work, including scripts to +control those activities. However, it does not include the work's +System Libraries, or general-purpose tools or generally available free +programs which are used unmodified in performing those activities but +which are not part of the work. For example, Corresponding Source +includes interface definition files associated with source files for +the work, and the source code for shared libraries and dynamically +linked subprograms that the work is specifically designed to require, +such as by intimate data communication or control flow between those +subprograms and other parts of the work. + + The Corresponding Source need not include anything that users +can regenerate automatically from other parts of the Corresponding +Source. + + The Corresponding Source for a work in source code form is that +same work. + + 2. Basic Permissions. + + All rights granted under this License are granted for the term of +copyright on the Program, and are irrevocable provided the stated +conditions are met. This License explicitly affirms your unlimited +permission to run the unmodified Program. The output from running a +covered work is covered by this License only if the output, given its +content, constitutes a covered work. This License acknowledges your +rights of fair use or other equivalent, as provided by copyright law. + + You may make, run and propagate covered works that you do not +convey, without conditions so long as your license otherwise remains +in force. You may convey covered works to others for the sole purpose +of having them make modifications exclusively for you, or provide you +with facilities for running those works, provided that you comply with +the terms of this License in conveying all material for which you do +not control copyright. Those thus making or running the covered works +for you must do so exclusively on your behalf, under your direction +and control, on terms that prohibit them from making any copies of +your copyrighted material outside their relationship with you. + + Conveying under any other circumstances is permitted solely under +the conditions stated below. Sublicensing is not allowed; section 10 +makes it unnecessary. + + 3. Protecting Users' Legal Rights From Anti-Circumvention Law. + + No covered work shall be deemed part of an effective technological +measure under any applicable law fulfilling obligations under article +11 of the WIPO copyright treaty adopted on 20 December 1996, or +similar laws prohibiting or restricting circumvention of such +measures. + + When you convey a covered work, you waive any legal power to forbid +circumvention of technological measures to the extent such circumvention +is effected by exercising rights under this License with respect to +the covered work, and you disclaim any intention to limit operation or +modification of the work as a means of enforcing, against the work's +users, your or third parties' legal rights to forbid circumvention of +technological measures. + + 4. Conveying Verbatim Copies. + + You may convey verbatim copies of the Program's source code as you +receive it, in any medium, provided that you conspicuously and +appropriately publish on each copy an appropriate copyright notice; +keep intact all notices stating that this License and any +non-permissive terms added in accord with section 7 apply to the code; +keep intact all notices of the absence of any warranty; and give all +recipients a copy of this License along with the Program. + + You may charge any price or no price for each copy that you convey, +and you may offer support or warranty protection for a fee. + + 5. Conveying Modified Source Versions. + + You may convey a work based on the Program, or the modifications to +produce it from the Program, in the form of source code under the +terms of section 4, provided that you also meet all of these conditions: + + a) The work must carry prominent notices stating that you modified + it, and giving a relevant date. + + b) The work must carry prominent notices stating that it is + released under this License and any conditions added under section + 7. This requirement modifies the requirement in section 4 to + "keep intact all notices". + + c) You must license the entire work, as a whole, under this + License to anyone who comes into possession of a copy. This + License will therefore apply, along with any applicable section 7 + additional terms, to the whole of the work, and all its parts, + regardless of how they are packaged. This License gives no + permission to license the work in any other way, but it does not + invalidate such permission if you have separately received it. + + d) If the work has interactive user interfaces, each must display + Appropriate Legal Notices; however, if the Program has interactive + interfaces that do not display Appropriate Legal Notices, your + work need not make them do so. + + A compilation of a covered work with other separate and independent +works, which are not by their nature extensions of the covered work, +and which are not combined with it such as to form a larger program, +in or on a volume of a storage or distribution medium, is called an +"aggregate" if the compilation and its resulting copyright are not +used to limit the access or legal rights of the compilation's users +beyond what the individual works permit. Inclusion of a covered work +in an aggregate does not cause this License to apply to the other +parts of the aggregate. + + 6. Conveying Non-Source Forms. + + You may convey a covered work in object code form under the terms +of sections 4 and 5, provided that you also convey the +machine-readable Corresponding Source under the terms of this License, +in one of these ways: + + a) Convey the object code in, or embodied in, a physical product + (including a physical distribution medium), accompanied by the + Corresponding Source fixed on a durable physical medium + customarily used for software interchange. + + b) Convey the object code in, or embodied in, a physical product + (including a physical distribution medium), accompanied by a + written offer, valid for at least three years and valid for as + long as you offer spare parts or customer support for that product + model, to give anyone who possesses the object code either (1) a + copy of the Corresponding Source for all the software in the + product that is covered by this License, on a durable physical + medium customarily used for software interchange, for a price no + more than your reasonable cost of physically performing this + conveying of source, or (2) access to copy the + Corresponding Source from a network server at no charge. + + c) Convey individual copies of the object code with a copy of the + written offer to provide the Corresponding Source. This + alternative is allowed only occasionally and noncommercially, and + only if you received the object code with such an offer, in accord + with subsection 6b. + + d) Convey the object code by offering access from a designated + place (gratis or for a charge), and offer equivalent access to the + Corresponding Source in the same way through the same place at no + further charge. You need not require recipients to copy the + Corresponding Source along with the object code. If the place to + copy the object code is a network server, the Corresponding Source + may be on a different server (operated by you or a third party) + that supports equivalent copying facilities, provided you maintain + clear directions next to the object code saying where to find the + Corresponding Source. Regardless of what server hosts the + Corresponding Source, you remain obligated to ensure that it is + available for as long as needed to satisfy these requirements. + + e) Convey the object code using peer-to-peer transmission, provided + you inform other peers where the object code and Corresponding + Source of the work are being offered to the general public at no + charge under subsection 6d. + + A separable portion of the object code, whose source code is excluded +from the Corresponding Source as a System Library, need not be +included in conveying the object code work. + + A "User Product" is either (1) a "consumer product", which means any +tangible personal property which is normally used for personal, family, +or household purposes, or (2) anything designed or sold for incorporation +into a dwelling. In determining whether a product is a consumer product, +doubtful cases shall be resolved in favor of coverage. For a particular +product received by a particular user, "normally used" refers to a +typical or common use of that class of product, regardless of the status +of the particular user or of the way in which the particular user +actually uses, or expects or is expected to use, the product. A product +is a consumer product regardless of whether the product has substantial +commercial, industrial or non-consumer uses, unless such uses represent +the only significant mode of use of the product. + + "Installation Information" for a User Product means any methods, +procedures, authorization keys, or other information required to install +and execute modified versions of a covered work in that User Product from +a modified version of its Corresponding Source. The information must +suffice to ensure that the continued functioning of the modified object +code is in no case prevented or interfered with solely because +modification has been made. + + If you convey an object code work under this section in, or with, or +specifically for use in, a User Product, and the conveying occurs as +part of a transaction in which the right of possession and use of the +User Product is transferred to the recipient in perpetuity or for a +fixed term (regardless of how the transaction is characterized), the +Corresponding Source conveyed under this section must be accompanied +by the Installation Information. But this requirement does not apply +if neither you nor any third party retains the ability to install +modified object code on the User Product (for example, the work has +been installed in ROM). + + The requirement to provide Installation Information does not include a +requirement to continue to provide support service, warranty, or updates +for a work that has been modified or installed by the recipient, or for +the User Product in which it has been modified or installed. Access to a +network may be denied when the modification itself materially and +adversely affects the operation of the network or violates the rules and +protocols for communication across the network. + + Corresponding Source conveyed, and Installation Information provided, +in accord with this section must be in a format that is publicly +documented (and with an implementation available to the public in +source code form), and must require no special password or key for +unpacking, reading or copying. + + 7. Additional Terms. + + "Additional permissions" are terms that supplement the terms of this +License by making exceptions from one or more of its conditions. +Additional permissions that are applicable to the entire Program shall +be treated as though they were included in this License, to the extent +that they are valid under applicable law. If additional permissions +apply only to part of the Program, that part may be used separately +under those permissions, but the entire Program remains governed by +this License without regard to the additional permissions. + + When you convey a copy of a covered work, you may at your option +remove any additional permissions from that copy, or from any part of +it. (Additional permissions may be written to require their own +removal in certain cases when you modify the work.) You may place +additional permissions on material, added by you to a covered work, +for which you have or can give appropriate copyright permission. + + Notwithstanding any other provision of this License, for material you +add to a covered work, you may (if authorized by the copyright holders of +that material) supplement the terms of this License with terms: + + a) Disclaiming warranty or limiting liability differently from the + terms of sections 15 and 16 of this License; or + + b) Requiring preservation of specified reasonable legal notices or + author attributions in that material or in the Appropriate Legal + Notices displayed by works containing it; or + + c) Prohibiting misrepresentation of the origin of that material, or + requiring that modified versions of such material be marked in + reasonable ways as different from the original version; or + + d) Limiting the use for publicity purposes of names of licensors or + authors of the material; or + + e) Declining to grant rights under trademark law for use of some + trade names, trademarks, or service marks; or + + f) Requiring indemnification of licensors and authors of that + material by anyone who conveys the material (or modified versions of + it) with contractual assumptions of liability to the recipient, for + any liability that these contractual assumptions directly impose on + those licensors and authors. + + All other non-permissive additional terms are considered "further +restrictions" within the meaning of section 10. If the Program as you +received it, or any part of it, contains a notice stating that it is +governed by this License along with a term that is a further +restriction, you may remove that term. If a license document contains +a further restriction but permits relicensing or conveying under this +License, you may add to a covered work material governed by the terms +of that license document, provided that the further restriction does +not survive such relicensing or conveying. + + If you add terms to a covered work in accord with this section, you +must place, in the relevant source files, a statement of the +additional terms that apply to those files, or a notice indicating +where to find the applicable terms. + + Additional terms, permissive or non-permissive, may be stated in the +form of a separately written license, or stated as exceptions; +the above requirements apply either way. + + 8. Termination. + + You may not propagate or modify a covered work except as expressly +provided under this License. Any attempt otherwise to propagate or +modify it is void, and will automatically terminate your rights under +this License (including any patent licenses granted under the third +paragraph of section 11). + + However, if you cease all violation of this License, then your +license from a particular copyright holder is reinstated (a) +provisionally, unless and until the copyright holder explicitly and +finally terminates your license, and (b) permanently, if the copyright +holder fails to notify you of the violation by some reasonable means +prior to 60 days after the cessation. + + Moreover, your license from a particular copyright holder is +reinstated permanently if the copyright holder notifies you of the +violation by some reasonable means, this is the first time you have +received notice of violation of this License (for any work) from that +copyright holder, and you cure the violation prior to 30 days after +your receipt of the notice. + + Termination of your rights under this section does not terminate the +licenses of parties who have received copies or rights from you under +this License. If your rights have been terminated and not permanently +reinstated, you do not qualify to receive new licenses for the same +material under section 10. + + 9. Acceptance Not Required for Having Copies. + + You are not required to accept this License in order to receive or +run a copy of the Program. Ancillary propagation of a covered work +occurring solely as a consequence of using peer-to-peer transmission +to receive a copy likewise does not require acceptance. However, +nothing other than this License grants you permission to propagate or +modify any covered work. These actions infringe copyright if you do +not accept this License. Therefore, by modifying or propagating a +covered work, you indicate your acceptance of this License to do so. + + 10. Automatic Licensing of Downstream Recipients. + + Each time you convey a covered work, the recipient automatically +receives a license from the original licensors, to run, modify and +propagate that work, subject to this License. You are not responsible +for enforcing compliance by third parties with this License. + + An "entity transaction" is a transaction transferring control of an +organization, or substantially all assets of one, or subdividing an +organization, or merging organizations. If propagation of a covered +work results from an entity transaction, each party to that +transaction who receives a copy of the work also receives whatever +licenses to the work the party's predecessor in interest had or could +give under the previous paragraph, plus a right to possession of the +Corresponding Source of the work from the predecessor in interest, if +the predecessor has it or can get it with reasonable efforts. + + You may not impose any further restrictions on the exercise of the +rights granted or affirmed under this License. For example, you may +not impose a license fee, royalty, or other charge for exercise of +rights granted under this License, and you may not initiate litigation +(including a cross-claim or counterclaim in a lawsuit) alleging that +any patent claim is infringed by making, using, selling, offering for +sale, or importing the Program or any portion of it. + + 11. Patents. + + A "contributor" is a copyright holder who authorizes use under this +License of the Program or a work on which the Program is based. The +work thus licensed is called the contributor's "contributor version". + + A contributor's "essential patent claims" are all patent claims +owned or controlled by the contributor, whether already acquired or +hereafter acquired, that would be infringed by some manner, permitted +by this License, of making, using, or selling its contributor version, +but do not include claims that would be infringed only as a +consequence of further modification of the contributor version. For +purposes of this definition, "control" includes the right to grant +patent sublicenses in a manner consistent with the requirements of +this License. + + Each contributor grants you a non-exclusive, worldwide, royalty-free +patent license under the contributor's essential patent claims, to +make, use, sell, offer for sale, import and otherwise run, modify and +propagate the contents of its contributor version. + + In the following three paragraphs, a "patent license" is any express +agreement or commitment, however denominated, not to enforce a patent +(such as an express permission to practice a patent or covenant not to +sue for patent infringement). To "grant" such a patent license to a +party means to make such an agreement or commitment not to enforce a +patent against the party. + + If you convey a covered work, knowingly relying on a patent license, +and the Corresponding Source of the work is not available for anyone +to copy, free of charge and under the terms of this License, through a +publicly available network server or other readily accessible means, +then you must either (1) cause the Corresponding Source to be so +available, or (2) arrange to deprive yourself of the benefit of the +patent license for this particular work, or (3) arrange, in a manner +consistent with the requirements of this License, to extend the patent +license to downstream recipients. "Knowingly relying" means you have +actual knowledge that, but for the patent license, your conveying the +covered work in a country, or your recipient's use of the covered work +in a country, would infringe one or more identifiable patents in that +country that you have reason to believe are valid. + + If, pursuant to or in connection with a single transaction or +arrangement, you convey, or propagate by procuring conveyance of, a +covered work, and grant a patent license to some of the parties +receiving the covered work authorizing them to use, propagate, modify +or convey a specific copy of the covered work, then the patent license +you grant is automatically extended to all recipients of the covered +work and works based on it. + + A patent license is "discriminatory" if it does not include within +the scope of its coverage, prohibits the exercise of, or is +conditioned on the non-exercise of one or more of the rights that are +specifically granted under this License. You may not convey a covered +work if you are a party to an arrangement with a third party that is +in the business of distributing software, under which you make payment +to the third party based on the extent of your activity of conveying +the work, and under which the third party grants, to any of the +parties who would receive the covered work from you, a discriminatory +patent license (a) in connection with copies of the covered work +conveyed by you (or copies made from those copies), or (b) primarily +for and in connection with specific products or compilations that +contain the covered work, unless you entered into that arrangement, +or that patent license was granted, prior to 28 March 2007. + + Nothing in this License shall be construed as excluding or limiting +any implied license or other defenses to infringement that may +otherwise be available to you under applicable patent law. + + 12. No Surrender of Others' Freedom. + + If conditions are imposed on you (whether by court order, agreement or +otherwise) that contradict the conditions of this License, they do not +excuse you from the conditions of this License. If you cannot convey a +covered work so as to satisfy simultaneously your obligations under this +License and any other pertinent obligations, then as a consequence you may +not convey it at all. For example, if you agree to terms that obligate you +to collect a royalty for further conveying from those to whom you convey +the Program, the only way you could satisfy both those terms and this +License would be to refrain entirely from conveying the Program. + + 13. Use with the GNU Affero General Public License. + + Notwithstanding any other provision of this License, you have +permission to link or combine any covered work with a work licensed +under version 3 of the GNU Affero General Public License into a single +combined work, and to convey the resulting work. The terms of this +License will continue to apply to the part which is the covered work, +but the special requirements of the GNU Affero General Public License, +section 13, concerning interaction through a network will apply to the +combination as such. + + 14. Revised Versions of this License. + + The Free Software Foundation may publish revised and/or new versions of +the GNU General Public License from time to time. Such new versions will +be similar in spirit to the present version, but may differ in detail to +address new problems or concerns. + + Each version is given a distinguishing version number. If the +Program specifies that a certain numbered version of the GNU General +Public License "or any later version" applies to it, you have the +option of following the terms and conditions either of that numbered +version or of any later version published by the Free Software +Foundation. If the Program does not specify a version number of the +GNU General Public License, you may choose any version ever published +by the Free Software Foundation. + + If the Program specifies that a proxy can decide which future +versions of the GNU General Public License can be used, that proxy's +public statement of acceptance of a version permanently authorizes you +to choose that version for the Program. + + Later license versions may give you additional or different +permissions. However, no additional obligations are imposed on any +author or copyright holder as a result of your choosing to follow a +later version. + + 15. Disclaimer of Warranty. + + THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY +APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT +HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY +OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, +THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR +PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM +IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF +ALL NECESSARY SERVICING, REPAIR OR CORRECTION. + + 16. Limitation of Liability. + + IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING +WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS +THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY +GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE +USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF +DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD +PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), +EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF +SUCH DAMAGES. + + 17. Interpretation of Sections 15 and 16. + + If the disclaimer of warranty and limitation of liability provided +above cannot be given local legal effect according to their terms, +reviewing courts shall apply local law that most closely approximates +an absolute waiver of all civil liability in connection with the +Program, unless a warranty or assumption of liability accompanies a +copy of the Program in return for a fee. + + END OF TERMS AND CONDITIONS + + How to Apply These Terms to Your New Programs + + If you develop a new program, and you want it to be of the greatest +possible use to the public, the best way to achieve this is to make it +free software which everyone can redistribute and change under these terms. + + To do so, attach the following notices to the program. It is safest +to attach them to the start of each source file to most effectively +state the exclusion of warranty; and each file should have at least +the "copyright" line and a pointer to where the full notice is found. + + + Copyright (C) + + This program is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . + +Also add information on how to contact you by electronic and paper mail. + + If the program does terminal interaction, make it output a short +notice like this when it starts in an interactive mode: + + Copyright (C) + This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'. + This is free software, and you are welcome to redistribute it + under certain conditions; type `show c' for details. + +The hypothetical commands `show w' and `show c' should show the appropriate +parts of the General Public License. Of course, your program's commands +might be different; for a GUI interface, you would use an "about box". + + You should also get your employer (if you work as a programmer) or school, +if any, to sign a "copyright disclaimer" for the program, if necessary. +For more information on this, and how to apply and follow the GNU GPL, see +. + + The GNU General Public License does not permit incorporating your program +into proprietary programs. If your program is a subroutine library, you +may consider it more useful to permit linking proprietary applications with +the library. If this is what you want to do, use the GNU Lesser General +Public License instead of this License. But first, please read +. + +********************************************************************** +********************************************************************** + + +HTML Purifier 4.6.0 - Standards Compliant HTML Filtering +Copyright (C) 2006-2008 Edward Z. Yang + +This library is free software; you can redistribute it and/or +modify it under the terms of the GNU Lesser General Public +License as published by the Free Software Foundation; either +version 2.1 of the License, or (at your option) any later version. + +This library is distributed in the hope that it will be useful, +but WITHOUT ANY WARRANTY; without even the implied warranty of +MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +Lesser General Public License for more details. + +You should have received a copy of the GNU Lesser General Public +License along with this library; if not, write to the Free Software +Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA + + +This library is free software; you can redistribute it and/or +modify it under the terms of the GNU Lesser General Public +License as published by the Free Software Foundation; either +version 2.1 of the License, or (at your option) any later version. +This library is distributed in the hope that it will be useful, +but WITHOUT ANY WARRANTY; without even the implied warranty of +MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +Lesser General Public License for more details. +You should have received a copy of the GNU Lesser General Public +License along with this library; if not, write to the Free Software +Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA +For questions, help, comments, discussion, etc., please join the +Smarty mailing list. Send a blank e-mail to +smarty-discussion-subscribe@googlegroups.com + + +Copyright (c) 2010-2014 André Rothe +All rights reserved. + +Redistribution and use in source and binary forms, with or without +modification, are permitted provided that the following conditions +are met: +1. Redistributions of source code must retain the above copyright +notice, this list of conditions and the following disclaimer. +2. Redistributions in binary form must reproduce the above copyright +notice, this list of conditions and the following disclaimer in the +documentation and/or other materials provided with the distribution. +3. The name of the author may not be used to endorse or promote products +derived from this software without specific prior written permission. + +THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``AS IS'' AND ANY EXPRESS OR +IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES +OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. +IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY DIRECT, INDIRECT, +INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT +NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, +DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY +THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT +(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF +THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + +Copyright (c) 2010-2014 Justin Swanhart and André Rothe +All rights reserved. + +Redistribution and use in source and binary forms, with or without +modification, are permitted provided that the following conditions +are met: +1. Redistributions of source code must retain the above copyright +notice, this list of conditions and the following disclaimer. +2. Redistributions in binary form must reproduce the above copyright +notice, this list of conditions and the following disclaimer in the +documentation and/or other materials provided with the distribution. +3. The name of the author may not be used to endorse or promote products +derived from this software without specific prior written permission. + +THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``AS IS'' AND ANY EXPRESS OR +IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES +OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. +IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY DIRECT, INDIRECT, +INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT +NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, +DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY +THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT +(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF +THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + + +Copyright (c) 2013-2016 Fabien Potencier + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is furnished +to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. + + +Copyright (c) 2002 Douglas Crockford (www.crockford.com) + +Permission is hereby granted, free of charge, to any person obtaining a copy of +this software and associated documentation files (the "Software"), to deal in +the Software without restriction, including without limitation the rights to +use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies +of the Software, and to permit persons to whom the Software is furnished to do +so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +The Software shall be used for Good, not Evil. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. + + +GNU LESSER GENERAL PUBLIC LICENSE + Version 3, 29 June 2007 + +Copyright (C) 2007 Free Software Foundation, Inc. +Everyone is permitted to copy and distribute verbatim copies +of this license document, but changing it is not allowed. + + +This version of the GNU Lesser General Public License incorporates +the terms and conditions of version 3 of the GNU General Public +License, supplemented by the additional permissions listed below. + +0. Additional Definitions. + +As used herein, "this License" refers to version 3 of the GNU Lesser +General Public License, and the "GNU GPL" refers to version 3 of the GNU +General Public License. + +"The Library" refers to a covered work governed by this License, +other than an Application or a Combined Work as defined below. + +An "Application" is any work that makes use of an interface provided +by the Library, but which is not otherwise based on the Library. +Defining a subclass of a class defined by the Library is deemed a mode +of using an interface provided by the Library. + +A "Combined Work" is a work produced by combining or linking an +Application with the Library. The particular version of the Library +with which the Combined Work was made is also called the "Linked +Version". + +The "Minimal Corresponding Source" for a Combined Work means the +Corresponding Source for the Combined Work, excluding any source code +for portions of the Combined Work that, considered in isolation, are +based on the Application, and not on the Linked Version. + +The "Corresponding Application Code" for a Combined Work means the +object code and/or source code for the Application, including any data +and utility programs needed for reproducing the Combined Work from the +Application, but excluding the System Libraries of the Combined Work. + +1. Exception to Section 3 of the GNU GPL. + +You may convey a covered work under sections 3 and 4 of this License +without being bound by section 3 of the GNU GPL. + +2. Conveying Modified Versions. + +If you modify a copy of the Library, and, in your modifications, a +facility refers to a function or data to be supplied by an Application +that uses the facility (other than as an argument passed when the +facility is invoked), then you may convey a copy of the modified +version: + +a) under this License, provided that you make a good faith effort to +ensure that, in the event an Application does not supply the +function or data, the facility still operates, and performs +whatever part of its purpose remains meaningful, or + +b) under the GNU GPL, with none of the additional permissions of +this License applicable to that copy. + +3. Object Code Incorporating Material from Library Header Files. + +The object code form of an Application may incorporate material from +a header file that is part of the Library. You may convey such object +code under terms of your choice, provided that, if the incorporated +material is not limited to numerical parameters, data structure +layouts and accessors, or small macros, inline functions and templates +(ten or fewer lines in length), you do both of the following: + +a) Give prominent notice with each copy of the object code that the +Library is used in it and that the Library and its use are +covered by this License. + +b) Accompany the object code with a copy of the GNU GPL and this license +document. + +4. Combined Works. + +You may convey a Combined Work under terms of your choice that, +taken together, effectively do not restrict modification of the +portions of the Library contained in the Combined Work and reverse +engineering for debugging such modifications, if you also do each of +the following: + +a) Give prominent notice with each copy of the Combined Work that +the Library is used in it and that the Library and its use are +covered by this License. + +b) Accompany the Combined Work with a copy of the GNU GPL and this license +document. + +c) For a Combined Work that displays copyright notices during +execution, include the copyright notice for the Library among +these notices, as well as a reference directing the user to the +copies of the GNU GPL and this license document. + +d) Do one of the following: + +0) Convey the Minimal Corresponding Source under the terms of this +License, and the Corresponding Application Code in a form +suitable for, and under terms that permit, the user to +recombine or relink the Application with a modified version of +the Linked Version to produce a modified Combined Work, in the +manner specified by section 6 of the GNU GPL for conveying +Corresponding Source. + +1) Use a suitable shared library mechanism for linking with the +Library. A suitable mechanism is one that (a) uses at run time +a copy of the Library already present on the user's computer +system, and (b) will operate properly with a modified version +of the Library that is interface-compatible with the Linked +Version. + +e) Provide Installation Information, but only if you would otherwise +be required to provide such information under section 6 of the +GNU GPL, and only to the extent that such information is +necessary to install and execute a modified version of the +Combined Work produced by recombining or relinking the +Application with a modified version of the Linked Version. (If +you use option 4d0, the Installation Information must accompany +the Minimal Corresponding Source and Corresponding Application +Code. If you use option 4d1, you must provide the Installation +Information in the manner specified by section 6 of the GNU GPL +for conveying Corresponding Source.) + +5. Combined Libraries. + +You may place library facilities that are a work based on the +Library side by side in a single library together with other library +facilities that are not Applications and are not covered by this +License, and convey such a combined library under terms of your +choice, if you do both of the following: + +a) Accompany the combined library with a copy of the same work based +on the Library, uncombined with any other library facilities, +conveyed under the terms of this License. + +b) Give prominent notice with the combined library that part of it +is a work based on the Library, and explaining where to find the +accompanying uncombined form of the same work. + +6. Revised Versions of the GNU Lesser General Public License. + +The Free Software Foundation may publish revised and/or new versions +of the GNU Lesser General Public License from time to time. Such new +versions will be similar in spirit to the present version, but may +differ in detail to address new problems or concerns. + +Each version is given a distinguishing version number. If the +Library as you received it specifies that a certain numbered version +of the GNU Lesser General Public License "or any later version" +applies to it, you have the option of following the terms and +conditions either of that published version or of any later version +published by the Free Software Foundation. If the Library as you +received it does not specify a version number of the GNU Lesser +General Public License, you may choose any version of the GNU Lesser +General Public License ever published by the Free Software Foundation. + +If the Library as you received it specifies that a proxy can decide +whether future versions of the GNU Lesser General Public License shall +apply, that proxy's public statement of acceptance of any version is +permanent authorization for you to choose that version for the +Library. + + +-------------------------------------------------------------------- + The PHP License, version 3.0 +Copyright (c) 1999 - 2006 The PHP Group. All rights reserved. +-------------------------------------------------------------------- + +Redistribution and use in source and binary forms, with or without +modification, is permitted provided that the following conditions +are met: + + 1. Redistributions of source code must retain the above copyright + notice, this list of conditions and the following disclaimer. + + 2. Redistributions in binary form must reproduce the above copyright + notice, this list of conditions and the following disclaimer in + the documentation and/or other materials provided with the + distribution. + + 3. The name "PHP" must not be used to endorse or promote products + derived from this software without prior written permission. For + written permission, please contact group@php.net. + + 4. Products derived from this software may not be called "PHP", nor + may "PHP" appear in their name, without prior written permission + from group@php.net. You may indicate that your software works in + conjunction with PHP by saying "Foo for PHP" instead of calling + it "PHP Foo" or "phpfoo" + + 5. The PHP Group may publish revised and/or new versions of the + license from time to time. Each version will be given a + distinguishing version number. + Once covered code has been published under a particular version + of the license, you may always continue to use it under the terms + of that version. You may also choose to use such covered code + under the terms of any subsequent version of the license + published by the PHP Group. No one other than the PHP Group has + the right to modify the terms applicable to covered code created + under this License. + + 6. Redistributions of any form whatsoever must retain the following + acknowledgment: + "This product includes PHP, freely available from + ". + +THIS SOFTWARE IS PROVIDED BY THE PHP DEVELOPMENT TEAM ``AS IS'' AND +ANY EXPRESSED OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, +THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A +PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE PHP +DEVELOPMENT TEAM OR ITS CONTRIBUTORS BE LIABLE FOR ANY DIRECT, +INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES +(INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR +SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) +HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, +STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) +ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED +OF THE POSSIBILITY OF SUCH DAMAGE. + +-------------------------------------------------------------------- + +This software consists of voluntary contributions made by many +individuals on behalf of the PHP Group. + +The PHP Group can be contacted via Email at group@php.net. + +For more information on the PHP Group and the PHP project, +please see . + +This product includes the Zend Engine, freely available at +. + + +This work is licensed under the Creative Commons Attribution-NonCommercial 3.0 Unported License. To view a copy of this license, visit http://creativecommons.org/licenses/by-nc/3.0/ or send a letter to Creative Commons, 444 Castro Street, Suite 900, Mountain View, California, 94041, USA. + + +MIT LICENSE + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + + + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + + + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. + + + +----------------------------------------------------------- +SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007 +----------------------------------------------------------- + +PREAMBLE +The goals of the Open Font License (OFL) are to stimulate worldwide +development of collaborative font projects, to support the font creation +efforts of academic and linguistic communities, and to provide a free and +open framework in which fonts may be shared and improved in partnership +with others. + +The OFL allows the licensed fonts to be used, studied, modified and +redistributed freely as long as they are not sold by themselves. The +fonts, including any derivative works, can be bundled, embedded, +redistributed and/or sold with any software provided that any reserved +names are not used by derivative works. The fonts and derivatives, +however, cannot be released under any other type of license. The +requirement for fonts to remain under this license does not apply +to any document created using the fonts or their derivatives. + +DEFINITIONS +"Font Software" refers to the set of files released by the Copyright +Holder(s) under this license and clearly marked as such. This may +include source files, build scripts and documentation. + +"Reserved Font Name" refers to any names specified as such after the +copyright statement(s). + +"Original Version" refers to the collection of Font Software components as +distributed by the Copyright Holder(s). + +"Modified Version" refers to any derivative made by adding to, deleting, +or substituting -- in part or in whole -- any of the components of the +Original Version, by changing formats or by porting the Font Software to a +new environment. + +"Author" refers to any designer, engineer, programmer, technical +writer or other person who contributed to the Font Software. + +PERMISSION & CONDITIONS +Permission is hereby granted, free of charge, to any person obtaining +a copy of the Font Software, to use, study, copy, merge, embed, modify, +redistribute, and sell modified and unmodified copies of the Font +Software, subject to the following conditions: + +1) Neither the Font Software nor any of its individual components, +in Original or Modified Versions, may be sold by itself. + +2) Original or Modified Versions of the Font Software may be bundled, +redistributed and/or sold with any software, provided that each copy +contains the above copyright notice and this license. These can be +included either as stand-alone text files, human-readable headers or +in the appropriate machine-readable metadata fields within text or +binary files as long as those fields can be easily viewed by the user. + +3) No Modified Version of the Font Software may use the Reserved Font +Name(s) unless explicit written permission is granted by the corresponding +Copyright Holder. This restriction only applies to the primary font name as +presented to the users. + +4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font +Software shall not be used to promote, endorse or advertise any +Modified Version, except to acknowledge the contribution(s) of the +Copyright Holder(s) and the Author(s) or with their explicit written +permission. + +5) The Font Software, modified or unmodified, in part or in whole, +must be distributed entirely under this license, and must not be +distributed under any other license. The requirement for fonts to +remain under this license does not apply to any document created +using the Font Software. + +TERMINATION +This license becomes null and void if any of the above conditions are +not met. + +DISCLAIMER +THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT +OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE +COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, +INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL +DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING +FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM +OTHER DEALINGS IN THE FONT SOFTWARE. + + +Copyright (c) 2012 Scott Jehl + +Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. + + +GNU GENERAL PUBLIC LICENSE + Version 2, June 1991 + +Copyright (C) 1989, 1991 Free Software Foundation, Inc., +51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA +Everyone is permitted to copy and distribute verbatim copies +of this license document, but changing it is not allowed. + + Preamble + +The licenses for most software are designed to take away your +freedom to share and change it. By contrast, the GNU General Public +License is intended to guarantee your freedom to share and change free +software--to make sure the software is free for all its users. This +General Public License applies to most of the Free Software +Foundation's software and to any other program whose authors commit to +using it. (Some other Free Software Foundation software is covered by +the GNU Lesser General Public License instead.) You can apply it to +your programs, too. + +When we speak of free software, we are referring to freedom, not +price. Our General Public Licenses are designed to make sure that you +have the freedom to distribute copies of free software (and charge for +this service if you wish), that you receive source code or can get it +if you want it, that you can change the software or use pieces of it +in new free programs; and that you know you can do these things. + +To protect your rights, we need to make restrictions that forbid +anyone to deny you these rights or to ask you to surrender the rights. +These restrictions translate to certain responsibilities for you if you +distribute copies of the software, or if you modify it. + +For example, if you distribute copies of such a program, whether +gratis or for a fee, you must give the recipients all the rights that +you have. You must make sure that they, too, receive or can get the +source code. And you must show them these terms so they know their +rights. + +We protect your rights with two steps: (1) copyright the software, and +(2) offer you this license which gives you legal permission to copy, +distribute and/or modify the software. + +Also, for each author's protection and ours, we want to make certain +that everyone understands that there is no warranty for this free +software. If the software is modified by someone else and passed on, we +want its recipients to know that what they have is not the original, so +that any problems introduced by others will not reflect on the original +authors' reputations. + +Finally, any free program is threatened constantly by software +patents. We wish to avoid the danger that redistributors of a free +program will individually obtain patent licenses, in effect making the +program proprietary. To prevent this, we have made it clear that any +patent must be licensed for everyone's free use or not licensed at all. + +The precise terms and conditions for copying, distribution and +modification follow. + +GNU GENERAL PUBLIC LICENSE +TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION + +0. This License applies to any program or other work which contains +a notice placed by the copyright holder saying it may be distributed +under the terms of this General Public License. The "Program", below, +refers to any such program or work, and a "work based on the Program" +means either the Program or any derivative work under copyright law: +that is to say, a work containing the Program or a portion of it, +either verbatim or with modifications and/or translated into another +language. (Hereinafter, translation is included without limitation in +the term "modification".) Each licensee is addressed as "you". + +Activities other than copying, distribution and modification are not +covered by this License; they are outside its scope. The act of +running the Program is not restricted, and the output from the Program +is covered only if its contents constitute a work based on the +Program (independent of having been made by running the Program). +Whether that is true depends on what the Program does. + +1. You may copy and distribute verbatim copies of the Program's +source code as you receive it, in any medium, provided that you +conspicuously and appropriately publish on each copy an appropriate +copyright notice and disclaimer of warranty; keep intact all the +notices that refer to this License and to the absence of any warranty; +and give any other recipients of the Program a copy of this License +along with the Program. + +You may charge a fee for the physical act of transferring a copy, and +you may at your option offer warranty protection in exchange for a fee. + +2. You may modify your copy or copies of the Program or any portion +of it, thus forming a work based on the Program, and copy and +distribute such modifications or work under the terms of Section 1 +above, provided that you also meet all of these conditions: + +a) You must cause the modified files to carry prominent notices +stating that you changed the files and the date of any change. + +b) You must cause any work that you distribute or publish, that in +whole or in part contains or is derived from the Program or any +part thereof, to be licensed as a whole at no charge to all third +parties under the terms of this License. + +c) If the modified program normally reads commands interactively +when run, you must cause it, when started running for such +interactive use in the most ordinary way, to print or display an +announcement including an appropriate copyright notice and a +notice that there is no warranty (or else, saying that you provide +a warranty) and that users may redistribute the program under +these conditions, and telling the user how to view a copy of this +License. (Exception: if the Program itself is interactive but +does not normally print such an announcement, your work based on +the Program is not required to print an announcement.) + +These requirements apply to the modified work as a whole. If +identifiable sections of that work are not derived from the Program, +and can be reasonably considered independent and separate works in +themselves, then this License, and its terms, do not apply to those +sections when you distribute them as separate works. But when you +distribute the same sections as part of a whole which is a work based +on the Program, the distribution of the whole must be on the terms of +this License, whose permissions for other licensees extend to the +entire whole, and thus to each and every part regardless of who wrote it. + +Thus, it is not the intent of this section to claim rights or contest +your rights to work written entirely by you; rather, the intent is to +exercise the right to control the distribution of derivative or +collective works based on the Program. + +In addition, mere aggregation of another work not based on the Program +with the Program (or with a work based on the Program) on a volume of +a storage or distribution medium does not bring the other work under +the scope of this License. + +3. You may copy and distribute the Program (or a work based on it, +under Section 2) in object code or executable form under the terms of +Sections 1 and 2 above provided that you also do one of the following: + +a) Accompany it with the complete corresponding machine-readable +source code, which must be distributed under the terms of Sections +1 and 2 above on a medium customarily used for software interchange; or, + +b) Accompany it with a written offer, valid for at least three +years, to give any third party, for a charge no more than your +cost of physically performing source distribution, a complete +machine-readable copy of the corresponding source code, to be +distributed under the terms of Sections 1 and 2 above on a medium +customarily used for software interchange; or, + +c) Accompany it with the information you received as to the offer +to distribute corresponding source code. (This alternative is +allowed only for noncommercial distribution and only if you +received the program in object code or executable form with such +an offer, in accord with Subsection b above.) + +The source code for a work means the preferred form of the work for +making modifications to it. For an executable work, complete source +code means all the source code for all modules it contains, plus any +associated interface definition files, plus the scripts used to +control compilation and installation of the executable. However, as a +special exception, the source code distributed need not include +anything that is normally distributed (in either source or binary +form) with the major components (compiler, kernel, and so on) of the +operating system on which the executable runs, unless that component +itself accompanies the executable. + +If distribution of executable or object code is made by offering +access to copy from a designated place, then offering equivalent +access to copy the source code from the same place counts as +distribution of the source code, even though third parties are not +compelled to copy the source along with the object code. + +4. You may not copy, modify, sublicense, or distribute the Program +except as expressly provided under this License. Any attempt +otherwise to copy, modify, sublicense or distribute the Program is +void, and will automatically terminate your rights under this License. +However, parties who have received copies, or rights, from you under +this License will not have their licenses terminated so long as such +parties remain in full compliance. + +5. You are not required to accept this License, since you have not +signed it. However, nothing else grants you permission to modify or +distribute the Program or its derivative works. These actions are +prohibited by law if you do not accept this License. Therefore, by +modifying or distributing the Program (or any work based on the +Program), you indicate your acceptance of this License to do so, and +all its terms and conditions for copying, distributing or modifying +the Program or works based on it. + +6. Each time you redistribute the Program (or any work based on the +Program), the recipient automatically receives a license from the +original licensor to copy, distribute or modify the Program subject to +these terms and conditions. You may not impose any further +restrictions on the recipients' exercise of the rights granted herein. +You are not responsible for enforcing compliance by third parties to +this License. + +7. If, as a consequence of a court judgment or allegation of patent +infringement or for any other reason (not limited to patent issues), +conditions are imposed on you (whether by court order, agreement or +otherwise) that contradict the conditions of this License, they do not +excuse you from the conditions of this License. If you cannot +distribute so as to satisfy simultaneously your obligations under this +License and any other pertinent obligations, then as a consequence you +may not distribute the Program at all. For example, if a patent +license would not permit royalty-free redistribution of the Program by +all those who receive copies directly or indirectly through you, then +the only way you could satisfy both it and this License would be to +refrain entirely from distribution of the Program. + +If any portion of this section is held invalid or unenforceable under +any particular circumstance, the balance of the section is intended to +apply and the section as a whole is intended to apply in other +circumstances. + +It is not the purpose of this section to induce you to infringe any +patents or other property right claims or to contest validity of any +such claims; this section has the sole purpose of protecting the +integrity of the free software distribution system, which is +implemented by public license practices. Many people have made +generous contributions to the wide range of software distributed +through that system in reliance on consistent application of that +system; it is up to the author/donor to decide if he or she is willing +to distribute software through any other system and a licensee cannot +impose that choice. + +This section is intended to make thoroughly clear what is believed to +be a consequence of the rest of this License. + +8. If the distribution and/or use of the Program is restricted in +certain countries either by patents or by copyrighted interfaces, the +original copyright holder who places the Program under this License +may add an explicit geographical distribution limitation excluding +those countries, so that distribution is permitted only in or among +countries not thus excluded. In such case, this License incorporates +the limitation as if written in the body of this License. + +9. The Free Software Foundation may publish revised and/or new versions +of the General Public License from time to time. Such new versions will +be similar in spirit to the present version, but may differ in detail to +address new problems or concerns. + +Each version is given a distinguishing version number. If the Program +specifies a version number of this License which applies to it and "any +later version", you have the option of following the terms and conditions +either of that version or of any later version published by the Free +Software Foundation. If the Program does not specify a version number of +this License, you may choose any version ever published by the Free Software +Foundation. + +10. If you wish to incorporate parts of the Program into other free +programs whose distribution conditions are different, write to the author +to ask for permission. For software which is copyrighted by the Free +Software Foundation, write to the Free Software Foundation; we sometimes +make exceptions for this. Our decision will be guided by the two goals +of preserving the free status of all derivatives of our free software and +of promoting the sharing and reuse of software generally. + + NO WARRANTY + +11. BECAUSE THE PROGRAM IS LICENSED FREE OF CHARGE, THERE IS NO WARRANTY +FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN +OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES +PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED +OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF +MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS +TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE +PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, +REPAIR OR CORRECTION. + +12. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING +WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY AND/OR +REDISTRIBUTE THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, +INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING +OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED +TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY +YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER +PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE +POSSIBILITY OF SUCH DAMAGES. + + END OF TERMS AND CONDITIONS + +How to Apply These Terms to Your New Programs + +If you develop a new program, and you want it to be of the greatest +possible use to the public, the best way to achieve this is to make it +free software which everyone can redistribute and change under these terms. + +To do so, attach the following notices to the program. It is safest +to attach them to the start of each source file to most effectively +convey the exclusion of warranty; and each file should have at least +the "copyright" line and a pointer to where the full notice is found. + + +Copyright (C) + +This program is free software; you can redistribute it and/or modify +it under the terms of the GNU General Public License as published by +the Free Software Foundation; either version 2 of the License, or +(at your option) any later version. + +This program is distributed in the hope that it will be useful, +but WITHOUT ANY WARRANTY; without even the implied warranty of +MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +GNU General Public License for more details. + +You should have received a copy of the GNU General Public License along +with this program; if not, write to the Free Software Foundation, Inc., +51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA. + +Also add information on how to contact you by electronic and paper mail. + +If the program is interactive, make it output a short notice like this +when it starts in an interactive mode: + +Gnomovision version 69, Copyright (C) year name of author +Gnomovision comes with ABSOLUTELY NO WARRANTY; for details type `show w'. +This is free software, and you are welcome to redistribute it +under certain conditions; type `show c' for details. + +The hypothetical commands `show w' and `show c' should show the appropriate +parts of the General Public License. Of course, the commands you use may +be called something other than `show w' and `show c'; they could even be +mouse-clicks or menu items--whatever suits your program. + +You should also get your employer (if you work as a programmer) or your +school, if any, to sign a "copyright disclaimer" for the program, if +necessary. Here is a sample; alter the names: + +Yoyodyne, Inc., hereby disclaims all copyright interest in the program +`Gnomovision' (which makes passes at compilers) written by James Hacker. + +, 1 April 1989 +Ty Coon, President of Vice + +This General Public License does not permit incorporating your program into +proprietary programs. If your program is a subroutine library, you may +consider it more useful to permit linking proprietary applications with the +library. If this is what you want to do, use the GNU Lesser General +Public License instead of this License. + + +GNU GENERAL PUBLIC LICENSE + Version 2, June 1991 + +Copyright (C) 1989, 1991 Free Software Foundation, Inc., +51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA +Everyone is permitted to copy and distribute verbatim copies +of this license document, but changing it is not allowed. + + Preamble + +The licenses for most software are designed to take away your +freedom to share and change it. By contrast, the GNU General Public +License is intended to guarantee your freedom to share and change free +software--to make sure the software is free for all its users. This +General Public License applies to most of the Free Software +Foundation's software and to any other program whose authors commit to +using it. (Some other Free Software Foundation software is covered by +the GNU Lesser General Public License instead.) You can apply it to +your programs, too. + +When we speak of free software, we are referring to freedom, not +price. Our General Public Licenses are designed to make sure that you +have the freedom to distribute copies of free software (and charge for +this service if you wish), that you receive source code or can get it +if you want it, that you can change the software or use pieces of it +in new free programs; and that you know you can do these things. + +To protect your rights, we need to make restrictions that forbid +anyone to deny you these rights or to ask you to surrender the rights. +These restrictions translate to certain responsibilities for you if you +distribute copies of the software, or if you modify it. + +For example, if you distribute copies of such a program, whether +gratis or for a fee, you must give the recipients all the rights that +you have. You must make sure that they, too, receive or can get the +source code. And you must show them these terms so they know their +rights. + +We protect your rights with two steps: (1) copyright the software, and +(2) offer you this license which gives you legal permission to copy, +distribute and/or modify the software. + +Also, for each author's protection and ours, we want to make certain +that everyone understands that there is no warranty for this free +software. If the software is modified by someone else and passed on, we +want its recipients to know that what they have is not the original, so +that any problems introduced by others will not reflect on the original +authors' reputations. + +Finally, any free program is threatened constantly by software +patents. We wish to avoid the danger that redistributors of a free +program will individually obtain patent licenses, in effect making the +program proprietary. To prevent this, we have made it clear that any +patent must be licensed for everyone's free use or not licensed at all. + +The precise terms and conditions for copying, distribution and +modification follow. + +GNU GENERAL PUBLIC LICENSE +TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION + +0. This License applies to any program or other work which contains +a notice placed by the copyright holder saying it may be distributed +under the terms of this General Public License. The "Program", below, +refers to any such program or work, and a "work based on the Program" +means either the Program or any derivative work under copyright law: +that is to say, a work containing the Program or a portion of it, +either verbatim or with modifications and/or translated into another +language. (Hereinafter, translation is included without limitation in +the term "modification".) Each licensee is addressed as "you". + +Activities other than copying, distribution and modification are not +covered by this License; they are outside its scope. The act of +running the Program is not restricted, and the output from the Program +is covered only if its contents constitute a work based on the +Program (independent of having been made by running the Program). +Whether that is true depends on what the Program does. + +1. You may copy and distribute verbatim copies of the Program's +source code as you receive it, in any medium, provided that you +conspicuously and appropriately publish on each copy an appropriate +copyright notice and disclaimer of warranty; keep intact all the +notices that refer to this License and to the absence of any warranty; +and give any other recipients of the Program a copy of this License +along with the Program. + +You may charge a fee for the physical act of transferring a copy, and +you may at your option offer warranty protection in exchange for a fee. + +2. You may modify your copy or copies of the Program or any portion +of it, thus forming a work based on the Program, and copy and +distribute such modifications or work under the terms of Section 1 +above, provided that you also meet all of these conditions: + +a) You must cause the modified files to carry prominent notices +stating that you changed the files and the date of any change. + +b) You must cause any work that you distribute or publish, that in +whole or in part contains or is derived from the Program or any +part thereof, to be licensed as a whole at no charge to all third +parties under the terms of this License. + +c) If the modified program normally reads commands interactively +when run, you must cause it, when started running for such +interactive use in the most ordinary way, to print or display an +announcement including an appropriate copyright notice and a +notice that there is no warranty (or else, saying that you provide +a warranty) and that users may redistribute the program under +these conditions, and telling the user how to view a copy of this +License. (Exception: if the Program itself is interactive but +does not normally print such an announcement, your work based on +the Program is not required to print an announcement.) + +These requirements apply to the modified work as a whole. If +identifiable sections of that work are not derived from the Program, +and can be reasonably considered independent and separate works in +themselves, then this License, and its terms, do not apply to those +sections when you distribute them as separate works. But when you +distribute the same sections as part of a whole which is a work based +on the Program, the distribution of the whole must be on the terms of +this License, whose permissions for other licensees extend to the +entire whole, and thus to each and every part regardless of who wrote it. + +Thus, it is not the intent of this section to claim rights or contest +your rights to work written entirely by you; rather, the intent is to +exercise the right to control the distribution of derivative or +collective works based on the Program. + +In addition, mere aggregation of another work not based on the Program +with the Program (or with a work based on the Program) on a volume of +a storage or distribution medium does not bring the other work under +the scope of this License. + +3. You may copy and distribute the Program (or a work based on it, +under Section 2) in object code or executable form under the terms of +Sections 1 and 2 above provided that you also do one of the following: + +a) Accompany it with the complete corresponding machine-readable +source code, which must be distributed under the terms of Sections +1 and 2 above on a medium customarily used for software interchange; or, + +b) Accompany it with a written offer, valid for at least three +years, to give any third party, for a charge no more than your +cost of physically performing source distribution, a complete +machine-readable copy of the corresponding source code, to be +distributed under the terms of Sections 1 and 2 above on a medium +customarily used for software interchange; or, + +c) Accompany it with the information you received as to the offer +to distribute corresponding source code. (This alternative is +allowed only for noncommercial distribution and only if you +received the program in object code or executable form with such +an offer, in accord with Subsection b above.) + +The source code for a work means the preferred form of the work for +making modifications to it. For an executable work, complete source +code means all the source code for all modules it contains, plus any +associated interface definition files, plus the scripts used to +control compilation and installation of the executable. However, as a +special exception, the source code distributed need not include +anything that is normally distributed (in either source or binary +form) with the major components (compiler, kernel, and so on) of the +operating system on which the executable runs, unless that component +itself accompanies the executable. + +If distribution of executable or object code is made by offering +access to copy from a designated place, then offering equivalent +access to copy the source code from the same place counts as +distribution of the source code, even though third parties are not +compelled to copy the source along with the object code. + +4. You may not copy, modify, sublicense, or distribute the Program +except as expressly provided under this License. Any attempt +otherwise to copy, modify, sublicense or distribute the Program is +void, and will automatically terminate your rights under this License. +However, parties who have received copies, or rights, from you under +this License will not have their licenses terminated so long as such +parties remain in full compliance. + +5. You are not required to accept this License, since you have not +signed it. However, nothing else grants you permission to modify or +distribute the Program or its derivative works. These actions are +prohibited by law if you do not accept this License. Therefore, by +modifying or distributing the Program (or any work based on the +Program), you indicate your acceptance of this License to do so, and +all its terms and conditions for copying, distributing or modifying +the Program or works based on it. + +6. Each time you redistribute the Program (or any work based on the +Program), the recipient automatically receives a license from the +original licensor to copy, distribute or modify the Program subject to +these terms and conditions. You may not impose any further +restrictions on the recipients' exercise of the rights granted herein. +You are not responsible for enforcing compliance by third parties to +this License. + +7. If, as a consequence of a court judgment or allegation of patent +infringement or for any other reason (not limited to patent issues), +conditions are imposed on you (whether by court order, agreement or +otherwise) that contradict the conditions of this License, they do not +excuse you from the conditions of this License. If you cannot +distribute so as to satisfy simultaneously your obligations under this +License and any other pertinent obligations, then as a consequence you +may not distribute the Program at all. For example, if a patent +license would not permit royalty-free redistribution of the Program by +all those who receive copies directly or indirectly through you, then +the only way you could satisfy both it and this License would be to +refrain entirely from distribution of the Program. + +If any portion of this section is held invalid or unenforceable under +any particular circumstance, the balance of the section is intended to +apply and the section as a whole is intended to apply in other +circumstances. + +It is not the purpose of this section to induce you to infringe any +patents or other property right claims or to contest validity of any +such claims; this section has the sole purpose of protecting the +integrity of the free software distribution system, which is +implemented by public license practices. Many people have made +generous contributions to the wide range of software distributed +through that system in reliance on consistent application of that +system; it is up to the author/donor to decide if he or she is willing +to distribute software through any other system and a licensee cannot +impose that choice. + +This section is intended to make thoroughly clear what is believed to +be a consequence of the rest of this License. + +8. If the distribution and/or use of the Program is restricted in +certain countries either by patents or by copyrighted interfaces, the +original copyright holder who places the Program under this License +may add an explicit geographical distribution limitation excluding +those countries, so that distribution is permitted only in or among +countries not thus excluded. In such case, this License incorporates +the limitation as if written in the body of this License. + +9. The Free Software Foundation may publish revised and/or new versions +of the General Public License from time to time. Such new versions will +be similar in spirit to the present version, but may differ in detail to +address new problems or concerns. + +Each version is given a distinguishing version number. If the Program +specifies a version number of this License which applies to it and "any +later version", you have the option of following the terms and conditions +either of that version or of any later version published by the Free +Software Foundation. If the Program does not specify a version number of +this License, you may choose any version ever published by the Free Software +Foundation. + +10. If you wish to incorporate parts of the Program into other free +programs whose distribution conditions are different, write to the author +to ask for permission. For software which is copyrighted by the Free +Software Foundation, write to the Free Software Foundation; we sometimes +make exceptions for this. Our decision will be guided by the two goals +of preserving the free status of all derivatives of our free software and +of promoting the sharing and reuse of software generally. + + NO WARRANTY + +11. BECAUSE THE PROGRAM IS LICENSED FREE OF CHARGE, THERE IS NO WARRANTY +FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN +OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES +PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED +OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF +MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS +TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE +PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, +REPAIR OR CORRECTION. + +12. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING +WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY AND/OR +REDISTRIBUTE THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, +INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING +OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED +TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY +YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER +PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE +POSSIBILITY OF SUCH DAMAGES. + + END OF TERMS AND CONDITIONS + +How to Apply These Terms to Your New Programs + +If you develop a new program, and you want it to be of the greatest +possible use to the public, the best way to achieve this is to make it +free software which everyone can redistribute and change under these terms. + +To do so, attach the following notices to the program. It is safest +to attach them to the start of each source file to most effectively +convey the exclusion of warranty; and each file should have at least +the "copyright" line and a pointer to where the full notice is found. + + +Copyright (C) + +This program is free software; you can redistribute it and/or modify +it under the terms of the GNU General Public License as published by +the Free Software Foundation; either version 2 of the License, or +(at your option) any later version. + +This program is distributed in the hope that it will be useful, +but WITHOUT ANY WARRANTY; without even the implied warranty of +MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +GNU General Public License for more details. + +You should have received a copy of the GNU General Public License along +with this program; if not, write to the Free Software Foundation, Inc., +51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA. + +Also add information on how to contact you by electronic and paper mail. + +If the program is interactive, make it output a short notice like this +when it starts in an interactive mode: + +Gnomovision version 69, Copyright (C) year name of author +Gnomovision comes with ABSOLUTELY NO WARRANTY; for details type `show w'. +This is free software, and you are welcome to redistribute it +under certain conditions; type `show c' for details. + +The hypothetical commands `show w' and `show c' should show the appropriate +parts of the General Public License. Of course, the commands you use may +be called something other than `show w' and `show c'; they could even be +mouse-clicks or menu items--whatever suits your program. + +You should also get your employer (if you work as a programmer) or your +school, if any, to sign a "copyright disclaimer" for the program, if +necessary. Here is a sample; alter the names: + +Yoyodyne, Inc., hereby disclaims all copyright interest in the program +`Gnomovision' (which makes passes at compilers) written by James Hacker. + +, 1 April 1989 +Ty Coon, President of Vice + +This General Public License does not permit incorporating your program into +proprietary programs. If your program is a subroutine library, you may +consider it more useful to permit linking proprietary applications with the +library. If this is what you want to do, use the GNU Lesser General +Public License instead of this License. + + +The MIT License (MIT) + +Copyright (c) 2009-2015 + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. + + +Copyright (c) 2011-2015 Tim Wood, Iskren Chernev, Moment.js contributors + +Permission is hereby granted, free of charge, to any person +obtaining a copy of this software and associated documentation +files (the "Software"), to deal in the Software without +restriction, including without limitation the rights to use, +copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the +Software is furnished to do so, subject to the following +conditions: + +The above copyright notice and this permission notice shall be +included in all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES +OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND +NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT +HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, +WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING +FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR +OTHER DEALINGS IN THE SOFTWARE. + + +The MIT License (MIT) + +Copyright (c) 2011-2015 Twitter, Inc + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. + + +The MIT License (MIT) + +Copyright (c) 2011-2015 Twitter, Inc + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. + + +nvd3.js License + +Copyright (c) 2011-2014 Novus Partners, Inc. + +Licensed under the Apache License, Version 2.0 (the "License"); +you may not use this file except in compliance with the License. +You may obtain a copy of the License at + + http://www.apache.org/licenses/LICENSE-2.0 + +Unless required by applicable law or agreed to in writing, software +distributed under the License is distributed on an "AS IS" BASIS, +WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +See the License for the specific language governing permissions and +limitations under the License. + + + +d3.js License + +Copyright (c) 2012, Michael Bostock +All rights reserved. + +Redistribution and use in source and binary forms, with or without +modification, are permitted provided that the following conditions are met: + +* Redistributions of source code must retain the above copyright notice, this + list of conditions and the following disclaimer. + +* Redistributions in binary form must reproduce the above copyright notice, + this list of conditions and the following disclaimer in the documentation + and/or other materials provided with the distribution. + +* The name Michael Bostock may not be used to endorse or promote products + derived from this software without specific prior written permission. + +THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" +AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE +IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE +DISCLAIMED. IN NO EVENT SHALL MICHAEL BOSTOCK BE LIABLE FOR ANY DIRECT, +INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, +BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, +DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY +OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING +NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, +EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + + +The MIT License (MIT) + +Copyright 2010, Sebastian Tschan + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. + + +The MIT License (MIT) + +Copyright © James Padolsey + + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. + + +GNU GENERAL PUBLIC LICENSE + Version 3, 29 June 2007 + +Copyright (C) 2007 Free Software Foundation, Inc. +Everyone is permitted to copy and distribute verbatim copies +of this license document, but changing it is not allowed. + + Preamble + +The GNU General Public License is a free, copyleft license for +software and other kinds of works. + +The licenses for most software and other practical works are designed +to take away your freedom to share and change the works. By contrast, +the GNU General Public License is intended to guarantee your freedom to +share and change all versions of a program--to make sure it remains free +software for all its users. We, the Free Software Foundation, use the +GNU General Public License for most of our software; it applies also to +any other work released this way by its authors. You can apply it to +your programs, too. + +When we speak of free software, we are referring to freedom, not +price. Our General Public Licenses are designed to make sure that you +have the freedom to distribute copies of free software (and charge for +them if you wish), that you receive source code or can get it if you +want it, that you can change the software or use pieces of it in new +free programs, and that you know you can do these things. + +To protect your rights, we need to prevent others from denying you +these rights or asking you to surrender the rights. Therefore, you have +certain responsibilities if you distribute copies of the software, or if +you modify it: responsibilities to respect the freedom of others. + +For example, if you distribute copies of such a program, whether +gratis or for a fee, you must pass on to the recipients the same +freedoms that you received. You must make sure that they, too, receive +or can get the source code. And you must show them these terms so they +know their rights. + +Developers that use the GNU GPL protect your rights with two steps: +(1) assert copyright on the software, and (2) offer you this License +giving you legal permission to copy, distribute and/or modify it. + +For the developers' and authors' protection, the GPL clearly explains +that there is no warranty for this free software. For both users' and +authors' sake, the GPL requires that modified versions be marked as +changed, so that their problems will not be attributed erroneously to +authors of previous versions. + +Some devices are designed to deny users access to install or run +modified versions of the software inside them, although the manufacturer +can do so. This is fundamentally incompatible with the aim of +protecting users' freedom to change the software. The systematic +pattern of such abuse occurs in the area of products for individuals to +use, which is precisely where it is most unacceptable. Therefore, we +have designed this version of the GPL to prohibit the practice for those +products. If such problems arise substantially in other domains, we +stand ready to extend this provision to those domains in future versions +of the GPL, as needed to protect the freedom of users. + +Finally, every program is threatened constantly by software patents. +States should not allow patents to restrict development and use of +software on general-purpose computers, but in those that do, we wish to +avoid the special danger that patents applied to a free program could +make it effectively proprietary. To prevent this, the GPL assures that +patents cannot be used to render the program non-free. + +The precise terms and conditions for copying, distribution and +modification follow. + + TERMS AND CONDITIONS + +0. Definitions. + +"This License" refers to version 3 of the GNU General Public License. + +"Copyright" also means copyright-like laws that apply to other kinds of +works, such as semiconductor masks. + +"The Program" refers to any copyrightable work licensed under this +License. Each licensee is addressed as "you". "Licensees" and +"recipients" may be individuals or organizations. + +To "modify" a work means to copy from or adapt all or part of the work +in a fashion requiring copyright permission, other than the making of an +exact copy. The resulting work is called a "modified version" of the +earlier work or a work "based on" the earlier work. + +A "covered work" means either the unmodified Program or a work based +on the Program. + +To "propagate" a work means to do anything with it that, without +permission, would make you directly or secondarily liable for +infringement under applicable copyright law, except executing it on a +computer or modifying a private copy. Propagation includes copying, +distribution (with or without modification), making available to the +public, and in some countries other activities as well. + +To "convey" a work means any kind of propagation that enables other +parties to make or receive copies. Mere interaction with a user through +a computer network, with no transfer of a copy, is not conveying. + +An interactive user interface displays "Appropriate Legal Notices" +to the extent that it includes a convenient and prominently visible +feature that (1) displays an appropriate copyright notice, and (2) +tells the user that there is no warranty for the work (except to the +extent that warranties are provided), that licensees may convey the +work under this License, and how to view a copy of this License. If +the interface presents a list of user commands or options, such as a +menu, a prominent item in the list meets this criterion. + +1. Source Code. + +The "source code" for a work means the preferred form of the work +for making modifications to it. "Object code" means any non-source +form of a work. + +A "Standard Interface" means an interface that either is an official +standard defined by a recognized standards body, or, in the case of +interfaces specified for a particular programming language, one that +is widely used among developers working in that language. + +The "System Libraries" of an executable work include anything, other +than the work as a whole, that (a) is included in the normal form of +packaging a Major Component, but which is not part of that Major +Component, and (b) serves only to enable use of the work with that +Major Component, or to implement a Standard Interface for which an +implementation is available to the public in source code form. A +"Major Component", in this context, means a major essential component +(kernel, window system, and so on) of the specific operating system +(if any) on which the executable work runs, or a compiler used to +produce the work, or an object code interpreter used to run it. + +The "Corresponding Source" for a work in object code form means all +the source code needed to generate, install, and (for an executable +work) run the object code and to modify the work, including scripts to +control those activities. However, it does not include the work's +System Libraries, or general-purpose tools or generally available free +programs which are used unmodified in performing those activities but +which are not part of the work. For example, Corresponding Source +includes interface definition files associated with source files for +the work, and the source code for shared libraries and dynamically +linked subprograms that the work is specifically designed to require, +such as by intimate data communication or control flow between those +subprograms and other parts of the work. + +The Corresponding Source need not include anything that users +can regenerate automatically from other parts of the Corresponding +Source. + +The Corresponding Source for a work in source code form is that +same work. + +2. Basic Permissions. + +All rights granted under this License are granted for the term of +copyright on the Program, and are irrevocable provided the stated +conditions are met. This License explicitly affirms your unlimited +permission to run the unmodified Program. The output from running a +covered work is covered by this License only if the output, given its +content, constitutes a covered work. This License acknowledges your +rights of fair use or other equivalent, as provided by copyright law. + +You may make, run and propagate covered works that you do not +convey, without conditions so long as your license otherwise remains +in force. You may convey covered works to others for the sole purpose +of having them make modifications exclusively for you, or provide you +with facilities for running those works, provided that you comply with +the terms of this License in conveying all material for which you do +not control copyright. Those thus making or running the covered works +for you must do so exclusively on your behalf, under your direction +and control, on terms that prohibit them from making any copies of +your copyrighted material outside their relationship with you. + +Conveying under any other circumstances is permitted solely under +the conditions stated below. Sublicensing is not allowed; section 10 +makes it unnecessary. + +3. Protecting Users' Legal Rights From Anti-Circumvention Law. + +No covered work shall be deemed part of an effective technological +measure under any applicable law fulfilling obligations under article +11 of the WIPO copyright treaty adopted on 20 December 1996, or +similar laws prohibiting or restricting circumvention of such +measures. + +When you convey a covered work, you waive any legal power to forbid +circumvention of technological measures to the extent such circumvention +is effected by exercising rights under this License with respect to +the covered work, and you disclaim any intention to limit operation or +modification of the work as a means of enforcing, against the work's +users, your or third parties' legal rights to forbid circumvention of +technological measures. + +4. Conveying Verbatim Copies. + +You may convey verbatim copies of the Program's source code as you +receive it, in any medium, provided that you conspicuously and +appropriately publish on each copy an appropriate copyright notice; +keep intact all notices stating that this License and any +non-permissive terms added in accord with section 7 apply to the code; +keep intact all notices of the absence of any warranty; and give all +recipients a copy of this License along with the Program. + +You may charge any price or no price for each copy that you convey, +and you may offer support or warranty protection for a fee. + +5. Conveying Modified Source Versions. + +You may convey a work based on the Program, or the modifications to +produce it from the Program, in the form of source code under the +terms of section 4, provided that you also meet all of these conditions: + +a) The work must carry prominent notices stating that you modified +it, and giving a relevant date. + +b) The work must carry prominent notices stating that it is +released under this License and any conditions added under section +7. This requirement modifies the requirement in section 4 to +"keep intact all notices". + +c) You must license the entire work, as a whole, under this +License to anyone who comes into possession of a copy. This +License will therefore apply, along with any applicable section 7 +additional terms, to the whole of the work, and all its parts, +regardless of how they are packaged. This License gives no +permission to license the work in any other way, but it does not +invalidate such permission if you have separately received it. + +d) If the work has interactive user interfaces, each must display +Appropriate Legal Notices; however, if the Program has interactive +interfaces that do not display Appropriate Legal Notices, your +work need not make them do so. + +A compilation of a covered work with other separate and independent +works, which are not by their nature extensions of the covered work, +and which are not combined with it such as to form a larger program, +in or on a volume of a storage or distribution medium, is called an +"aggregate" if the compilation and its resulting copyright are not +used to limit the access or legal rights of the compilation's users +beyond what the individual works permit. Inclusion of a covered work +in an aggregate does not cause this License to apply to the other +parts of the aggregate. + +6. Conveying Non-Source Forms. + +You may convey a covered work in object code form under the terms +of sections 4 and 5, provided that you also convey the +machine-readable Corresponding Source under the terms of this License, +in one of these ways: + +a) Convey the object code in, or embodied in, a physical product +(including a physical distribution medium), accompanied by the +Corresponding Source fixed on a durable physical medium +customarily used for software interchange. + +b) Convey the object code in, or embodied in, a physical product +(including a physical distribution medium), accompanied by a +written offer, valid for at least three years and valid for as +long as you offer spare parts or customer support for that product +model, to give anyone who possesses the object code either (1) a +copy of the Corresponding Source for all the software in the +product that is covered by this License, on a durable physical +medium customarily used for software interchange, for a price no +more than your reasonable cost of physically performing this +conveying of source, or (2) access to copy the +Corresponding Source from a network server at no charge. + +c) Convey individual copies of the object code with a copy of the +written offer to provide the Corresponding Source. This +alternative is allowed only occasionally and noncommercially, and +only if you received the object code with such an offer, in accord +with subsection 6b. + +d) Convey the object code by offering access from a designated +place (gratis or for a charge), and offer equivalent access to the +Corresponding Source in the same way through the same place at no +further charge. You need not require recipients to copy the +Corresponding Source along with the object code. If the place to +copy the object code is a network server, the Corresponding Source +may be on a different server (operated by you or a third party) +that supports equivalent copying facilities, provided you maintain +clear directions next to the object code saying where to find the +Corresponding Source. Regardless of what server hosts the +Corresponding Source, you remain obligated to ensure that it is +available for as long as needed to satisfy these requirements. + +e) Convey the object code using peer-to-peer transmission, provided +you inform other peers where the object code and Corresponding +Source of the work are being offered to the general public at no +charge under subsection 6d. + +A separable portion of the object code, whose source code is excluded +from the Corresponding Source as a System Library, need not be +included in conveying the object code work. + +A "User Product" is either (1) a "consumer product", which means any +tangible personal property which is normally used for personal, family, +or household purposes, or (2) anything designed or sold for incorporation +into a dwelling. In determining whether a product is a consumer product, +doubtful cases shall be resolved in favor of coverage. For a particular +product received by a particular user, "normally used" refers to a +typical or common use of that class of product, regardless of the status +of the particular user or of the way in which the particular user +actually uses, or expects or is expected to use, the product. A product +is a consumer product regardless of whether the product has substantial +commercial, industrial or non-consumer uses, unless such uses represent +the only significant mode of use of the product. + +"Installation Information" for a User Product means any methods, +procedures, authorization keys, or other information required to install +and execute modified versions of a covered work in that User Product from +a modified version of its Corresponding Source. The information must +suffice to ensure that the continued functioning of the modified object +code is in no case prevented or interfered with solely because +modification has been made. + +If you convey an object code work under this section in, or with, or +specifically for use in, a User Product, and the conveying occurs as +part of a transaction in which the right of possession and use of the +User Product is transferred to the recipient in perpetuity or for a +fixed term (regardless of how the transaction is characterized), the +Corresponding Source conveyed under this section must be accompanied +by the Installation Information. But this requirement does not apply +if neither you nor any third party retains the ability to install +modified object code on the User Product (for example, the work has +been installed in ROM). + +The requirement to provide Installation Information does not include a +requirement to continue to provide support service, warranty, or updates +for a work that has been modified or installed by the recipient, or for +the User Product in which it has been modified or installed. Access to a +network may be denied when the modification itself materially and +adversely affects the operation of the network or violates the rules and +protocols for communication across the network. + +Corresponding Source conveyed, and Installation Information provided, +in accord with this section must be in a format that is publicly +documented (and with an implementation available to the public in +source code form), and must require no special password or key for +unpacking, reading or copying. + +7. Additional Terms. + +"Additional permissions" are terms that supplement the terms of this +License by making exceptions from one or more of its conditions. +Additional permissions that are applicable to the entire Program shall +be treated as though they were included in this License, to the extent +that they are valid under applicable law. If additional permissions +apply only to part of the Program, that part may be used separately +under those permissions, but the entire Program remains governed by +this License without regard to the additional permissions. + +When you convey a copy of a covered work, you may at your option +remove any additional permissions from that copy, or from any part of +it. (Additional permissions may be written to require their own +removal in certain cases when you modify the work.) You may place +additional permissions on material, added by you to a covered work, +for which you have or can give appropriate copyright permission. + +Notwithstanding any other provision of this License, for material you +add to a covered work, you may (if authorized by the copyright holders of +that material) supplement the terms of this License with terms: + +a) Disclaiming warranty or limiting liability differently from the +terms of sections 15 and 16 of this License; or + +b) Requiring preservation of specified reasonable legal notices or +author attributions in that material or in the Appropriate Legal +Notices displayed by works containing it; or + +c) Prohibiting misrepresentation of the origin of that material, or +requiring that modified versions of such material be marked in +reasonable ways as different from the original version; or + +d) Limiting the use for publicity purposes of names of licensors or +authors of the material; or + +e) Declining to grant rights under trademark law for use of some +trade names, trademarks, or service marks; or + +f) Requiring indemnification of licensors and authors of that +material by anyone who conveys the material (or modified versions of +it) with contractual assumptions of liability to the recipient, for +any liability that these contractual assumptions directly impose on +those licensors and authors. + +All other non-permissive additional terms are considered "further +restrictions" within the meaning of section 10. If the Program as you +received it, or any part of it, contains a notice stating that it is +governed by this License along with a term that is a further +restriction, you may remove that term. If a license document contains +a further restriction but permits relicensing or conveying under this +License, you may add to a covered work material governed by the terms +of that license document, provided that the further restriction does +not survive such relicensing or conveying. + +If you add terms to a covered work in accord with this section, you +must place, in the relevant source files, a statement of the +additional terms that apply to those files, or a notice indicating +where to find the applicable terms. + +Additional terms, permissive or non-permissive, may be stated in the +form of a separately written license, or stated as exceptions; +the above requirements apply either way. + +8. Termination. + +You may not propagate or modify a covered work except as expressly +provided under this License. Any attempt otherwise to propagate or +modify it is void, and will automatically terminate your rights under +this License (including any patent licenses granted under the third +paragraph of section 11). + +However, if you cease all violation of this License, then your +license from a particular copyright holder is reinstated (a) +provisionally, unless and until the copyright holder explicitly and +finally terminates your license, and (b) permanently, if the copyright +holder fails to notify you of the violation by some reasonable means +prior to 60 days after the cessation. + +Moreover, your license from a particular copyright holder is +reinstated permanently if the copyright holder notifies you of the +violation by some reasonable means, this is the first time you have +received notice of violation of this License (for any work) from that +copyright holder, and you cure the violation prior to 30 days after +your receipt of the notice. + +Termination of your rights under this section does not terminate the +licenses of parties who have received copies or rights from you under +this License. If your rights have been terminated and not permanently +reinstated, you do not qualify to receive new licenses for the same +material under section 10. + +9. Acceptance Not Required for Having Copies. + +You are not required to accept this License in order to receive or +run a copy of the Program. Ancillary propagation of a covered work +occurring solely as a consequence of using peer-to-peer transmission +to receive a copy likewise does not require acceptance. However, +nothing other than this License grants you permission to propagate or +modify any covered work. These actions infringe copyright if you do +not accept this License. Therefore, by modifying or propagating a +covered work, you indicate your acceptance of this License to do so. + +10. Automatic Licensing of Downstream Recipients. + +Each time you convey a covered work, the recipient automatically +receives a license from the original licensors, to run, modify and +propagate that work, subject to this License. You are not responsible +for enforcing compliance by third parties with this License. + +An "entity transaction" is a transaction transferring control of an +organization, or substantially all assets of one, or subdividing an +organization, or merging organizations. If propagation of a covered +work results from an entity transaction, each party to that +transaction who receives a copy of the work also receives whatever +licenses to the work the party's predecessor in interest had or could +give under the previous paragraph, plus a right to possession of the +Corresponding Source of the work from the predecessor in interest, if +the predecessor has it or can get it with reasonable efforts. + +You may not impose any further restrictions on the exercise of the +rights granted or affirmed under this License. For example, you may +not impose a license fee, royalty, or other charge for exercise of +rights granted under this License, and you may not initiate litigation +(including a cross-claim or counterclaim in a lawsuit) alleging that +any patent claim is infringed by making, using, selling, offering for +sale, or importing the Program or any portion of it. + +11. Patents. + +A "contributor" is a copyright holder who authorizes use under this +License of the Program or a work on which the Program is based. The +work thus licensed is called the contributor's "contributor version". + +A contributor's "essential patent claims" are all patent claims +owned or controlled by the contributor, whether already acquired or +hereafter acquired, that would be infringed by some manner, permitted +by this License, of making, using, or selling its contributor version, +but do not include claims that would be infringed only as a +consequence of further modification of the contributor version. For +purposes of this definition, "control" includes the right to grant +patent sublicenses in a manner consistent with the requirements of +this License. + +Each contributor grants you a non-exclusive, worldwide, royalty-free +patent license under the contributor's essential patent claims, to +make, use, sell, offer for sale, import and otherwise run, modify and +propagate the contents of its contributor version. + +In the following three paragraphs, a "patent license" is any express +agreement or commitment, however denominated, not to enforce a patent +(such as an express permission to practice a patent or covenant not to +sue for patent infringement). To "grant" such a patent license to a +party means to make such an agreement or commitment not to enforce a +patent against the party. + +If you convey a covered work, knowingly relying on a patent license, +and the Corresponding Source of the work is not available for anyone +to copy, free of charge and under the terms of this License, through a +publicly available network server or other readily accessible means, +then you must either (1) cause the Corresponding Source to be so +available, or (2) arrange to deprive yourself of the benefit of the +patent license for this particular work, or (3) arrange, in a manner +consistent with the requirements of this License, to extend the patent +license to downstream recipients. "Knowingly relying" means you have +actual knowledge that, but for the patent license, your conveying the +covered work in a country, or your recipient's use of the covered work +in a country, would infringe one or more identifiable patents in that +country that you have reason to believe are valid. + +If, pursuant to or in connection with a single transaction or +arrangement, you convey, or propagate by procuring conveyance of, a +covered work, and grant a patent license to some of the parties +receiving the covered work authorizing them to use, propagate, modify +or convey a specific copy of the covered work, then the patent license +you grant is automatically extended to all recipients of the covered +work and works based on it. + +A patent license is "discriminatory" if it does not include within +the scope of its coverage, prohibits the exercise of, or is +conditioned on the non-exercise of one or more of the rights that are +specifically granted under this License. You may not convey a covered +work if you are a party to an arrangement with a third party that is +in the business of distributing software, under which you make payment +to the third party based on the extent of your activity of conveying +the work, and under which the third party grants, to any of the +parties who would receive the covered work from you, a discriminatory +patent license (a) in connection with copies of the covered work +conveyed by you (or copies made from those copies), or (b) primarily +for and in connection with specific products or compilations that +contain the covered work, unless you entered into that arrangement, +or that patent license was granted, prior to 28 March 2007. + +Nothing in this License shall be construed as excluding or limiting +any implied license or other defenses to infringement that may +otherwise be available to you under applicable patent law. + +12. No Surrender of Others' Freedom. + +If conditions are imposed on you (whether by court order, agreement or +otherwise) that contradict the conditions of this License, they do not +excuse you from the conditions of this License. If you cannot convey a +covered work so as to satisfy simultaneously your obligations under this +License and any other pertinent obligations, then as a consequence you may +not convey it at all. For example, if you agree to terms that obligate you +to collect a royalty for further conveying from those to whom you convey +the Program, the only way you could satisfy both those terms and this +License would be to refrain entirely from conveying the Program. + +13. Use with the GNU Affero General Public License. + +Notwithstanding any other provision of this License, you have +permission to link or combine any covered work with a work licensed +under version 3 of the GNU Affero General Public License into a single +combined work, and to convey the resulting work. The terms of this +License will continue to apply to the part which is the covered work, +but the special requirements of the GNU Affero General Public License, +section 13, concerning interaction through a network will apply to the +combination as such. + +14. Revised Versions of this License. + +The Free Software Foundation may publish revised and/or new versions of +the GNU General Public License from time to time. Such new versions will +be similar in spirit to the present version, but may differ in detail to +address new problems or concerns. + +Each version is given a distinguishing version number. If the +Program specifies that a certain numbered version of the GNU General +Public License "or any later version" applies to it, you have the +option of following the terms and conditions either of that numbered +version or of any later version published by the Free Software +Foundation. If the Program does not specify a version number of the +GNU General Public License, you may choose any version ever published +by the Free Software Foundation. + +If the Program specifies that a proxy can decide which future +versions of the GNU General Public License can be used, that proxy's +public statement of acceptance of a version permanently authorizes you +to choose that version for the Program. + +Later license versions may give you additional or different +permissions. However, no additional obligations are imposed on any +author or copyright holder as a result of your choosing to follow a +later version. + +15. Disclaimer of Warranty. + +THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY +APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT +HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY +OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, +THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR +PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM +IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF +ALL NECESSARY SERVICING, REPAIR OR CORRECTION. + +16. Limitation of Liability. + +IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING +WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS +THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY +GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE +USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF +DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD +PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), +EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF +SUCH DAMAGES. + +17. Interpretation of Sections 15 and 16. + +If the disclaimer of warranty and limitation of liability provided +above cannot be given local legal effect according to their terms, +reviewing courts shall apply local law that most closely approximates +an absolute waiver of all civil liability in connection with the +Program, unless a warranty or assumption of liability accompanies a +copy of the Program in return for a fee. + + END OF TERMS AND CONDITIONS + +How to Apply These Terms to Your New Programs + +If you develop a new program, and you want it to be of the greatest +possible use to the public, the best way to achieve this is to make it +free software which everyone can redistribute and change under these terms. + +To do so, attach the following notices to the program. It is safest +to attach them to the start of each source file to most effectively +state the exclusion of warranty; and each file should have at least +the "copyright" line and a pointer to where the full notice is found. + + +Copyright (C) James Padolsey + +This program is free software: you can redistribute it and/or modify +it under the terms of the GNU General Public License as published by +the Free Software Foundation, either version 3 of the License, or +(at your option) any later version. + +This program is distributed in the hope that it will be useful, +but WITHOUT ANY WARRANTY; without even the implied warranty of +MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +GNU General Public License for more details. + +You should have received a copy of the GNU General Public License +along with this program. If not, see . + +Also add information on how to contact you by electronic and paper mail. + +If the program does terminal interaction, make it output a short +notice like this when it starts in an interactive mode: + +Copyright (C) James Padolsey + +This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'. +This is free software, and you are welcome to redistribute it +under certain conditions; type `show c' for details. + +The hypothetical commands `show w' and `show c' should show the appropriate +parts of the General Public License. Of course, your program's commands +might be different; for a GUI interface, you would use an "about box". + +You should also get your employer (if you work as a programmer) or school, +if any, to sign a "copyright disclaimer" for the program, if necessary. +For more information on this, and how to apply and follow the GNU GPL, see +. + +The GNU General Public License does not permit incorporating your program +into proprietary programs. If your program is a subroutine library, you +may consider it more useful to permit linking proprietary applications with +the library. If this is what you want to do, use the GNU Lesser General +Public License instead of this License. But first, please read +. + + +Copyright (c) 2012 Jared Novack & Upstatement (upstatement.com) +Dual licensed under the MIT and GPL licenses: +http://www.opensource.org/licenses/mit-license.php +http://www.gnu.org/licenses/gpl.html + + +The MIT License (MIT) + +Copyright © 2009 Josh Pyles / Pixelmatrix Design LLC +http://pixelmatrixdesign.com + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. + + +Open Software License v. 3.0 (OSL-3.0) + +This Open Software License (the "License") applies to any original work of authorship (the "Original Work") whose owner (the "Licensor") has placed the following licensing notice adjacent to the copyright notice for the Original Work: + +Licensed under the Open Software License version 3.0 + +1) Grant of Copyright License. Licensor grants You a worldwide, royalty-free, non-exclusive, sublicensable license, for the duration of the copyright, to do the following: +a) to reproduce the Original Work in copies, either alone or as part of a collective work; +b) to translate, adapt, alter, transform, modify, or arrange the Original Work, thereby creating derivative works ("Derivative Works") based upon the Original Work; +c) to distribute or communicate copies of the Original Work and Derivative Works to the public, with the proviso that copies of Original Work or Derivative Works that You distribute or communicate shall be licensed under this Open Software License; +d) to perform the Original Work publicly; and +e) to display the Original Work publicly. + +2) Grant of Patent License. Licensor grants You a worldwide, royalty-free, non-exclusive, sublicensable license, under patent claims owned or controlled by the Licensor that are embodied in the Original Work as furnished by the Licensor, for the duration of the patents, to make, use, sell, offer for sale, have made, and import the Original Work and Derivative Works. + +3) Grant of Source Code License. The term "Source Code" means the preferred form of the Original Work for making modifications to it and all available documentation describing how to modify the Original Work. Licensor agrees to provide a machine-readable copy of the Source Code of the Original Work along with each copy of the Original Work that Licensor distributes. Licensor reserves the right to satisfy this obligation by placing a machine-readable copy of the Source Code in an information repository reasonably calculated to permit inexpensive and convenient access by You for as long as Licensor continues to distribute the Original Work. + +4) Exclusions From License Grant. Neither the names of Licensor, nor the names of any contributors to the Original Work, nor any of their trademarks or service marks, may be used to endorse or promote products derived from this Original Work without express prior permission of the Licensor. Except as expressly stated herein, nothing in this License grants any license to Licensor's trademarks, copyrights, patents, trade secrets or any other intellectual property. No patent license is granted to make, use, sell, offer for sale, have made, or import embodiments of any patent claims other than the licensed claims defined in Section 2. No license is granted to the trademarks of Licensor even if such marks are included in the Original Work. Nothing in this License shall be interpreted to prohibit Licensor from licensing under terms different from this License any Original Work that Licensor otherwise would have a right to license. + +5) External Deployment. The term "External Deployment" means the use, distribution, or communication of the Original Work or Derivative Works in any way such that the Original Work or Derivative Works may be used by anyone other than You, whether those works are distributed or communicated to those persons or made available as an application intended for use over a network. As an express condition for the grants of license hereunder, You must treat any External Deployment by You of the Original Work or a Derivative Work as a distribution under section 1(c). + +6) Attribution Rights. You must retain, in the Source Code of any Derivative Works that You create, all copyright, patent, or trademark notices from the Source Code of the Original Work, as well as any notices of licensing and any descriptive text identified therein as an "Attribution Notice." You must cause the Source Code for any Derivative Works that You create to carry a prominent Attribution Notice reasonably calculated to inform recipients that You have modified the Original Work. + +7) Warranty of Provenance and Disclaimer of Warranty. Licensor warrants that the copyright in and to the Original Work and the patent rights granted herein by Licensor are owned by the Licensor or are sublicensed to You under the terms of this License with the permission of the contributor(s) of those copyrights and patent rights. Except as expressly stated in the immediately preceding sentence, the Original Work is provided under this License on an "AS IS" BASIS and WITHOUT WARRANTY, either express or implied, including, without limitation, the warranties of non-infringement, merchantability or fitness for a particular purpose. THE ENTIRE RISK AS TO THE QUALITY OF THE ORIGINAL WORK IS WITH YOU. This DISCLAIMER OF WARRANTY constitutes an essential part of this License. No license to the Original Work is granted by this License except under this disclaimer. + +8) Limitation of Liability. Under no circumstances and under no legal theory, whether in tort (including negligence), contract, or otherwise, shall the Licensor be liable to anyone for any indirect, special, incidental, or consequential damages of any character arising as a result of this License or the use of the Original Work including, without limitation, damages for loss of goodwill, work stoppage, computer failure or malfunction, or any and all other commercial damages or losses. This limitation of liability shall not apply to the extent applicable law prohibits such limitation. + +9) Acceptance and Termination. If, at any time, You expressly assented to this License, that assent indicates your clear and irrevocable acceptance of this License and all of its terms and conditions. If You distribute or communicate copies of the Original Work or a Derivative Work, You must make a reasonable effort under the circumstances to obtain the express assent of recipients to the terms of this License. This License conditions your rights to undertake the activities listed in Section 1, including your right to create Derivative Works based upon the Original Work, and doing so without honoring these terms and conditions is prohibited by copyright law and international treaty. Nothing in this License is intended to affect copyright exceptions and limitations (including "fair use" or "fair dealing"). This License shall terminate immediately and You may no longer exercise any of the rights granted to You by this License upon your failure to honor the conditions in Section 1(c). + +10) Termination for Patent Action. This License shall terminate automatically and You may no longer exercise any of the rights granted to You by this License as of the date You commence an action, including a cross-claim or counterclaim, against Licensor or any licensee alleging that the Original Work infringes a patent. This termination provision shall not apply for an action alleging patent infringement by combinations of the Original Work with other software or hardware. + +11) Jurisdiction, Venue and Governing Law. Any action or suit relating to this License may be brought only in the courts of a jurisdiction wherein the Licensor resides or in which Licensor conducts its primary business, and under the laws of that jurisdiction excluding its conflict-of-law provisions. The application of the United Nations Convention on Contracts for the International Sale of Goods is expressly excluded. Any use of the Original Work outside the scope of this License or after its termination shall be subject to the requirements and penalties of copyright or patent law in the appropriate jurisdiction. This section shall survive the termination of this License. + +12) Attorneys' Fees. In any action to enforce the terms of this License or seeking damages relating thereto, the prevailing party shall be entitled to recover its costs and expenses, including, without limitation, reasonable attorneys' fees and costs incurred in connection with such action, including any appeal of such action. This section shall survive the termination of this License. + +13) Miscellaneous. If any provision of this License is held to be unenforceable, such provision shall be reformed only to the extent necessary to make it enforceable. + +14) Definition of "You" in This License. "You" throughout this License, whether in upper or lower case, means an individual or a legal entity exercising rights under, and complying with all of the terms of, this License. For legal entities, "You" includes any entity that controls, is controlled by, or is under common control with you. For purposes of this definition, "control" means (i) the power, direct or indirect, to cause the direction or management of such entity, whether by contract or otherwise, or (ii) ownership of fifty percent (50%) or more of the outstanding shares, or (iii) beneficial ownership of such entity. + +15) Right to Use. You may use the Original Work in all ways not otherwise restricted or conditioned by this License or by law, and Licensor promises not to interfere with or be responsible for such uses by You. + +16) Modification of This License. This License is Copyright © 2005 Lawrence Rosen. Permission is granted to copy, distribute, or communicate this License without modification. Nothing in this License permits You to modify this License as applied to the Original Work or to Derivative Works. However, You may modify the text of this License and copy, distribute or communicate your modified version (the "Modified License") and apply it to other original works of authorship subject to the following conditions: (i) You may not indicate in any way that your Modified License is the "Open Software License" or "OSL" and you may not use those names in the name of your Modified License; (ii) You must replace the notice specified in the first paragraph above with the notice "Licensed under " or with a notice of your own that is not confusingly similar to the notice in this License; and (iii) You may not claim that your original works are open source software unless your Modified License has been approved by Open Source Initiative (OSI) and You comply with its license review and certification process. + +------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- + +Academic Free License ("AFL") v. 3.0 + +This Academic Free License (the "License") applies to any original work of authorship (the "Original Work") whose owner (the "Licensor") has placed the following licensing notice adjacent to the copyright notice for the Original Work: + +Licensed under the Academic Free License version 3.0 + +1) Grant of Copyright License. Licensor grants You a worldwide, royalty-free, non-exclusive, sublicensable license, for the duration of the copyright, to do the following: +a) to reproduce the Original Work in copies, either alone or as part of a collective work; +b) to translate, adapt, alter, transform, modify, or arrange the Original Work, thereby creating derivative works ("Derivative Works") based upon the Original Work; +c) to distribute or communicate copies of the Original Work and Derivative Works to the public, under any license of your choice that does not contradict the terms and conditions, including Licensor's reserved rights and remedies, in this Academic Free License; +d) to perform the Original Work publicly; and +e) to display the Original Work publicly. + +2) Grant of Patent License. Licensor grants You a worldwide, royalty-free, non-exclusive, sublicensable license, under patent claims owned or controlled by the Licensor that are embodied in the Original Work as furnished by the Licensor, for the duration of the patents, to make, use, sell, offer for sale, have made, and import the Original Work and Derivative Works. + +3) Grant of Source Code License. The term "Source Code" means the preferred form of the Original Work for making modifications to it and all available documentation describing how to modify the Original Work. Licensor agrees to provide a machine-readable copy of the Source Code of the Original Work along with each copy of the Original Work that Licensor distributes. Licensor reserves the right to satisfy this obligation by placing a machine-readable copy of the Source Code in an information repository reasonably calculated to permit inexpensive and convenient access by You for as long as Licensor continues to distribute the Original Work. + +4) Exclusions From License Grant. Neither the names of Licensor, nor the names of any contributors to the Original Work, nor any of their trademarks or service marks, may be used to endorse or promote products derived from this Original Work without express prior permission of the Licensor. Except as expressly stated herein, nothing in this License grants any license to Licensor's trademarks, copyrights, patents, trade secrets or any other intellectual property. No patent license is granted to make, use, sell, offer for sale, have made, or import embodiments of any patent claims other than the licensed claims defined in Section 2. No license is granted to the trademarks of Licensor even if such marks are included in the Original Work. Nothing in this License shall be interpreted to prohibit Licensor from licensing under terms different from this License any Original Work that Licensor otherwise would have a right to license. + +5) External Deployment. The term "External Deployment" means the use, distribution, or communication of the Original Work or Derivative Works in any way such that the Original Work or Derivative Works may be used by anyone other than You, whether those works are distributed or communicated to those persons or made available as an application intended for use over a network. As an express condition for the grants of license hereunder, You must treat any External Deployment by You of the Original Work or a Derivative Work as a distribution under section 1(c). + +6) Attribution Rights. You must retain, in the Source Code of any Derivative Works that You create, all copyright, patent, or trademark notices from the Source Code of the Original Work, as well as any notices of licensing and any descriptive text identified therein as an "Attribution Notice." You must cause the Source Code for any Derivative Works that You create to carry a prominent Attribution Notice reasonably calculated to inform recipients that You have modified the Original Work. + +7) Warranty of Provenance and Disclaimer of Warranty. Licensor warrants that the copyright in and to the Original Work and the patent rights granted herein by Licensor are owned by the Licensor or are sublicensed to You under the terms of this License with the permission of the contributor(s) of those copyrights and patent rights. Except as expressly stated in the immediately preceding sentence, the Original Work is provided under this License on an "AS IS" BASIS and WITHOUT WARRANTY, either express or implied, including, without limitation, the warranties of non-infringement, merchantability or fitness for a particular purpose. THE ENTIRE RISK AS TO THE QUALITY OF THE ORIGINAL WORK IS WITH YOU. This DISCLAIMER OF WARRANTY constitutes an essential part of this License. No license to the Original Work is granted by this License except under this disclaimer. + +8) Limitation of Liability. Under no circumstances and under no legal theory, whether in tort (including negligence), contract, or otherwise, shall the Licensor be liable to anyone for any indirect, special, incidental, or consequential damages of any character arising as a result of this License or the use of the Original Work including, without limitation, damages for loss of goodwill, work stoppage, computer failure or malfunction, or any and all other commercial damages or losses. This limitation of liability shall not apply to the extent applicable law prohibits such limitation. + +9) Acceptance and Termination. If, at any time, You expressly assented to this License, that assent indicates your clear and irrevocable acceptance of this License and all of its terms and conditions. If You distribute or communicate copies of the Original Work or a Derivative Work, You must make a reasonable effort under the circumstances to obtain the express assent of recipients to the terms of this License. This License conditions your rights to undertake the activities listed in Section 1, including your right to create Derivative Works based upon the Original Work, and doing so without honoring these terms and conditions is prohibited by copyright law and international treaty. Nothing in this License is intended to affect copyright exceptions and limitations (including "fair use" or "fair dealing"). This License shall terminate immediately and You may no longer exercise any of the rights granted to You by this License upon your failure to honor the conditions in Section 1(c). + +10) Termination for Patent Action. This License shall terminate automatically and You may no longer exercise any of the rights granted to You by this License as of the date You commence an action, including a cross-claim or counterclaim, against Licensor or any licensee alleging that the Original Work infringes a patent. This termination provision shall not apply for an action alleging patent infringement by combinations of the Original Work with other software or hardware. + +11) Jurisdiction, Venue and Governing Law. Any action or suit relating to this License may be brought only in the courts of a jurisdiction wherein the Licensor resides or in which Licensor conducts its primary business, and under the laws of that jurisdiction excluding its conflict-of-law provisions. The application of the United Nations Convention on Contracts for the International Sale of Goods is expressly excluded. Any use of the Original Work outside the scope of this License or after its termination shall be subject to the requirements and penalties of copyright or patent law in the appropriate jurisdiction. This section shall survive the termination of this License. + +12) Attorneys' Fees. In any action to enforce the terms of this License or seeking damages relating thereto, the prevailing party shall be entitled to recover its costs and expenses, including, without limitation, reasonable attorneys' fees and costs incurred in connection with such action, including any appeal of such action. This section shall survive the termination of this License. + +13) Miscellaneous. If any provision of this License is held to be unenforceable, such provision shall be reformed only to the extent necessary to make it enforceable. + +14) Definition of "You" in This License. "You" throughout this License, whether in upper or lower case, means an individual or a legal entity exercising rights under, and complying with all of the terms of, this License. For legal entities, "You" includes any entity that controls, is controlled by, or is under common control with you. For purposes of this definition, "control" means (i) the power, direct or indirect, to cause the direction or management of such entity, whether by contract or otherwise, or (ii) ownership of fifty percent (50%) or more of the outstanding shares, or (iii) beneficial ownership of such entity. + +15) Right to Use. You may use the Original Work in all ways not otherwise restricted or conditioned by this License or by law, and Licensor promises not to interfere with or be responsible for such uses by You. + +16) Modification of This License. This License is Copyright © 2005 Lawrence Rosen. Permission is granted to copy, distribute, or communicate this License without modification. Nothing in this License permits You to modify this License as applied to the Original Work or to Derivative Works. However, You may modify the text of this License and copy, distribute or communicate your modified version (the "Modified License") and apply it to other original works of authorship subject to the following conditions: (i) You may not indicate in any way that your Modified License is the "Academic Free License" or "AFL" and you may not use those names in the name of your Modified License; (ii) You must replace the notice specified in the first paragraph above with the notice "Licensed under " or with a notice of your own that is not confusingly similar to the notice in this License; and (iii) You may not claim that your original works are open source software unless your Modified License has been approved by Open Source Initiative (OSI) and You comply with its license review and certification process. + + +The MIT License (MIT) + +Copyright (C) 2013 Hakim El Hattab, http://hakim.se + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. + + +The MIT License (MIT) + +Copyright (c) 2011-2013 Felix Gnass + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. + + +The MIT License (MIT) + +Copyright (c) 2014 Danoosh Mir + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. + + +Copyright (c) 2005 Thomas Fuchs (http://script.aculo.us, http://mir.aculo.us) +Copyright (c) 2005 Sammi Williams (http://www.oriontransfer.co.nz, sammi@oriontransfer.co.nz) + +Permission is hereby granted, free of charge, to any person obtaining +a copy of this software and associated documentation files (the +"Software"), to deal in the Software without restriction, including +without limitation the rights to use, copy, modify, merge, publish, +distribute, sublicense, and/or sell copies of the Software, and to +permit persons to whom the Software is furnished to do so, subject to +the following conditions: + +The above copyright notice and this permission notice shall be +included in all copies or substantial portions of the Software. +// +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND +NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE +LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION +OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION +WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. + + +Copyright (c) 2006, David Spurr (http://www.defusion.org.uk/) +All rights reserved. + +Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: + + * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. + * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. + * Neither the name of the David Spurr nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. + +THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + +Copyright (c) 2005 Thomas Fuchs (http://script.aculo.us, http://mir.aculo.us) + +Permission is hereby granted, free of charge, to any person obtaining +a copy of this software and associated documentation files (the +"Software"), to deal in the Software without restriction, including +without limitation the rights to use, copy, modify, merge, publish, +distribute, sublicense, and/or sell copies of the Software, and to +permit persons to whom the Software is furnished to do so, subject to +the following conditions: + +The above copyright notice and this permission notice shall be +included in all copies or substantial portions of the Software. +// +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND +NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE +LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION +OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION +WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. + + +The MIT License (MIT) + +Copyright (C) 2005 Sam Stephenson + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. + + +Copyright (c) 2005 Thomas Fuchs (http://script.aculo.us, http://mir.aculo.us) + +Permission is hereby granted, free of charge, to any person obtaining +a copy of this software and associated documentation files (the +"Software"), to deal in the Software without restriction, including +without limitation the rights to use, copy, modify, merge, publish, +distribute, sublicense, and/or sell copies of the Software, and to +permit persons to whom the Software is furnished to do so, subject to +the following conditions: + +The above copyright notice and this permission notice shall be +included in all copies or substantial portions of the Software. +// +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND +NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE +LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION +OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION +WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. + + +Copyright (c) 2005 Thomas Fuchs (http://script.aculo.us, http://mir.aculo.us) + +Permission is hereby granted, free of charge, to any person obtaining +a copy of this software and associated documentation files (the +"Software"), to deal in the Software without restriction, including +without limitation the rights to use, copy, modify, merge, publish, +distribute, sublicense, and/or sell copies of the Software, and to +permit persons to whom the Software is furnished to do so, subject to +the following conditions: + +The above copyright notice and this permission notice shall be +included in all copies or substantial portions of the Software. +// +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND +NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE +LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION +OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION +WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. + + + GNU LESSER GENERAL PUBLIC LICENSE + Version 2.1, February 1999 + + Copyright (C) 1991, 1999 Free Software Foundation, Inc. + 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA + Everyone is permitted to copy and distribute verbatim copies + of this license document, but changing it is not allowed. + +[This is the first released version of the Lesser GPL. It also counts + as the successor of the GNU Library Public License, version 2, hence + the version number 2.1.] + + Preamble + + The licenses for most software are designed to take away your +freedom to share and change it. By contrast, the GNU General Public +Licenses are intended to guarantee your freedom to share and change +free software--to make sure the software is free for all its users. + + This license, the Lesser General Public License, applies to some +specially designated software packages--typically libraries--of the +Free Software Foundation and other authors who decide to use it. You +can use it too, but we suggest you first think carefully about whether +this license or the ordinary General Public License is the better +strategy to use in any particular case, based on the explanations below. + + When we speak of free software, we are referring to freedom of use, +not price. Our General Public Licenses are designed to make sure that +you have the freedom to distribute copies of free software (and charge +for this service if you wish); that you receive source code or can get +it if you want it; that you can change the software and use pieces of +it in new free programs; and that you are informed that you can do +these things. + + To protect your rights, we need to make restrictions that forbid +distributors to deny you these rights or to ask you to surrender these +rights. These restrictions translate to certain responsibilities for +you if you distribute copies of the library or if you modify it. + + For example, if you distribute copies of the library, whether gratis +or for a fee, you must give the recipients all the rights that we gave +you. You must make sure that they, too, receive or can get the source +code. If you link other code with the library, you must provide +complete object files to the recipients, so that they can relink them +with the library after making changes to the library and recompiling +it. And you must show them these terms so they know their rights. + + We protect your rights with a two-step method: (1) we copyright the +library, and (2) we offer you this license, which gives you legal +permission to copy, distribute and/or modify the library. + + To protect each distributor, we want to make it very clear that +there is no warranty for the free library. Also, if the library is +modified by someone else and passed on, the recipients should know +that what they have is not the original version, so that the original +author's reputation will not be affected by problems that might be +introduced by others. + + Finally, software patents pose a constant threat to the existence of +any free program. We wish to make sure that a company cannot +effectively restrict the users of a free program by obtaining a +restrictive license from a patent holder. Therefore, we insist that +any patent license obtained for a version of the library must be +consistent with the full freedom of use specified in this license. + + Most GNU software, including some libraries, is covered by the +ordinary GNU General Public License. This license, the GNU Lesser +General Public License, applies to certain designated libraries, and +is quite different from the ordinary General Public License. We use +this license for certain libraries in order to permit linking those +libraries into non-free programs. + + When a program is linked with a library, whether statically or using +a shared library, the combination of the two is legally speaking a +combined work, a derivative of the original library. The ordinary +General Public License therefore permits such linking only if the +entire combination fits its criteria of freedom. The Lesser General +Public License permits more lax criteria for linking other code with +the library. + + We call this license the "Lesser" General Public License because it +does Less to protect the user's freedom than the ordinary General +Public License. It also provides other free software developers Less +of an advantage over competing non-free programs. These disadvantages +are the reason we use the ordinary General Public License for many +libraries. However, the Lesser license provides advantages in certain +special circumstances. + + For example, on rare occasions, there may be a special need to +encourage the widest possible use of a certain library, so that it becomes +a de-facto standard. To achieve this, non-free programs must be +allowed to use the library. A more frequent case is that a free +library does the same job as widely used non-free libraries. In this +case, there is little to gain by limiting the free library to free +software only, so we use the Lesser General Public License. + + In other cases, permission to use a particular library in non-free +programs enables a greater number of people to use a large body of +free software. For example, permission to use the GNU C Library in +non-free programs enables many more people to use the whole GNU +operating system, as well as its variant, the GNU/Linux operating +system. + + Although the Lesser General Public License is Less protective of the +users' freedom, it does ensure that the user of a program that is +linked with the Library has the freedom and the wherewithal to run +that program using a modified version of the Library. + + The precise terms and conditions for copying, distribution and +modification follow. Pay close attention to the difference between a +"work based on the library" and a "work that uses the library". The +former contains code derived from the library, whereas the latter must +be combined with the library in order to run. + + GNU LESSER GENERAL PUBLIC LICENSE + TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION + + 0. This License Agreement applies to any software library or other +program which contains a notice placed by the copyright holder or +other authorized party saying it may be distributed under the terms of +this Lesser General Public License (also called "this License"). +Each licensee is addressed as "you". + + A "library" means a collection of software functions and/or data +prepared so as to be conveniently linked with application programs +(which use some of those functions and data) to form executables. + + The "Library", below, refers to any such software library or work +which has been distributed under these terms. A "work based on the +Library" means either the Library or any derivative work under +copyright law: that is to say, a work containing the Library or a +portion of it, either verbatim or with modifications and/or translated +straightforwardly into another language. (Hereinafter, translation is +included without limitation in the term "modification".) + + "Source code" for a work means the preferred form of the work for +making modifications to it. For a library, complete source code means +all the source code for all modules it contains, plus any associated +interface definition files, plus the scripts used to control compilation +and installation of the library. + + Activities other than copying, distribution and modification are not +covered by this License; they are outside its scope. The act of +running a program using the Library is not restricted, and output from +such a program is covered only if its contents constitute a work based +on the Library (independent of the use of the Library in a tool for +writing it). Whether that is true depends on what the Library does +and what the program that uses the Library does. + + 1. You may copy and distribute verbatim copies of the Library's +complete source code as you receive it, in any medium, provided that +you conspicuously and appropriately publish on each copy an +appropriate copyright notice and disclaimer of warranty; keep intact +all the notices that refer to this License and to the absence of any +warranty; and distribute a copy of this License along with the +Library. + + You may charge a fee for the physical act of transferring a copy, +and you may at your option offer warranty protection in exchange for a +fee. + + 2. You may modify your copy or copies of the Library or any portion +of it, thus forming a work based on the Library, and copy and +distribute such modifications or work under the terms of Section 1 +above, provided that you also meet all of these conditions: + + a) The modified work must itself be a software library. + + b) You must cause the files modified to carry prominent notices + stating that you changed the files and the date of any change. + + c) You must cause the whole of the work to be licensed at no + charge to all third parties under the terms of this License. + + d) If a facility in the modified Library refers to a function or a + table of data to be supplied by an application program that uses + the facility, other than as an argument passed when the facility + is invoked, then you must make a good faith effort to ensure that, + in the event an application does not supply such function or + table, the facility still operates, and performs whatever part of + its purpose remains meaningful. + + (For example, a function in a library to compute square roots has + a purpose that is entirely well-defined independent of the + application. Therefore, Subsection 2d requires that any + application-supplied function or table used by this function must + be optional: if the application does not supply it, the square + root function must still compute square roots.) + +These requirements apply to the modified work as a whole. If +identifiable sections of that work are not derived from the Library, +and can be reasonably considered independent and separate works in +themselves, then this License, and its terms, do not apply to those +sections when you distribute them as separate works. But when you +distribute the same sections as part of a whole which is a work based +on the Library, the distribution of the whole must be on the terms of +this License, whose permissions for other licensees extend to the +entire whole, and thus to each and every part regardless of who wrote +it. + +Thus, it is not the intent of this section to claim rights or contest +your rights to work written entirely by you; rather, the intent is to +exercise the right to control the distribution of derivative or +collective works based on the Library. + +In addition, mere aggregation of another work not based on the Library +with the Library (or with a work based on the Library) on a volume of +a storage or distribution medium does not bring the other work under +the scope of this License. + + 3. You may opt to apply the terms of the ordinary GNU General Public +License instead of this License to a given copy of the Library. To do +this, you must alter all the notices that refer to this License, so +that they refer to the ordinary GNU General Public License, version 2, +instead of to this License. (If a newer version than version 2 of the +ordinary GNU General Public License has appeared, then you can specify +that version instead if you wish.) Do not make any other change in +these notices. + + Once this change is made in a given copy, it is irreversible for +that copy, so the ordinary GNU General Public License applies to all +subsequent copies and derivative works made from that copy. + + This option is useful when you wish to copy part of the code of +the Library into a program that is not a library. + + 4. You may copy and distribute the Library (or a portion or +derivative of it, under Section 2) in object code or executable form +under the terms of Sections 1 and 2 above provided that you accompany +it with the complete corresponding machine-readable source code, which +must be distributed under the terms of Sections 1 and 2 above on a +medium customarily used for software interchange. + + If distribution of object code is made by offering access to copy +from a designated place, then offering equivalent access to copy the +source code from the same place satisfies the requirement to +distribute the source code, even though third parties are not +compelled to copy the source along with the object code. + + 5. A program that contains no derivative of any portion of the +Library, but is designed to work with the Library by being compiled or +linked with it, is called a "work that uses the Library". Such a +work, in isolation, is not a derivative work of the Library, and +therefore falls outside the scope of this License. + + However, linking a "work that uses the Library" with the Library +creates an executable that is a derivative of the Library (because it +contains portions of the Library), rather than a "work that uses the +library". The executable is therefore covered by this License. +Section 6 states terms for distribution of such executables. + + When a "work that uses the Library" uses material from a header file +that is part of the Library, the object code for the work may be a +derivative work of the Library even though the source code is not. +Whether this is true is especially significant if the work can be +linked without the Library, or if the work is itself a library. The +threshold for this to be true is not precisely defined by law. + + If such an object file uses only numerical parameters, data +structure layouts and accessors, and small macros and small inline +functions (ten lines or less in length), then the use of the object +file is unrestricted, regardless of whether it is legally a derivative +work. (Executables containing this object code plus portions of the +Library will still fall under Section 6.) + + Otherwise, if the work is a derivative of the Library, you may +distribute the object code for the work under the terms of Section 6. +Any executables containing that work also fall under Section 6, +whether or not they are linked directly with the Library itself. + + 6. As an exception to the Sections above, you may also combine or +link a "work that uses the Library" with the Library to produce a +work containing portions of the Library, and distribute that work +under terms of your choice, provided that the terms permit +modification of the work for the customer's own use and reverse +engineering for debugging such modifications. + + You must give prominent notice with each copy of the work that the +Library is used in it and that the Library and its use are covered by +this License. You must supply a copy of this License. If the work +during execution displays copyright notices, you must include the +copyright notice for the Library among them, as well as a reference +directing the user to the copy of this License. Also, you must do one +of these things: + + a) Accompany the work with the complete corresponding + machine-readable source code for the Library including whatever + changes were used in the work (which must be distributed under + Sections 1 and 2 above); and, if the work is an executable linked + with the Library, with the complete machine-readable "work that + uses the Library", as object code and/or source code, so that the + user can modify the Library and then relink to produce a modified + executable containing the modified Library. (It is understood + that the user who changes the contents of definitions files in the + Library will not necessarily be able to recompile the application + to use the modified definitions.) + + b) Use a suitable shared library mechanism for linking with the + Library. A suitable mechanism is one that (1) uses at run time a + copy of the library already present on the user's computer system, + rather than copying library functions into the executable, and (2) + will operate properly with a modified version of the library, if + the user installs one, as long as the modified version is + interface-compatible with the version that the work was made with. + + c) Accompany the work with a written offer, valid for at + least three years, to give the same user the materials + specified in Subsection 6a, above, for a charge no more + than the cost of performing this distribution. + + d) If distribution of the work is made by offering access to copy + from a designated place, offer equivalent access to copy the above + specified materials from the same place. + + e) Verify that the user has already received a copy of these + materials or that you have already sent this user a copy. + + For an executable, the required form of the "work that uses the +Library" must include any data and utility programs needed for +reproducing the executable from it. However, as a special exception, +the materials to be distributed need not include anything that is +normally distributed (in either source or binary form) with the major +components (compiler, kernel, and so on) of the operating system on +which the executable runs, unless that component itself accompanies +the executable. + + It may happen that this requirement contradicts the license +restrictions of other proprietary libraries that do not normally +accompany the operating system. Such a contradiction means you cannot +use both them and the Library together in an executable that you +distribute. + + 7. You may place library facilities that are a work based on the +Library side-by-side in a single library together with other library +facilities not covered by this License, and distribute such a combined +library, provided that the separate distribution of the work based on +the Library and of the other library facilities is otherwise +permitted, and provided that you do these two things: + + a) Accompany the combined library with a copy of the same work + based on the Library, uncombined with any other library + facilities. This must be distributed under the terms of the + Sections above. + + b) Give prominent notice with the combined library of the fact + that part of it is a work based on the Library, and explaining + where to find the accompanying uncombined form of the same work. + + 8. You may not copy, modify, sublicense, link with, or distribute +the Library except as expressly provided under this License. Any +attempt otherwise to copy, modify, sublicense, link with, or +distribute the Library is void, and will automatically terminate your +rights under this License. However, parties who have received copies, +or rights, from you under this License will not have their licenses +terminated so long as such parties remain in full compliance. + + 9. You are not required to accept this License, since you have not +signed it. However, nothing else grants you permission to modify or +distribute the Library or its derivative works. These actions are +prohibited by law if you do not accept this License. Therefore, by +modifying or distributing the Library (or any work based on the +Library), you indicate your acceptance of this License to do so, and +all its terms and conditions for copying, distributing or modifying +the Library or works based on it. + + 10. Each time you redistribute the Library (or any work based on the +Library), the recipient automatically receives a license from the +original licensor to copy, distribute, link with or modify the Library +subject to these terms and conditions. You may not impose any further +restrictions on the recipients' exercise of the rights granted herein. +You are not responsible for enforcing compliance by third parties with +this License. + + 11. If, as a consequence of a court judgment or allegation of patent +infringement or for any other reason (not limited to patent issues), +conditions are imposed on you (whether by court order, agreement or +otherwise) that contradict the conditions of this License, they do not +excuse you from the conditions of this License. If you cannot +distribute so as to satisfy simultaneously your obligations under this +License and any other pertinent obligations, then as a consequence you +may not distribute the Library at all. For example, if a patent +license would not permit royalty-free redistribution of the Library by +all those who receive copies directly or indirectly through you, then +the only way you could satisfy both it and this License would be to +refrain entirely from distribution of the Library. + +If any portion of this section is held invalid or unenforceable under any +particular circumstance, the balance of the section is intended to apply, +and the section as a whole is intended to apply in other circumstances. + +It is not the purpose of this section to induce you to infringe any +patents or other property right claims or to contest validity of any +such claims; this section has the sole purpose of protecting the +integrity of the free software distribution system which is +implemented by public license practices. Many people have made +generous contributions to the wide range of software distributed +through that system in reliance on consistent application of that +system; it is up to the author/donor to decide if he or she is willing +to distribute software through any other system and a licensee cannot +impose that choice. + +This section is intended to make thoroughly clear what is believed to +be a consequence of the rest of this License. + + 12. If the distribution and/or use of the Library is restricted in +certain countries either by patents or by copyrighted interfaces, the +original copyright holder who places the Library under this License may add +an explicit geographical distribution limitation excluding those countries, +so that distribution is permitted only in or among countries not thus +excluded. In such case, this License incorporates the limitation as if +written in the body of this License. + + 13. The Free Software Foundation may publish revised and/or new +versions of the Lesser General Public License from time to time. +Such new versions will be similar in spirit to the present version, +but may differ in detail to address new problems or concerns. + +Each version is given a distinguishing version number. If the Library +specifies a version number of this License which applies to it and +"any later version", you have the option of following the terms and +conditions either of that version or of any later version published by +the Free Software Foundation. If the Library does not specify a +license version number, you may choose any version ever published by +the Free Software Foundation. + + 14. If you wish to incorporate parts of the Library into other free +programs whose distribution conditions are incompatible with these, +write to the author to ask for permission. For software which is +copyrighted by the Free Software Foundation, write to the Free +Software Foundation; we sometimes make exceptions for this. Our +decision will be guided by the two goals of preserving the free status +of all derivatives of our free software and of promoting the sharing +and reuse of software generally. + + NO WARRANTY + + 15. BECAUSE THE LIBRARY IS LICENSED FREE OF CHARGE, THERE IS NO +WARRANTY FOR THE LIBRARY, TO THE EXTENT PERMITTED BY APPLICABLE LAW. +EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR +OTHER PARTIES PROVIDE THE LIBRARY "AS IS" WITHOUT WARRANTY OF ANY +KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE +IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR +PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE +LIBRARY IS WITH YOU. SHOULD THE LIBRARY PROVE DEFECTIVE, YOU ASSUME +THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION. + + 16. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN +WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY +AND/OR REDISTRIBUTE THE LIBRARY AS PERMITTED ABOVE, BE LIABLE TO YOU +FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR +CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE +LIBRARY (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING +RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A +FAILURE OF THE LIBRARY TO OPERATE WITH ANY OTHER SOFTWARE), EVEN IF +SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH +DAMAGES. + + END OF TERMS AND CONDITIONS + + How to Apply These Terms to Your New Libraries + + If you develop a new library, and you want it to be of the greatest +possible use to the public, we recommend making it free software that +everyone can redistribute and change. You can do so by permitting +redistribution under these terms (or, alternatively, under the terms of the +ordinary General Public License). + + To apply these terms, attach the following notices to the library. It is +safest to attach them to the start of each source file to most effectively +convey the exclusion of warranty; and each file should have at least the +"copyright" line and a pointer to where the full notice is found. + + + Copyright (C) + + This library is free software; you can redistribute it and/or + modify it under the terms of the GNU Lesser General Public + License as published by the Free Software Foundation; either + version 2.1 of the License, or (at your option) any later version. + + This library is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU + Lesser General Public License for more details. + + You should have received a copy of the GNU Lesser General Public + License along with this library; if not, write to the Free Software + Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA + +Also add information on how to contact you by electronic and paper mail. + +You should also get your employer (if you work as a programmer) or your +school, if any, to sign a "copyright disclaimer" for the library, if +necessary. Here is a sample; alter the names: + + Yoyodyne, Inc., hereby disclaims all copyright interest in the + library `Frob' (a library for tweaking knobs) written by James Random Hacker. + + , 1 April 1990 + Ty Coon, President of Vice + +That's all there is to it! + + + + +The MIT License (MIT) + +Copyright (C) 2006 Jörn Zaefferer and Brandon Aaron (brandon.aaron@gmail.com || http://brandonaaron.net) + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. + + +GNU GENERAL PUBLIC LICENSE + Version 3, 29 June 2007 + +Copyright (C) 2007 Free Software Foundation, Inc. +Everyone is permitted to copy and distribute verbatim copies +of this license document, but changing it is not allowed. + + Preamble + +The GNU General Public License is a free, copyleft license for +software and other kinds of works. + +The licenses for most software and other practical works are designed +to take away your freedom to share and change the works. By contrast, +the GNU General Public License is intended to guarantee your freedom to +share and change all versions of a program--to make sure it remains free +software for all its users. We, the Free Software Foundation, use the +GNU General Public License for most of our software; it applies also to +any other work released this way by its authors. You can apply it to +your programs, too. + +When we speak of free software, we are referring to freedom, not +price. Our General Public Licenses are designed to make sure that you +have the freedom to distribute copies of free software (and charge for +them if you wish), that you receive source code or can get it if you +want it, that you can change the software or use pieces of it in new +free programs, and that you know you can do these things. + +To protect your rights, we need to prevent others from denying you +these rights or asking you to surrender the rights. Therefore, you have +certain responsibilities if you distribute copies of the software, or if +you modify it: responsibilities to respect the freedom of others. + +For example, if you distribute copies of such a program, whether +gratis or for a fee, you must pass on to the recipients the same +freedoms that you received. You must make sure that they, too, receive +or can get the source code. And you must show them these terms so they +know their rights. + +Developers that use the GNU GPL protect your rights with two steps: +(1) assert copyright on the software, and (2) offer you this License +giving you legal permission to copy, distribute and/or modify it. + +For the developers' and authors' protection, the GPL clearly explains +that there is no warranty for this free software. For both users' and +authors' sake, the GPL requires that modified versions be marked as +changed, so that their problems will not be attributed erroneously to +authors of previous versions. + +Some devices are designed to deny users access to install or run +modified versions of the software inside them, although the manufacturer +can do so. This is fundamentally incompatible with the aim of +protecting users' freedom to change the software. The systematic +pattern of such abuse occurs in the area of products for individuals to +use, which is precisely where it is most unacceptable. Therefore, we +have designed this version of the GPL to prohibit the practice for those +products. If such problems arise substantially in other domains, we +stand ready to extend this provision to those domains in future versions +of the GPL, as needed to protect the freedom of users. + +Finally, every program is threatened constantly by software patents. +States should not allow patents to restrict development and use of +software on general-purpose computers, but in those that do, we wish to +avoid the special danger that patents applied to a free program could +make it effectively proprietary. To prevent this, the GPL assures that +patents cannot be used to render the program non-free. + +The precise terms and conditions for copying, distribution and +modification follow. + + TERMS AND CONDITIONS + +0. Definitions. + +"This License" refers to version 3 of the GNU General Public License. + +"Copyright" also means copyright-like laws that apply to other kinds of +works, such as semiconductor masks. + +"The Program" refers to any copyrightable work licensed under this +License. Each licensee is addressed as "you". "Licensees" and +"recipients" may be individuals or organizations. + +To "modify" a work means to copy from or adapt all or part of the work +in a fashion requiring copyright permission, other than the making of an +exact copy. The resulting work is called a "modified version" of the +earlier work or a work "based on" the earlier work. + +A "covered work" means either the unmodified Program or a work based +on the Program. + +To "propagate" a work means to do anything with it that, without +permission, would make you directly or secondarily liable for +infringement under applicable copyright law, except executing it on a +computer or modifying a private copy. Propagation includes copying, +distribution (with or without modification), making available to the +public, and in some countries other activities as well. + +To "convey" a work means any kind of propagation that enables other +parties to make or receive copies. Mere interaction with a user through +a computer network, with no transfer of a copy, is not conveying. + +An interactive user interface displays "Appropriate Legal Notices" +to the extent that it includes a convenient and prominently visible +feature that (1) displays an appropriate copyright notice, and (2) +tells the user that there is no warranty for the work (except to the +extent that warranties are provided), that licensees may convey the +work under this License, and how to view a copy of this License. If +the interface presents a list of user commands or options, such as a +menu, a prominent item in the list meets this criterion. + +1. Source Code. + +The "source code" for a work means the preferred form of the work +for making modifications to it. "Object code" means any non-source +form of a work. + +A "Standard Interface" means an interface that either is an official +standard defined by a recognized standards body, or, in the case of +interfaces specified for a particular programming language, one that +is widely used among developers working in that language. + +The "System Libraries" of an executable work include anything, other +than the work as a whole, that (a) is included in the normal form of +packaging a Major Component, but which is not part of that Major +Component, and (b) serves only to enable use of the work with that +Major Component, or to implement a Standard Interface for which an +implementation is available to the public in source code form. A +"Major Component", in this context, means a major essential component +(kernel, window system, and so on) of the specific operating system +(if any) on which the executable work runs, or a compiler used to +produce the work, or an object code interpreter used to run it. + +The "Corresponding Source" for a work in object code form means all +the source code needed to generate, install, and (for an executable +work) run the object code and to modify the work, including scripts to +control those activities. However, it does not include the work's +System Libraries, or general-purpose tools or generally available free +programs which are used unmodified in performing those activities but +which are not part of the work. For example, Corresponding Source +includes interface definition files associated with source files for +the work, and the source code for shared libraries and dynamically +linked subprograms that the work is specifically designed to require, +such as by intimate data communication or control flow between those +subprograms and other parts of the work. + +The Corresponding Source need not include anything that users +can regenerate automatically from other parts of the Corresponding +Source. + +The Corresponding Source for a work in source code form is that +same work. + +2. Basic Permissions. + +All rights granted under this License are granted for the term of +copyright on the Program, and are irrevocable provided the stated +conditions are met. This License explicitly affirms your unlimited +permission to run the unmodified Program. The output from running a +covered work is covered by this License only if the output, given its +content, constitutes a covered work. This License acknowledges your +rights of fair use or other equivalent, as provided by copyright law. + +You may make, run and propagate covered works that you do not +convey, without conditions so long as your license otherwise remains +in force. You may convey covered works to others for the sole purpose +of having them make modifications exclusively for you, or provide you +with facilities for running those works, provided that you comply with +the terms of this License in conveying all material for which you do +not control copyright. Those thus making or running the covered works +for you must do so exclusively on your behalf, under your direction +and control, on terms that prohibit them from making any copies of +your copyrighted material outside their relationship with you. + +Conveying under any other circumstances is permitted solely under +the conditions stated below. Sublicensing is not allowed; section 10 +makes it unnecessary. + +3. Protecting Users' Legal Rights From Anti-Circumvention Law. + +No covered work shall be deemed part of an effective technological +measure under any applicable law fulfilling obligations under article +11 of the WIPO copyright treaty adopted on 20 December 1996, or +similar laws prohibiting or restricting circumvention of such +measures. + +When you convey a covered work, you waive any legal power to forbid +circumvention of technological measures to the extent such circumvention +is effected by exercising rights under this License with respect to +the covered work, and you disclaim any intention to limit operation or +modification of the work as a means of enforcing, against the work's +users, your or third parties' legal rights to forbid circumvention of +technological measures. + +4. Conveying Verbatim Copies. + +You may convey verbatim copies of the Program's source code as you +receive it, in any medium, provided that you conspicuously and +appropriately publish on each copy an appropriate copyright notice; +keep intact all notices stating that this License and any +non-permissive terms added in accord with section 7 apply to the code; +keep intact all notices of the absence of any warranty; and give all +recipients a copy of this License along with the Program. + +You may charge any price or no price for each copy that you convey, +and you may offer support or warranty protection for a fee. + +5. Conveying Modified Source Versions. + +You may convey a work based on the Program, or the modifications to +produce it from the Program, in the form of source code under the +terms of section 4, provided that you also meet all of these conditions: + +a) The work must carry prominent notices stating that you modified +it, and giving a relevant date. + +b) The work must carry prominent notices stating that it is +released under this License and any conditions added under section +7. This requirement modifies the requirement in section 4 to +"keep intact all notices". + +c) You must license the entire work, as a whole, under this +License to anyone who comes into possession of a copy. This +License will therefore apply, along with any applicable section 7 +additional terms, to the whole of the work, and all its parts, +regardless of how they are packaged. This License gives no +permission to license the work in any other way, but it does not +invalidate such permission if you have separately received it. + +d) If the work has interactive user interfaces, each must display +Appropriate Legal Notices; however, if the Program has interactive +interfaces that do not display Appropriate Legal Notices, your +work need not make them do so. + +A compilation of a covered work with other separate and independent +works, which are not by their nature extensions of the covered work, +and which are not combined with it such as to form a larger program, +in or on a volume of a storage or distribution medium, is called an +"aggregate" if the compilation and its resulting copyright are not +used to limit the access or legal rights of the compilation's users +beyond what the individual works permit. Inclusion of a covered work +in an aggregate does not cause this License to apply to the other +parts of the aggregate. + +6. Conveying Non-Source Forms. + +You may convey a covered work in object code form under the terms +of sections 4 and 5, provided that you also convey the +machine-readable Corresponding Source under the terms of this License, +in one of these ways: + +a) Convey the object code in, or embodied in, a physical product +(including a physical distribution medium), accompanied by the +Corresponding Source fixed on a durable physical medium +customarily used for software interchange. + +b) Convey the object code in, or embodied in, a physical product +(including a physical distribution medium), accompanied by a +written offer, valid for at least three years and valid for as +long as you offer spare parts or customer support for that product +model, to give anyone who possesses the object code either (1) a +copy of the Corresponding Source for all the software in the +product that is covered by this License, on a durable physical +medium customarily used for software interchange, for a price no +more than your reasonable cost of physically performing this +conveying of source, or (2) access to copy the +Corresponding Source from a network server at no charge. + +c) Convey individual copies of the object code with a copy of the +written offer to provide the Corresponding Source. This +alternative is allowed only occasionally and noncommercially, and +only if you received the object code with such an offer, in accord +with subsection 6b. + +d) Convey the object code by offering access from a designated +place (gratis or for a charge), and offer equivalent access to the +Corresponding Source in the same way through the same place at no +further charge. You need not require recipients to copy the +Corresponding Source along with the object code. If the place to +copy the object code is a network server, the Corresponding Source +may be on a different server (operated by you or a third party) +that supports equivalent copying facilities, provided you maintain +clear directions next to the object code saying where to find the +Corresponding Source. Regardless of what server hosts the +Corresponding Source, you remain obligated to ensure that it is +available for as long as needed to satisfy these requirements. + +e) Convey the object code using peer-to-peer transmission, provided +you inform other peers where the object code and Corresponding +Source of the work are being offered to the general public at no +charge under subsection 6d. + +A separable portion of the object code, whose source code is excluded +from the Corresponding Source as a System Library, need not be +included in conveying the object code work. + +A "User Product" is either (1) a "consumer product", which means any +tangible personal property which is normally used for personal, family, +or household purposes, or (2) anything designed or sold for incorporation +into a dwelling. In determining whether a product is a consumer product, +doubtful cases shall be resolved in favor of coverage. For a particular +product received by a particular user, "normally used" refers to a +typical or common use of that class of product, regardless of the status +of the particular user or of the way in which the particular user +actually uses, or expects or is expected to use, the product. A product +is a consumer product regardless of whether the product has substantial +commercial, industrial or non-consumer uses, unless such uses represent +the only significant mode of use of the product. + +"Installation Information" for a User Product means any methods, +procedures, authorization keys, or other information required to install +and execute modified versions of a covered work in that User Product from +a modified version of its Corresponding Source. The information must +suffice to ensure that the continued functioning of the modified object +code is in no case prevented or interfered with solely because +modification has been made. + +If you convey an object code work under this section in, or with, or +specifically for use in, a User Product, and the conveying occurs as +part of a transaction in which the right of possession and use of the +User Product is transferred to the recipient in perpetuity or for a +fixed term (regardless of how the transaction is characterized), the +Corresponding Source conveyed under this section must be accompanied +by the Installation Information. But this requirement does not apply +if neither you nor any third party retains the ability to install +modified object code on the User Product (for example, the work has +been installed in ROM). + +The requirement to provide Installation Information does not include a +requirement to continue to provide support service, warranty, or updates +for a work that has been modified or installed by the recipient, or for +the User Product in which it has been modified or installed. Access to a +network may be denied when the modification itself materially and +adversely affects the operation of the network or violates the rules and +protocols for communication across the network. + +Corresponding Source conveyed, and Installation Information provided, +in accord with this section must be in a format that is publicly +documented (and with an implementation available to the public in +source code form), and must require no special password or key for +unpacking, reading or copying. + +7. Additional Terms. + +"Additional permissions" are terms that supplement the terms of this +License by making exceptions from one or more of its conditions. +Additional permissions that are applicable to the entire Program shall +be treated as though they were included in this License, to the extent +that they are valid under applicable law. If additional permissions +apply only to part of the Program, that part may be used separately +under those permissions, but the entire Program remains governed by +this License without regard to the additional permissions. + +When you convey a copy of a covered work, you may at your option +remove any additional permissions from that copy, or from any part of +it. (Additional permissions may be written to require their own +removal in certain cases when you modify the work.) You may place +additional permissions on material, added by you to a covered work, +for which you have or can give appropriate copyright permission. + +Notwithstanding any other provision of this License, for material you +add to a covered work, you may (if authorized by the copyright holders of +that material) supplement the terms of this License with terms: + +a) Disclaiming warranty or limiting liability differently from the +terms of sections 15 and 16 of this License; or + +b) Requiring preservation of specified reasonable legal notices or +author attributions in that material or in the Appropriate Legal +Notices displayed by works containing it; or + +c) Prohibiting misrepresentation of the origin of that material, or +requiring that modified versions of such material be marked in +reasonable ways as different from the original version; or + +d) Limiting the use for publicity purposes of names of licensors or +authors of the material; or + +e) Declining to grant rights under trademark law for use of some +trade names, trademarks, or service marks; or + +f) Requiring indemnification of licensors and authors of that +material by anyone who conveys the material (or modified versions of +it) with contractual assumptions of liability to the recipient, for +any liability that these contractual assumptions directly impose on +those licensors and authors. + +All other non-permissive additional terms are considered "further +restrictions" within the meaning of section 10. If the Program as you +received it, or any part of it, contains a notice stating that it is +governed by this License along with a term that is a further +restriction, you may remove that term. If a license document contains +a further restriction but permits relicensing or conveying under this +License, you may add to a covered work material governed by the terms +of that license document, provided that the further restriction does +not survive such relicensing or conveying. + +If you add terms to a covered work in accord with this section, you +must place, in the relevant source files, a statement of the +additional terms that apply to those files, or a notice indicating +where to find the applicable terms. + +Additional terms, permissive or non-permissive, may be stated in the +form of a separately written license, or stated as exceptions; +the above requirements apply either way. + +8. Termination. + +You may not propagate or modify a covered work except as expressly +provided under this License. Any attempt otherwise to propagate or +modify it is void, and will automatically terminate your rights under +this License (including any patent licenses granted under the third +paragraph of section 11). + +However, if you cease all violation of this License, then your +license from a particular copyright holder is reinstated (a) +provisionally, unless and until the copyright holder explicitly and +finally terminates your license, and (b) permanently, if the copyright +holder fails to notify you of the violation by some reasonable means +prior to 60 days after the cessation. + +Moreover, your license from a particular copyright holder is +reinstated permanently if the copyright holder notifies you of the +violation by some reasonable means, this is the first time you have +received notice of violation of this License (for any work) from that +copyright holder, and you cure the violation prior to 30 days after +your receipt of the notice. + +Termination of your rights under this section does not terminate the +licenses of parties who have received copies or rights from you under +this License. If your rights have been terminated and not permanently +reinstated, you do not qualify to receive new licenses for the same +material under section 10. + +9. Acceptance Not Required for Having Copies. + +You are not required to accept this License in order to receive or +run a copy of the Program. Ancillary propagation of a covered work +occurring solely as a consequence of using peer-to-peer transmission +to receive a copy likewise does not require acceptance. However, +nothing other than this License grants you permission to propagate or +modify any covered work. These actions infringe copyright if you do +not accept this License. Therefore, by modifying or propagating a +covered work, you indicate your acceptance of this License to do so. + +10. Automatic Licensing of Downstream Recipients. + +Each time you convey a covered work, the recipient automatically +receives a license from the original licensors, to run, modify and +propagate that work, subject to this License. You are not responsible +for enforcing compliance by third parties with this License. + +An "entity transaction" is a transaction transferring control of an +organization, or substantially all assets of one, or subdividing an +organization, or merging organizations. If propagation of a covered +work results from an entity transaction, each party to that +transaction who receives a copy of the work also receives whatever +licenses to the work the party's predecessor in interest had or could +give under the previous paragraph, plus a right to possession of the +Corresponding Source of the work from the predecessor in interest, if +the predecessor has it or can get it with reasonable efforts. + +You may not impose any further restrictions on the exercise of the +rights granted or affirmed under this License. For example, you may +not impose a license fee, royalty, or other charge for exercise of +rights granted under this License, and you may not initiate litigation +(including a cross-claim or counterclaim in a lawsuit) alleging that +any patent claim is infringed by making, using, selling, offering for +sale, or importing the Program or any portion of it. + +11. Patents. + +A "contributor" is a copyright holder who authorizes use under this +License of the Program or a work on which the Program is based. The +work thus licensed is called the contributor's "contributor version". + +A contributor's "essential patent claims" are all patent claims +owned or controlled by the contributor, whether already acquired or +hereafter acquired, that would be infringed by some manner, permitted +by this License, of making, using, or selling its contributor version, +but do not include claims that would be infringed only as a +consequence of further modification of the contributor version. For +purposes of this definition, "control" includes the right to grant +patent sublicenses in a manner consistent with the requirements of +this License. + +Each contributor grants you a non-exclusive, worldwide, royalty-free +patent license under the contributor's essential patent claims, to +make, use, sell, offer for sale, import and otherwise run, modify and +propagate the contents of its contributor version. + +In the following three paragraphs, a "patent license" is any express +agreement or commitment, however denominated, not to enforce a patent +(such as an express permission to practice a patent or covenant not to +sue for patent infringement). To "grant" such a patent license to a +party means to make such an agreement or commitment not to enforce a +patent against the party. + +If you convey a covered work, knowingly relying on a patent license, +and the Corresponding Source of the work is not available for anyone +to copy, free of charge and under the terms of this License, through a +publicly available network server or other readily accessible means, +then you must either (1) cause the Corresponding Source to be so +available, or (2) arrange to deprive yourself of the benefit of the +patent license for this particular work, or (3) arrange, in a manner +consistent with the requirements of this License, to extend the patent +license to downstream recipients. "Knowingly relying" means you have +actual knowledge that, but for the patent license, your conveying the +covered work in a country, or your recipient's use of the covered work +in a country, would infringe one or more identifiable patents in that +country that you have reason to believe are valid. + +If, pursuant to or in connection with a single transaction or +arrangement, you convey, or propagate by procuring conveyance of, a +covered work, and grant a patent license to some of the parties +receiving the covered work authorizing them to use, propagate, modify +or convey a specific copy of the covered work, then the patent license +you grant is automatically extended to all recipients of the covered +work and works based on it. + +A patent license is "discriminatory" if it does not include within +the scope of its coverage, prohibits the exercise of, or is +conditioned on the non-exercise of one or more of the rights that are +specifically granted under this License. You may not convey a covered +work if you are a party to an arrangement with a third party that is +in the business of distributing software, under which you make payment +to the third party based on the extent of your activity of conveying +the work, and under which the third party grants, to any of the +parties who would receive the covered work from you, a discriminatory +patent license (a) in connection with copies of the covered work +conveyed by you (or copies made from those copies), or (b) primarily +for and in connection with specific products or compilations that +contain the covered work, unless you entered into that arrangement, +or that patent license was granted, prior to 28 March 2007. + +Nothing in this License shall be construed as excluding or limiting +any implied license or other defenses to infringement that may +otherwise be available to you under applicable patent law. + +12. No Surrender of Others' Freedom. + +If conditions are imposed on you (whether by court order, agreement or +otherwise) that contradict the conditions of this License, they do not +excuse you from the conditions of this License. If you cannot convey a +covered work so as to satisfy simultaneously your obligations under this +License and any other pertinent obligations, then as a consequence you may +not convey it at all. For example, if you agree to terms that obligate you +to collect a royalty for further conveying from those to whom you convey +the Program, the only way you could satisfy both those terms and this +License would be to refrain entirely from conveying the Program. + +13. Use with the GNU Affero General Public License. + +Notwithstanding any other provision of this License, you have +permission to link or combine any covered work with a work licensed +under version 3 of the GNU Affero General Public License into a single +combined work, and to convey the resulting work. The terms of this +License will continue to apply to the part which is the covered work, +but the special requirements of the GNU Affero General Public License, +section 13, concerning interaction through a network will apply to the +combination as such. + +14. Revised Versions of this License. + +The Free Software Foundation may publish revised and/or new versions of +the GNU General Public License from time to time. Such new versions will +be similar in spirit to the present version, but may differ in detail to +address new problems or concerns. + +Each version is given a distinguishing version number. If the +Program specifies that a certain numbered version of the GNU General +Public License "or any later version" applies to it, you have the +option of following the terms and conditions either of that numbered +version or of any later version published by the Free Software +Foundation. If the Program does not specify a version number of the +GNU General Public License, you may choose any version ever published +by the Free Software Foundation. + +If the Program specifies that a proxy can decide which future +versions of the GNU General Public License can be used, that proxy's +public statement of acceptance of a version permanently authorizes you +to choose that version for the Program. + +Later license versions may give you additional or different +permissions. However, no additional obligations are imposed on any +author or copyright holder as a result of your choosing to follow a +later version. + +15. Disclaimer of Warranty. + +THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY +APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT +HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY +OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, +THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR +PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM +IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF +ALL NECESSARY SERVICING, REPAIR OR CORRECTION. + +16. Limitation of Liability. + +IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING +WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS +THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY +GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE +USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF +DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD +PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), +EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF +SUCH DAMAGES. + +17. Interpretation of Sections 15 and 16. + +If the disclaimer of warranty and limitation of liability provided +above cannot be given local legal effect according to their terms, +reviewing courts shall apply local law that most closely approximates +an absolute waiver of all civil liability in connection with the +Program, unless a warranty or assumption of liability accompanies a +copy of the Program in return for a fee. + + END OF TERMS AND CONDITIONS + +How to Apply These Terms to Your New Programs + +If you develop a new program, and you want it to be of the greatest +possible use to the public, the best way to achieve this is to make it +free software which everyone can redistribute and change under these terms. + +To do so, attach the following notices to the program. It is safest +to attach them to the start of each source file to most effectively +state the exclusion of warranty; and each file should have at least +the "copyright" line and a pointer to where the full notice is found. + + + +Copyright (C) 2006 Jörn Zaefferer and Brandon Aaron (brandon.aaron@gmail.com || http://brandonaaron.net) + +This program is free software: you can redistribute it and/or modify +it under the terms of the GNU General Public License as published by +the Free Software Foundation, either version 3 of the License, or +(at your option) any later version. + +This program is distributed in the hope that it will be useful, +but WITHOUT ANY WARRANTY; without even the implied warranty of +MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +GNU General Public License for more details. + +You should have received a copy of the GNU General Public License +along with this program. If not, see . + +Also add information on how to contact you by electronic and paper mail. + +If the program does terminal interaction, make it output a short +notice like this when it starts in an interactive mode: + +Copyright (C) 2006 Jörn Zaefferer and Brandon Aaron (brandon.aaron@gmail.com || http://brandonaaron.net) + +This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'. +This is free software, and you are welcome to redistribute it +under certain conditions; type `show c' for details. + +The hypothetical commands `show w' and `show c' should show the appropriate +parts of the General Public License. Of course, your program's commands +might be different; for a GUI interface, you would use an "about box". + +You should also get your employer (if you work as a programmer) or school, +if any, to sign a "copyright disclaimer" for the program, if necessary. +For more information on this, and how to apply and follow the GNU GPL, see +. + +The GNU General Public License does not permit incorporating your program +into proprietary programs. If your program is a subroutine library, you +may consider it more useful to permit linking proprietary applications with +the library. If this is what you want to do, use the GNU Lesser General +Public License instead of this License. But first, please read +. + + +File uploader component is licensed under GNU GPL 2 or later and GNU LGPL 2 or later. +© 2010 Andrew Valums + +This distribution also includes: + + server/OctetStreamReader.java + Dual Licensed under the MIT and GPL v.2 + + jQuery JavaScript Library + http://jquery.com/ + Copyright 2010, John Resig + Dual licensed under the MIT or GPL Version 2 licenses. + http://jquery.org/license + + Sizzle.js - CSS selector engine used by jQuery + http://sizzlejs.com/ + Copyright 2010, The Dojo Foundation + Released under the MIT, BSD, and GPL Licenses. + + QUnit - A JavaScript Unit Testing Framework + http://docs.jquery.com/QUnit + Copyright (c) 2009 John Resig, Jörn Zaefferer + Dual licensed under the MIT (MIT-LICENSE.txt) + and GPL (GPL-LICENSE.txt) licenses. + + +Copyright (C) 2010-2012 Marcelo Gibson de Castro Gonçalves. All rights reserved. + +Copying and distribution of this file, with or without modification, +are permitted in any medium without royalty provided the copyright +notice and this notice are preserved. This file is offered as-is, +without any warranty. + + +The MIT License (MIT) + +Copyright (C) 2005, 2014 jQuery Foundation, Inc. + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. + + diff --git a/www/_install/classes/controllerConsole.php b/www/_install/classes/controllerConsole.php new file mode 100644 index 0000000..8d1680e --- /dev/null +++ b/www/_install/classes/controllerConsole.php @@ -0,0 +1,168 @@ + +* @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 new file mode 100644 index 0000000..5080108 --- /dev/null +++ b/www/_install/classes/controllerHttp.php @@ -0,0 +1,479 @@ + +* @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 new file mode 100644 index 0000000..be89b8c --- /dev/null +++ b/www/_install/classes/datas.php @@ -0,0 +1,233 @@ + +* @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 new file mode 100644 index 0000000..87e38e4 --- /dev/null +++ b/www/_install/classes/exception.php @@ -0,0 +1,29 @@ + +* @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 new file mode 100644 index 0000000..a0a3051 --- /dev/null +++ b/www/_install/classes/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..02ba81f --- /dev/null +++ b/www/_install/classes/language.php @@ -0,0 +1,116 @@ + +* @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 new file mode 100644 index 0000000..545be43 --- /dev/null +++ b/www/_install/classes/languages.php @@ -0,0 +1,227 @@ + +* @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 new file mode 100644 index 0000000..57ad293 --- /dev/null +++ b/www/_install/classes/model.php @@ -0,0 +1,57 @@ + +* @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 new file mode 100644 index 0000000..1b7d1bb --- /dev/null +++ b/www/_install/classes/session.php @@ -0,0 +1,120 @@ + +* @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 new file mode 100644 index 0000000..24def37 --- /dev/null +++ b/www/_install/classes/simplexml.php @@ -0,0 +1,72 @@ + +* @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 new file mode 100644 index 0000000..64afda3 --- /dev/null +++ b/www/_install/classes/sqlLoader.php @@ -0,0 +1,125 @@ + +* @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 new file mode 100644 index 0000000..3c49060 --- /dev/null +++ b/www/_install/classes/xmlLoader.php @@ -0,0 +1,1320 @@ + +* @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 new file mode 100644 index 0000000..faef08a --- /dev/null +++ b/www/_install/controllers/console/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..863c40b --- /dev/null +++ b/www/_install/controllers/console/process.php @@ -0,0 +1,341 @@ + +* @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 new file mode 100644 index 0000000..e318a37 --- /dev/null +++ b/www/_install/controllers/http/configure.php @@ -0,0 +1,319 @@ + +* @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 new file mode 100644 index 0000000..c0cdb12 --- /dev/null +++ b/www/_install/controllers/http/database.php @@ -0,0 +1,180 @@ + +* @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 new file mode 100644 index 0000000..faef08a --- /dev/null +++ b/www/_install/controllers/http/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..0d3cb9a --- /dev/null +++ b/www/_install/controllers/http/license.php @@ -0,0 +1,64 @@ + +* @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 new file mode 100644 index 0000000..e6fcbd5 --- /dev/null +++ b/www/_install/controllers/http/process.php @@ -0,0 +1,356 @@ + +* @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 new file mode 100644 index 0000000..e9fe704 --- /dev/null +++ b/www/_install/controllers/http/smarty_compile.php @@ -0,0 +1,45 @@ + +* @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 new file mode 100644 index 0000000..e4ebefb --- /dev/null +++ b/www/_install/controllers/http/system.php @@ -0,0 +1,157 @@ + +* @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 new file mode 100644 index 0000000..6775b3f --- /dev/null +++ b/www/_install/controllers/http/welcome.php @@ -0,0 +1,68 @@ + +* @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 new file mode 100644 index 0000000..a0a3051 --- /dev/null +++ b/www/_install/controllers/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..09ef648 Binary files /dev/null and b/www/_install/data/img/genders/Mr.jpg differ diff --git a/www/_install/data/img/genders/Mrs.jpg b/www/_install/data/img/genders/Mrs.jpg new file mode 100644 index 0000000..4df662a Binary files /dev/null and b/www/_install/data/img/genders/Mrs.jpg differ diff --git a/www/_install/data/img/genders/Unknown.jpg b/www/_install/data/img/genders/Unknown.jpg new file mode 100644 index 0000000..237d3c6 Binary files /dev/null and b/www/_install/data/img/genders/Unknown.jpg differ diff --git a/www/_install/data/img/genders/index.php b/www/_install/data/img/genders/index.php new file mode 100644 index 0000000..b5fc656 --- /dev/null +++ b/www/_install/data/img/genders/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..faef08a --- /dev/null +++ b/www/_install/data/img/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..57abc20 Binary files /dev/null and b/www/_install/data/img/os/Awaiting_PayPal_payment.gif 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 new file mode 100644 index 0000000..2780d81 Binary files /dev/null and b/www/_install/data/img/os/Awaiting_bank_wire_payment.gif differ diff --git a/www/_install/data/img/os/Awaiting_cheque_payment.gif b/www/_install/data/img/os/Awaiting_cheque_payment.gif new file mode 100644 index 0000000..a0438cf Binary files /dev/null and b/www/_install/data/img/os/Awaiting_cheque_payment.gif differ diff --git a/www/_install/data/img/os/Awaiting_cod_validation.gif b/www/_install/data/img/os/Awaiting_cod_validation.gif new file mode 100644 index 0000000..2780d81 Binary files /dev/null and b/www/_install/data/img/os/Awaiting_cod_validation.gif differ diff --git a/www/_install/data/img/os/Canceled.gif b/www/_install/data/img/os/Canceled.gif new file mode 100644 index 0000000..a916b9e Binary files /dev/null and b/www/_install/data/img/os/Canceled.gif differ diff --git a/www/_install/data/img/os/Delivered.gif b/www/_install/data/img/os/Delivered.gif new file mode 100644 index 0000000..0fb4380 Binary files /dev/null and b/www/_install/data/img/os/Delivered.gif differ diff --git a/www/_install/data/img/os/On_backorder_paid.gif b/www/_install/data/img/os/On_backorder_paid.gif new file mode 100644 index 0000000..b8224b9 Binary files /dev/null and b/www/_install/data/img/os/On_backorder_paid.gif differ diff --git a/www/_install/data/img/os/On_backorder_unpaid.gif b/www/_install/data/img/os/On_backorder_unpaid.gif new file mode 100644 index 0000000..b8224b9 Binary files /dev/null and b/www/_install/data/img/os/On_backorder_unpaid.gif differ diff --git a/www/_install/data/img/os/Payment_accepted.gif b/www/_install/data/img/os/Payment_accepted.gif new file mode 100644 index 0000000..1928295 Binary files /dev/null and b/www/_install/data/img/os/Payment_accepted.gif differ diff --git a/www/_install/data/img/os/Payment_error.gif b/www/_install/data/img/os/Payment_error.gif new file mode 100644 index 0000000..80e916a Binary files /dev/null and b/www/_install/data/img/os/Payment_error.gif differ diff --git a/www/_install/data/img/os/Payment_remotely_accepted.gif b/www/_install/data/img/os/Payment_remotely_accepted.gif new file mode 100644 index 0000000..0f2e46e Binary files /dev/null and b/www/_install/data/img/os/Payment_remotely_accepted.gif differ diff --git a/www/_install/data/img/os/Preparation_in_progress.gif b/www/_install/data/img/os/Preparation_in_progress.gif new file mode 100644 index 0000000..56d6cef Binary files /dev/null and b/www/_install/data/img/os/Preparation_in_progress.gif differ diff --git a/www/_install/data/img/os/Refund.gif b/www/_install/data/img/os/Refund.gif new file mode 100644 index 0000000..3901ddd Binary files /dev/null and b/www/_install/data/img/os/Refund.gif differ diff --git a/www/_install/data/img/os/Shipped.gif b/www/_install/data/img/os/Shipped.gif new file mode 100644 index 0000000..cbd0fea Binary files /dev/null and b/www/_install/data/img/os/Shipped.gif differ diff --git a/www/_install/data/img/os/index.php b/www/_install/data/img/os/index.php new file mode 100644 index 0000000..b5fc656 --- /dev/null +++ b/www/_install/data/img/os/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..a0438cf Binary files /dev/null and b/www/_install/data/img/os/order_state_1.gif differ diff --git a/www/_install/data/img/os/order_state_10.gif b/www/_install/data/img/os/order_state_10.gif new file mode 100644 index 0000000..2780d81 Binary files /dev/null and b/www/_install/data/img/os/order_state_10.gif differ diff --git a/www/_install/data/img/os/order_state_11.gif b/www/_install/data/img/os/order_state_11.gif new file mode 100644 index 0000000..57abc20 Binary files /dev/null and b/www/_install/data/img/os/order_state_11.gif differ diff --git a/www/_install/data/img/os/order_state_12.gif b/www/_install/data/img/os/order_state_12.gif new file mode 100644 index 0000000..0f2e46e Binary files /dev/null and b/www/_install/data/img/os/order_state_12.gif differ diff --git a/www/_install/data/img/os/order_state_2.gif b/www/_install/data/img/os/order_state_2.gif new file mode 100644 index 0000000..1928295 Binary files /dev/null and b/www/_install/data/img/os/order_state_2.gif differ diff --git a/www/_install/data/img/os/order_state_3.gif b/www/_install/data/img/os/order_state_3.gif new file mode 100644 index 0000000..56d6cef Binary files /dev/null and b/www/_install/data/img/os/order_state_3.gif differ diff --git a/www/_install/data/img/os/order_state_4.gif b/www/_install/data/img/os/order_state_4.gif new file mode 100644 index 0000000..cbd0fea Binary files /dev/null and b/www/_install/data/img/os/order_state_4.gif differ diff --git a/www/_install/data/img/os/order_state_5.gif b/www/_install/data/img/os/order_state_5.gif new file mode 100644 index 0000000..0fb4380 Binary files /dev/null and b/www/_install/data/img/os/order_state_5.gif differ diff --git a/www/_install/data/img/os/order_state_6.gif b/www/_install/data/img/os/order_state_6.gif new file mode 100644 index 0000000..a916b9e Binary files /dev/null and b/www/_install/data/img/os/order_state_6.gif differ diff --git a/www/_install/data/img/os/order_state_7.gif b/www/_install/data/img/os/order_state_7.gif new file mode 100644 index 0000000..3901ddd Binary files /dev/null and b/www/_install/data/img/os/order_state_7.gif differ diff --git a/www/_install/data/img/os/order_state_8.gif b/www/_install/data/img/os/order_state_8.gif new file mode 100644 index 0000000..80e916a Binary files /dev/null and b/www/_install/data/img/os/order_state_8.gif differ diff --git a/www/_install/data/img/os/order_state_9.gif b/www/_install/data/img/os/order_state_9.gif new file mode 100644 index 0000000..b8224b9 Binary files /dev/null and b/www/_install/data/img/os/order_state_9.gif differ diff --git a/www/_install/data/index.php b/www/_install/data/index.php new file mode 100644 index 0000000..a0a3051 --- /dev/null +++ b/www/_install/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..c2a1fa9 --- /dev/null +++ b/www/_install/data/iso_to_timezone.xml @@ -0,0 +1,244 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/www/_install/data/xml/access.xml b/www/_install/data/xml/access.xml new file mode 100644 index 0000000..3e51073 --- /dev/null +++ b/www/_install/data/xml/access.xml @@ -0,0 +1,102 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/data/xml/address_format.xml b/www/_install/data/xml/address_format.xml new file mode 100644 index 0000000..53107b7 --- /dev/null +++ b/www/_install/data/xml/address_format.xml @@ -0,0 +1,2696 @@ + + + + + + + + + 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 new file mode 100644 index 0000000..f2e9be6 --- /dev/null +++ b/www/_install/data/xml/carrier.xml @@ -0,0 +1,27 @@ + + + + + + + + + + + + + + + + + + + + + + + 0 + + + + diff --git a/www/_install/data/xml/carrier_group.xml b/www/_install/data/xml/carrier_group.xml new file mode 100644 index 0000000..94cce90 --- /dev/null +++ b/www/_install/data/xml/carrier_group.xml @@ -0,0 +1,12 @@ + + + + + + + + + + + + diff --git a/www/_install/data/xml/carrier_tax_rules_group_shop.xml b/www/_install/data/xml/carrier_tax_rules_group_shop.xml new file mode 100644 index 0000000..371a546 --- /dev/null +++ b/www/_install/data/xml/carrier_tax_rules_group_shop.xml @@ -0,0 +1,11 @@ + + + + + + + + + + + diff --git a/www/_install/data/xml/carrier_zone.xml b/www/_install/data/xml/carrier_zone.xml new file mode 100644 index 0000000..eba14ab --- /dev/null +++ b/www/_install/data/xml/carrier_zone.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/data/xml/category.xml b/www/_install/data/xml/category.xml new file mode 100644 index 0000000..8e1562d --- /dev/null +++ b/www/_install/data/xml/category.xml @@ -0,0 +1,11 @@ + + + + + + + + + + + diff --git a/www/_install/data/xml/category_group.xml b/www/_install/data/xml/category_group.xml new file mode 100644 index 0000000..3de4adc --- /dev/null +++ b/www/_install/data/xml/category_group.xml @@ -0,0 +1,12 @@ + + + + + + + + + + + + diff --git a/www/_install/data/xml/cms.xml b/www/_install/data/xml/cms.xml new file mode 100644 index 0000000..b8ca83e --- /dev/null +++ b/www/_install/data/xml/cms.xml @@ -0,0 +1,14 @@ + + + + + + + + + + + + + + diff --git a/www/_install/data/xml/cms_category.xml b/www/_install/data/xml/cms_category.xml new file mode 100644 index 0000000..33d4e3d --- /dev/null +++ b/www/_install/data/xml/cms_category.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/data/xml/configuration.xml b/www/_install/data/xml/configuration.xml new file mode 100644 index 0000000..648f4b6 --- /dev/null +++ b/www/_install/data/xml/configuration.xml @@ -0,0 +1,851 @@ + + + + + + + + + 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 new file mode 100644 index 0000000..9f80343 --- /dev/null +++ b/www/_install/data/xml/contact.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/data/xml/country.xml b/www/_install/data/xml/country.xml new file mode 100644 index 0000000..1a2cfcf --- /dev/null +++ b/www/_install/data/xml/country.xml @@ -0,0 +1,260 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/data/xml/gender.xml b/www/_install/data/xml/gender.xml new file mode 100644 index 0000000..6e96349 --- /dev/null +++ b/www/_install/data/xml/gender.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/data/xml/group.xml b/www/_install/data/xml/group.xml new file mode 100644 index 0000000..32324b5 --- /dev/null +++ b/www/_install/data/xml/group.xml @@ -0,0 +1,13 @@ + + + + + + + + + + + + + diff --git a/www/_install/data/xml/hook.xml b/www/_install/data/xml/hook.xml new file mode 100644 index 0000000..e4c1634 --- /dev/null +++ b/www/_install/data/xml/hook.xml @@ -0,0 +1,332 @@ + + + + + + + + + + + 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 new file mode 100644 index 0000000..471ddcf --- /dev/null +++ b/www/_install/data/xml/hook_alias.xml @@ -0,0 +1,353 @@ + + + + + + + + + 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 new file mode 100644 index 0000000..8698aef --- /dev/null +++ b/www/_install/data/xml/image_type.xml @@ -0,0 +1,25 @@ + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/data/xml/index.php b/www/_install/data/xml/index.php new file mode 100644 index 0000000..faef08a --- /dev/null +++ b/www/_install/data/xml/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..21ea7b2 --- /dev/null +++ b/www/_install/data/xml/meta.xml @@ -0,0 +1,148 @@ + + + + + + + + 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 new file mode 100644 index 0000000..0844133 --- /dev/null +++ b/www/_install/data/xml/operating_system.xml @@ -0,0 +1,29 @@ + + + + + + + + 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 new file mode 100644 index 0000000..3fc4619 --- /dev/null +++ b/www/_install/data/xml/order_return_state.xml @@ -0,0 +1,13 @@ + + + + + + + + + + + + + diff --git a/www/_install/data/xml/order_state.xml b/www/_install/data/xml/order_state.xml new file mode 100644 index 0000000..0e2449a --- /dev/null +++ b/www/_install/data/xml/order_state.xml @@ -0,0 +1,61 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/data/xml/profile.xml b/www/_install/data/xml/profile.xml new file mode 100644 index 0000000..557a09f --- /dev/null +++ b/www/_install/data/xml/profile.xml @@ -0,0 +1,7 @@ + + + + + + + diff --git a/www/_install/data/xml/quick_access.xml b/www/_install/data/xml/quick_access.xml new file mode 100644 index 0000000..0543a29 --- /dev/null +++ b/www/_install/data/xml/quick_access.xml @@ -0,0 +1,18 @@ + + + + + + + + + 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 new file mode 100644 index 0000000..f89e33e --- /dev/null +++ b/www/_install/data/xml/risk.xml @@ -0,0 +1,13 @@ + + + + + + + + + + + + + diff --git a/www/_install/data/xml/search_engine.xml b/www/_install/data/xml/search_engine.xml new file mode 100644 index 0000000..411a27f --- /dev/null +++ b/www/_install/data/xml/search_engine.xml @@ -0,0 +1,123 @@ + + + + + + + + + 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 new file mode 100644 index 0000000..c0b15a9 --- /dev/null +++ b/www/_install/data/xml/state.xml @@ -0,0 +1,949 @@ + + + + + + + + + + + + + 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 new file mode 100644 index 0000000..93ce8d9 --- /dev/null +++ b/www/_install/data/xml/stock_mvt_reason.xml @@ -0,0 +1,16 @@ + + + + + + + + + + + + + + + + diff --git a/www/_install/data/xml/supply_order_state.xml b/www/_install/data/xml/supply_order_state.xml new file mode 100644 index 0000000..f7a0299 --- /dev/null +++ b/www/_install/data/xml/supply_order_state.xml @@ -0,0 +1,19 @@ + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/data/xml/tab.xml b/www/_install/data/xml/tab.xml new file mode 100644 index 0000000..48162a8 --- /dev/null +++ b/www/_install/data/xml/tab.xml @@ -0,0 +1,310 @@ + + + + + + + + + + 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 new file mode 100644 index 0000000..e643e34 --- /dev/null +++ b/www/_install/data/xml/theme.xml @@ -0,0 +1,23 @@ + + + + + + + + + + + + + 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 new file mode 100644 index 0000000..c3574ec --- /dev/null +++ b/www/_install/data/xml/theme_meta.xml @@ -0,0 +1,45 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/data/xml/timezone.xml b/www/_install/data/xml/timezone.xml new file mode 100644 index 0000000..ca6ac41 --- /dev/null +++ b/www/_install/data/xml/timezone.xml @@ -0,0 +1,568 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/data/xml/warehouse.xml b/www/_install/data/xml/warehouse.xml new file mode 100644 index 0000000..f9b1656 --- /dev/null +++ b/www/_install/data/xml/warehouse.xml @@ -0,0 +1,12 @@ + + + + + + + + + + + + diff --git a/www/_install/data/xml/web_browser.xml b/www/_install/data/xml/web_browser.xml new file mode 100644 index 0000000..db227fa --- /dev/null +++ b/www/_install/data/xml/web_browser.xml @@ -0,0 +1,41 @@ + + + + + + + + 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 new file mode 100644 index 0000000..af9ad1b --- /dev/null +++ b/www/_install/data/xml/zone.xml @@ -0,0 +1,33 @@ + + + + + + + + + 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 new file mode 100644 index 0000000..4022926 --- /dev/null +++ b/www/_install/dev/index.php @@ -0,0 +1,166 @@ + +* @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 new file mode 100644 index 0000000..3cb822b --- /dev/null +++ b/www/_install/dev/index.phtml @@ -0,0 +1,241 @@ + + + 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 new file mode 100644 index 0000000..b70cae1 --- /dev/null +++ b/www/_install/dev/style.css @@ -0,0 +1,105 @@ +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 new file mode 100644 index 0000000..f108c4a --- /dev/null +++ b/www/_install/dev/translate.php @@ -0,0 +1,113 @@ +'; +// 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 new file mode 100644 index 0000000..ec5f492 --- /dev/null +++ b/www/_install/dev/update_eu_taxrulegroups.php @@ -0,0 +1,195 @@ + + 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 new file mode 100644 index 0000000..c943c2b --- /dev/null +++ b/www/_install/fixtures/fashion/data/access.xml @@ -0,0 +1,316 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/address.xml b/www/_install/fixtures/fashion/data/address.xml new file mode 100644 index 0000000..6b104f9 --- /dev/null +++ b/www/_install/fixtures/fashion/data/address.xml @@ -0,0 +1,55 @@ + + + + + + + + + + + + + + + + + + + + + + + + + +
+ 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 new file mode 100644 index 0000000..e18e9e1 --- /dev/null +++ b/www/_install/fixtures/fashion/data/alias.xml @@ -0,0 +1,18 @@ + + + + + + + + + + bloose + blouse + + + blues + blouse + + + diff --git a/www/_install/fixtures/fashion/data/attribute.xml b/www/_install/fixtures/fashion/data/attribute.xml new file mode 100644 index 0000000..27b3973 --- /dev/null +++ b/www/_install/fixtures/fashion/data/attribute.xml @@ -0,0 +1,33 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/attribute_group.xml b/www/_install/fixtures/fashion/data/attribute_group.xml new file mode 100644 index 0000000..4d095e8 --- /dev/null +++ b/www/_install/fixtures/fashion/data/attribute_group.xml @@ -0,0 +1,12 @@ + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/carrier.xml b/www/_install/fixtures/fashion/data/carrier.xml new file mode 100644 index 0000000..755bf15 --- /dev/null +++ b/www/_install/fixtures/fashion/data/carrier.xml @@ -0,0 +1,26 @@ + + + + + + + + + + + + + + + + + + + + + + My carrier + + + + diff --git a/www/_install/fixtures/fashion/data/carrier_group.xml b/www/_install/fixtures/fashion/data/carrier_group.xml new file mode 100644 index 0000000..764d572 --- /dev/null +++ b/www/_install/fixtures/fashion/data/carrier_group.xml @@ -0,0 +1,12 @@ + + + + + + + + + + + + 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 new file mode 100644 index 0000000..71c2138 --- /dev/null +++ b/www/_install/fixtures/fashion/data/carrier_tax_rules_group_shop.xml @@ -0,0 +1,11 @@ + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/carrier_zone.xml b/www/_install/fixtures/fashion/data/carrier_zone.xml new file mode 100644 index 0000000..59390cf --- /dev/null +++ b/www/_install/fixtures/fashion/data/carrier_zone.xml @@ -0,0 +1,11 @@ + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/cart.xml b/www/_install/fixtures/fashion/data/cart.xml new file mode 100644 index 0000000..9847e61 --- /dev/null +++ b/www/_install/fixtures/fashion/data/cart.xml @@ -0,0 +1,41 @@ + + + + + + + + + + + + + + + + + + + + + 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 new file mode 100644 index 0000000..7200959 --- /dev/null +++ b/www/_install/fixtures/fashion/data/cart_product.xml @@ -0,0 +1,27 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/category.xml b/www/_install/fixtures/fashion/data/category.xml new file mode 100644 index 0000000..0f02cf5 --- /dev/null +++ b/www/_install/fixtures/fashion/data/category.xml @@ -0,0 +1,18 @@ + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/category_group.xml b/www/_install/fixtures/fashion/data/category_group.xml new file mode 100644 index 0000000..9b19bca --- /dev/null +++ b/www/_install/fixtures/fashion/data/category_group.xml @@ -0,0 +1,40 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/category_product.xml b/www/_install/fixtures/fashion/data/category_product.xml new file mode 100644 index 0000000..e39dd7e --- /dev/null +++ b/www/_install/fixtures/fashion/data/category_product.xml @@ -0,0 +1,38 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/connections.xml b/www/_install/fixtures/fashion/data/connections.xml new file mode 100644 index 0000000..83c2654 --- /dev/null +++ b/www/_install/fixtures/fashion/data/connections.xml @@ -0,0 +1,16 @@ + + + + + + + + + + + + + http://www.prestashop.com + + + diff --git a/www/_install/fixtures/fashion/data/customer.xml b/www/_install/fixtures/fashion/data/customer.xml new file mode 100644 index 0000000..6965b41 --- /dev/null +++ b/www/_install/fixtures/fashion/data/customer.xml @@ -0,0 +1,27 @@ + + + + + + + + + + + + + + + + + + + + + + + pub@prestashop.com + + + + diff --git a/www/_install/fixtures/fashion/data/delivery.xml b/www/_install/fixtures/fashion/data/delivery.xml new file mode 100644 index 0000000..8bb1f10 --- /dev/null +++ b/www/_install/fixtures/fashion/data/delivery.xml @@ -0,0 +1,18 @@ + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/feature.xml b/www/_install/fixtures/fashion/data/feature.xml new file mode 100644 index 0000000..d95cf0c --- /dev/null +++ b/www/_install/fixtures/fashion/data/feature.xml @@ -0,0 +1,15 @@ + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/feature_product.xml b/www/_install/fixtures/fashion/data/feature_product.xml new file mode 100644 index 0000000..da9bbf9 --- /dev/null +++ b/www/_install/fixtures/fashion/data/feature_product.xml @@ -0,0 +1,31 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/feature_value.xml b/www/_install/fixtures/fashion/data/feature_value.xml new file mode 100644 index 0000000..fa90d88 --- /dev/null +++ b/www/_install/fixtures/fashion/data/feature_value.xml @@ -0,0 +1,42 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/generate_attribute.php b/www/_install/fixtures/fashion/data/generate_attribute.php new file mode 100644 index 0000000..936799a --- /dev/null +++ b/www/_install/fixtures/fashion/data/generate_attribute.php @@ -0,0 +1,214 @@ + 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 new file mode 100644 index 0000000..52f2568 --- /dev/null +++ b/www/_install/fixtures/fashion/data/guest.xml @@ -0,0 +1,22 @@ + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/image.xml b/www/_install/fixtures/fashion/data/image.xml new file mode 100644 index 0000000..69a1c82 --- /dev/null +++ b/www/_install/fixtures/fashion/data/image.xml @@ -0,0 +1,32 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/index.php b/www/_install/fixtures/fashion/data/index.php new file mode 100644 index 0000000..b5fc656 --- /dev/null +++ b/www/_install/fixtures/fashion/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..45c53f9 --- /dev/null +++ b/www/_install/fixtures/fashion/data/manufacturer.xml @@ -0,0 +1,12 @@ + + + + + + + + + Fashion Manufacturer + + + diff --git a/www/_install/fixtures/fashion/data/order_carrier.xml b/www/_install/fixtures/fashion/data/order_carrier.xml new file mode 100644 index 0000000..a3a6346 --- /dev/null +++ b/www/_install/fixtures/fashion/data/order_carrier.xml @@ -0,0 +1,29 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/order_detail.xml b/www/_install/fixtures/fashion/data/order_detail.xml new file mode 100644 index 0000000..28783f5 --- /dev/null +++ b/www/_install/fixtures/fashion/data/order_detail.xml @@ -0,0 +1,108 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 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 new file mode 100644 index 0000000..581552f --- /dev/null +++ b/www/_install/fixtures/fashion/data/order_history.xml @@ -0,0 +1,17 @@ + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/order_message.xml b/www/_install/fixtures/fashion/data/order_message.xml new file mode 100644 index 0000000..1c9a0e3 --- /dev/null +++ b/www/_install/fixtures/fashion/data/order_message.xml @@ -0,0 +1,7 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/data/orders.xml b/www/_install/fixtures/fashion/data/orders.xml new file mode 100644 index 0000000..30b1a6a --- /dev/null +++ b/www/_install/fixtures/fashion/data/orders.xml @@ -0,0 +1,70 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 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 new file mode 100644 index 0000000..2780736 --- /dev/null +++ b/www/_install/fixtures/fashion/data/product.xml @@ -0,0 +1,75 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/product_attribute.xml b/www/_install/fixtures/fashion/data/product_attribute.xml new file mode 100644 index 0000000..a53f7ec --- /dev/null +++ b/www/_install/fixtures/fashion/data/product_attribute.xml @@ -0,0 +1,157 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/product_attribute_combination.xml b/www/_install/fixtures/fashion/data/product_attribute_combination.xml new file mode 100644 index 0000000..0c9dffa --- /dev/null +++ b/www/_install/fixtures/fashion/data/product_attribute_combination.xml @@ -0,0 +1,99 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/product_attribute_image.xml b/www/_install/fixtures/fashion/data/product_attribute_image.xml new file mode 100644 index 0000000..2c5af44 --- /dev/null +++ b/www/_install/fixtures/fashion/data/product_attribute_image.xml @@ -0,0 +1,72 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/product_supplier.xml b/www/_install/fixtures/fashion/data/product_supplier.xml new file mode 100644 index 0000000..55e1b14 --- /dev/null +++ b/www/_install/fixtures/fashion/data/product_supplier.xml @@ -0,0 +1,19 @@ + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/profile.xml b/www/_install/fixtures/fashion/data/profile.xml new file mode 100644 index 0000000..abdc580 --- /dev/null +++ b/www/_install/fixtures/fashion/data/profile.xml @@ -0,0 +1,9 @@ + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/range_price.xml b/www/_install/fixtures/fashion/data/range_price.xml new file mode 100644 index 0000000..ce42057 --- /dev/null +++ b/www/_install/fixtures/fashion/data/range_price.xml @@ -0,0 +1,11 @@ + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/range_weight.xml b/www/_install/fixtures/fashion/data/range_weight.xml new file mode 100644 index 0000000..ce95fa9 --- /dev/null +++ b/www/_install/fixtures/fashion/data/range_weight.xml @@ -0,0 +1,11 @@ + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/scene.xml b/www/_install/fixtures/fashion/data/scene.xml new file mode 100644 index 0000000..faadc84 --- /dev/null +++ b/www/_install/fixtures/fashion/data/scene.xml @@ -0,0 +1,8 @@ + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/specific_price.xml b/www/_install/fixtures/fashion/data/specific_price.xml new file mode 100644 index 0000000..45a1aea --- /dev/null +++ b/www/_install/fixtures/fashion/data/specific_price.xml @@ -0,0 +1,25 @@ + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/stock_available.xml b/www/_install/fixtures/fashion/data/stock_available.xml new file mode 100644 index 0000000..70034dc --- /dev/null +++ b/www/_install/fixtures/fashion/data/stock_available.xml @@ -0,0 +1,66 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/data/store.xml b/www/_install/fixtures/fashion/data/store.xml new file mode 100644 index 0000000..e59814a --- /dev/null +++ b/www/_install/fixtures/fashion/data/store.xml @@ -0,0 +1,67 @@ + + + + + + + + + + + + + + + + + + + + + + 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 new file mode 100644 index 0000000..ebbef7c --- /dev/null +++ b/www/_install/fixtures/fashion/data/supplier.xml @@ -0,0 +1,12 @@ + + + + + + + + + Fashion Supplier + + + diff --git a/www/_install/fixtures/fashion/data/tag.xml b/www/_install/fixtures/fashion/data/tag.xml new file mode 100644 index 0000000..2c4d15d --- /dev/null +++ b/www/_install/fixtures/fashion/data/tag.xml @@ -0,0 +1,7 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/img/c/Blouses-category_default.jpg b/www/_install/fixtures/fashion/img/c/Blouses-category_default.jpg new file mode 100644 index 0000000..47a64f2 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Blouses-category_default.jpg 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 new file mode 100644 index 0000000..c617d6c Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Blouses-medium_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/c/Blouses.jpg b/www/_install/fixtures/fashion/img/c/Blouses.jpg new file mode 100644 index 0000000..8354a23 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Blouses.jpg 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 new file mode 100644 index 0000000..bb3cbb7 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Casual_Dresses-category_default.jpg 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 new file mode 100644 index 0000000..1b3e16c Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Casual_Dresses-medium_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/c/Casual_Dresses.jpg b/www/_install/fixtures/fashion/img/c/Casual_Dresses.jpg new file mode 100644 index 0000000..ad7716f Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Casual_Dresses.jpg 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 new file mode 100644 index 0000000..6175e88 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Dresses-category_default.jpg 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 new file mode 100644 index 0000000..c4d46f4 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Dresses-medium_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/c/Dresses.jpg b/www/_install/fixtures/fashion/img/c/Dresses.jpg new file mode 100644 index 0000000..5bccd99 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Dresses.jpg 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 new file mode 100644 index 0000000..8a8b259 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Evening_Dresses-category_default.jpg 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 new file mode 100644 index 0000000..ade2142 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Evening_Dresses-medium_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/c/Evening_Dresses.jpg b/www/_install/fixtures/fashion/img/c/Evening_Dresses.jpg new file mode 100644 index 0000000..6692862 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Evening_Dresses.jpg 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 new file mode 100644 index 0000000..8f982cc Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Summer_Dresses-category_default.jpg 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 new file mode 100644 index 0000000..58efe2d Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Summer_Dresses-medium_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/c/Summer_Dresses.jpg b/www/_install/fixtures/fashion/img/c/Summer_Dresses.jpg new file mode 100644 index 0000000..0c48d75 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Summer_Dresses.jpg 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 new file mode 100644 index 0000000..52a0552 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/T-shirts-category_default.jpg 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 new file mode 100644 index 0000000..4cf5337 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/T-shirts-medium_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/c/T-shirts.jpg b/www/_install/fixtures/fashion/img/c/T-shirts.jpg new file mode 100644 index 0000000..b6fc7a0 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/T-shirts.jpg 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 new file mode 100644 index 0000000..9b34eb8 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Tops-category_default.jpg 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 new file mode 100644 index 0000000..29bb430 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Tops-medium_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/c/Tops.jpg b/www/_install/fixtures/fashion/img/c/Tops.jpg new file mode 100644 index 0000000..844a299 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Tops.jpg 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 new file mode 100644 index 0000000..c9aafa5 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Tops_1-category_default.jpg 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 new file mode 100644 index 0000000..75b0830 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Tops_1-medium_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/c/Tops_1.jpg b/www/_install/fixtures/fashion/img/c/Tops_1.jpg new file mode 100644 index 0000000..f1667f4 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Tops_1.jpg 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 new file mode 100644 index 0000000..f167b9a Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Women-category_default.jpg 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 new file mode 100644 index 0000000..a83e81d Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Women-medium_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/c/Women.jpg b/www/_install/fixtures/fashion/img/c/Women.jpg new file mode 100644 index 0000000..5428750 Binary files /dev/null and b/www/_install/fixtures/fashion/img/c/Women.jpg differ diff --git a/www/_install/fixtures/fashion/img/c/index.php b/www/_install/fixtures/fashion/img/c/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/img/c/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..5269a8e --- /dev/null +++ b/www/_install/fixtures/fashion/img/c/resize.php @@ -0,0 +1,17 @@ + +* @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 new file mode 100644 index 0000000..96c19ca Binary files /dev/null and b/www/_install/fixtures/fashion/img/m/Fashion_Manufacturer-large_default.jpg 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 new file mode 100644 index 0000000..755ebb9 Binary files /dev/null and b/www/_install/fixtures/fashion/img/m/Fashion_Manufacturer-medium_default.jpg 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 new file mode 100644 index 0000000..43833d1 Binary files /dev/null and b/www/_install/fixtures/fashion/img/m/Fashion_Manufacturer-small_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/m/Fashion_Manufacturer.jpg b/www/_install/fixtures/fashion/img/m/Fashion_Manufacturer.jpg new file mode 100644 index 0000000..dd45668 Binary files /dev/null and b/www/_install/fixtures/fashion/img/m/Fashion_Manufacturer.jpg differ diff --git a/www/_install/fixtures/fashion/img/m/index.php b/www/_install/fixtures/fashion/img/m/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/img/m/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..b3669af Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_1-cart_default.jpg 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 new file mode 100644 index 0000000..a0e3419 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_1-home_default.jpg 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 new file mode 100644 index 0000000..f786373 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_1-large_default.jpg 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 new file mode 100644 index 0000000..7bc8aab Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_1-medium_default.jpg 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 new file mode 100644 index 0000000..eb4068c Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_1-small_default.jpg 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 new file mode 100644 index 0000000..1a622e4 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_1-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_1.jpg b/www/_install/fixtures/fashion/img/p/image_1.jpg new file mode 100644 index 0000000..1a622e4 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_1.jpg 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 new file mode 100644 index 0000000..e1128ec Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_10-cart_default.jpg 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 new file mode 100644 index 0000000..3938ea1 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_10-home_default.jpg 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 new file mode 100644 index 0000000..f68d8a8 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_10-large_default.jpg 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 new file mode 100644 index 0000000..d84dbce Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_10-medium_default.jpg 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 new file mode 100644 index 0000000..16819a2 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_10-small_default.jpg 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 new file mode 100644 index 0000000..302cee4 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_10-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_10.jpg b/www/_install/fixtures/fashion/img/p/image_10.jpg new file mode 100644 index 0000000..302cee4 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_10.jpg 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 new file mode 100644 index 0000000..180deb1 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_11-cart_default.jpg 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 new file mode 100644 index 0000000..b3eefc0 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_11-home_default.jpg 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 new file mode 100644 index 0000000..f321ca2 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_11-large_default.jpg 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 new file mode 100644 index 0000000..14b8b28 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_11-medium_default.jpg 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 new file mode 100644 index 0000000..4ccc859 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_11-small_default.jpg 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 new file mode 100644 index 0000000..2c9997b Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_11-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_11.jpg b/www/_install/fixtures/fashion/img/p/image_11.jpg new file mode 100644 index 0000000..2c9997b Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_11.jpg 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 new file mode 100644 index 0000000..b3c43e1 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_12-cart_default.jpg 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 new file mode 100644 index 0000000..777ec4b Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_12-home_default.jpg 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 new file mode 100644 index 0000000..c2b1389 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_12-large_default.jpg 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 new file mode 100644 index 0000000..a2aa666 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_12-medium_default.jpg 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 new file mode 100644 index 0000000..f6c0b2a Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_12-small_default.jpg 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 new file mode 100644 index 0000000..1428f95 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_12-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_12.jpg b/www/_install/fixtures/fashion/img/p/image_12.jpg new file mode 100644 index 0000000..1428f95 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_12.jpg 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 new file mode 100644 index 0000000..d08a507 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_13-cart_default.jpg 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 new file mode 100644 index 0000000..ea29e86 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_13-home_default.jpg 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 new file mode 100644 index 0000000..5d8e310 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_13-large_default.jpg 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 new file mode 100644 index 0000000..903f9bc Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_13-medium_default.jpg 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 new file mode 100644 index 0000000..6a115fa Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_13-small_default.jpg 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 new file mode 100644 index 0000000..84c6687 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_13-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_13.jpg b/www/_install/fixtures/fashion/img/p/image_13.jpg new file mode 100644 index 0000000..84c6687 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_13.jpg 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 new file mode 100644 index 0000000..df8262f Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_14-cart_default.jpg 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 new file mode 100644 index 0000000..7124fcc Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_14-home_default.jpg 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 new file mode 100644 index 0000000..e16712e Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_14-large_default.jpg 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 new file mode 100644 index 0000000..f58d0ce Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_14-medium_default.jpg 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 new file mode 100644 index 0000000..fbaf2ee Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_14-small_default.jpg 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 new file mode 100644 index 0000000..80d3a74 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_14-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_14.jpg b/www/_install/fixtures/fashion/img/p/image_14.jpg new file mode 100644 index 0000000..80d3a74 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_14.jpg 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 new file mode 100644 index 0000000..cc5f29b Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_15-cart_default.jpg 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 new file mode 100644 index 0000000..0d40ce7 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_15-home_default.jpg 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 new file mode 100644 index 0000000..3f8aedc Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_15-large_default.jpg 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 new file mode 100644 index 0000000..cc8457d Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_15-medium_default.jpg 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 new file mode 100644 index 0000000..791a4ce Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_15-small_default.jpg 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 new file mode 100644 index 0000000..8ca18a6 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_15-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_15.jpg b/www/_install/fixtures/fashion/img/p/image_15.jpg new file mode 100644 index 0000000..8ca18a6 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_15.jpg 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 new file mode 100644 index 0000000..83bb72c Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_16-cart_default.jpg 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 new file mode 100644 index 0000000..c84a6e9 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_16-home_default.jpg 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 new file mode 100644 index 0000000..573ff7d Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_16-large_default.jpg 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 new file mode 100644 index 0000000..b9b62c8 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_16-medium_default.jpg 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 new file mode 100644 index 0000000..aa91b84 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_16-small_default.jpg 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 new file mode 100644 index 0000000..2f17d84 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_16-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_16.jpg b/www/_install/fixtures/fashion/img/p/image_16.jpg new file mode 100644 index 0000000..2f17d84 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_16.jpg 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 new file mode 100644 index 0000000..b43d085 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_17-cart_default.jpg 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 new file mode 100644 index 0000000..826efea Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_17-home_default.jpg 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 new file mode 100644 index 0000000..0a48ac2 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_17-large_default.jpg 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 new file mode 100644 index 0000000..1647513 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_17-medium_default.jpg 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 new file mode 100644 index 0000000..0f1583f Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_17-small_default.jpg 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 new file mode 100644 index 0000000..9b703e3 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_17-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_17.jpg b/www/_install/fixtures/fashion/img/p/image_17.jpg new file mode 100644 index 0000000..9b703e3 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_17.jpg 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 new file mode 100644 index 0000000..4e9f003 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_18-cart_default.jpg 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 new file mode 100644 index 0000000..432fcba Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_18-home_default.jpg 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 new file mode 100644 index 0000000..e35ee80 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_18-large_default.jpg 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 new file mode 100644 index 0000000..c90caa4 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_18-medium_default.jpg 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 new file mode 100644 index 0000000..1049e18 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_18-small_default.jpg 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 new file mode 100644 index 0000000..db013f5 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_18-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_18.jpg b/www/_install/fixtures/fashion/img/p/image_18.jpg new file mode 100644 index 0000000..db013f5 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_18.jpg 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 new file mode 100644 index 0000000..1d15219 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_19-cart_default.jpg 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 new file mode 100644 index 0000000..2581642 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_19-home_default.jpg 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 new file mode 100644 index 0000000..3f73455 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_19-large_default.jpg 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 new file mode 100644 index 0000000..e105ee8 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_19-medium_default.jpg 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 new file mode 100644 index 0000000..4f88eb2 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_19-small_default.jpg 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 new file mode 100644 index 0000000..bc9ea61 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_19-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_19.jpg b/www/_install/fixtures/fashion/img/p/image_19.jpg new file mode 100644 index 0000000..bc9ea61 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_19.jpg 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 new file mode 100644 index 0000000..9fe0de7 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_2-cart_default.jpg 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 new file mode 100644 index 0000000..9a98082 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_2-home_default.jpg 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 new file mode 100644 index 0000000..9c458bd Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_2-large_default.jpg 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 new file mode 100644 index 0000000..20c378d Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_2-medium_default.jpg 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 new file mode 100644 index 0000000..2a605eb Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_2-small_default.jpg 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 new file mode 100644 index 0000000..fe9b087 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_2-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_2.jpg b/www/_install/fixtures/fashion/img/p/image_2.jpg new file mode 100644 index 0000000..fe9b087 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_2.jpg 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 new file mode 100644 index 0000000..841404d Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_20-cart_default.jpg 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 new file mode 100644 index 0000000..fa82a91 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_20-home_default.jpg 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 new file mode 100644 index 0000000..452703c Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_20-large_default.jpg 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 new file mode 100644 index 0000000..ee56c82 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_20-medium_default.jpg 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 new file mode 100644 index 0000000..4fe9058 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_20-small_default.jpg 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 new file mode 100644 index 0000000..53f6e68 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_20-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_20.jpg b/www/_install/fixtures/fashion/img/p/image_20.jpg new file mode 100644 index 0000000..53f6e68 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_20.jpg 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 new file mode 100644 index 0000000..6de2cf7 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_21-cart_default.jpg 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 new file mode 100644 index 0000000..93832ff Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_21-home_default.jpg 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 new file mode 100644 index 0000000..167cf91 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_21-large_default.jpg 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 new file mode 100644 index 0000000..1f47666 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_21-medium_default.jpg 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 new file mode 100644 index 0000000..e911da9 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_21-small_default.jpg 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 new file mode 100644 index 0000000..7144b7b Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_21-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_21.jpg b/www/_install/fixtures/fashion/img/p/image_21.jpg new file mode 100644 index 0000000..7144b7b Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_21.jpg 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 new file mode 100644 index 0000000..37b94fa Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_22-cart_default.jpg 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 new file mode 100644 index 0000000..53ed3c7 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_22-home_default.jpg 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 new file mode 100644 index 0000000..85e7e9c Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_22-large_default.jpg 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 new file mode 100644 index 0000000..badebdf Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_22-medium_default.jpg 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 new file mode 100644 index 0000000..9c99164 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_22-small_default.jpg 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 new file mode 100644 index 0000000..04b4589 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_22-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_22.jpg b/www/_install/fixtures/fashion/img/p/image_22.jpg new file mode 100644 index 0000000..04b4589 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_22.jpg 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 new file mode 100644 index 0000000..9046c32 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_23-cart_default.jpg 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 new file mode 100644 index 0000000..3fdb5c1 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_23-home_default.jpg 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 new file mode 100644 index 0000000..1ae46d1 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_23-large_default.jpg 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 new file mode 100644 index 0000000..1a0dc28 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_23-medium_default.jpg 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 new file mode 100644 index 0000000..84577d1 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_23-small_default.jpg 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 new file mode 100644 index 0000000..eb6d330 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_23-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_23.jpg b/www/_install/fixtures/fashion/img/p/image_23.jpg new file mode 100644 index 0000000..eb6d330 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_23.jpg 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 new file mode 100644 index 0000000..b5dde62 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_3-cart_default.jpg 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 new file mode 100644 index 0000000..4790083 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_3-home_default.jpg 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 new file mode 100644 index 0000000..74e3d1e Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_3-large_default.jpg 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 new file mode 100644 index 0000000..4d83e99 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_3-medium_default.jpg 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 new file mode 100644 index 0000000..530811c Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_3-small_default.jpg 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 new file mode 100644 index 0000000..14739f2 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_3-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_3.jpg b/www/_install/fixtures/fashion/img/p/image_3.jpg new file mode 100644 index 0000000..14739f2 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_3.jpg 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 new file mode 100644 index 0000000..291bfdf Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_4-cart_default.jpg 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 new file mode 100644 index 0000000..fe795d6 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_4-home_default.jpg 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 new file mode 100644 index 0000000..9cf0204 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_4-large_default.jpg 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 new file mode 100644 index 0000000..2d1df00 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_4-medium_default.jpg 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 new file mode 100644 index 0000000..a259575 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_4-small_default.jpg 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 new file mode 100644 index 0000000..b2ead80 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_4-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_4.jpg b/www/_install/fixtures/fashion/img/p/image_4.jpg new file mode 100644 index 0000000..b2ead80 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_4.jpg 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 new file mode 100644 index 0000000..c960619 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_5-cart_default.jpg 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 new file mode 100644 index 0000000..02d5749 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_5-home_default.jpg 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 new file mode 100644 index 0000000..c631266 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_5-large_default.jpg 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 new file mode 100644 index 0000000..6a77d4f Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_5-medium_default.jpg 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 new file mode 100644 index 0000000..fbd8e14 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_5-small_default.jpg 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 new file mode 100644 index 0000000..e826626 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_5-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_5.jpg b/www/_install/fixtures/fashion/img/p/image_5.jpg new file mode 100644 index 0000000..e826626 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_5.jpg 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 new file mode 100644 index 0000000..e9fbc4e Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_6-cart_default.jpg 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 new file mode 100644 index 0000000..0bf471f Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_6-home_default.jpg 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 new file mode 100644 index 0000000..0f492d5 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_6-large_default.jpg 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 new file mode 100644 index 0000000..48f7def Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_6-medium_default.jpg 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 new file mode 100644 index 0000000..4245f1e Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_6-small_default.jpg 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 new file mode 100644 index 0000000..e1266e4 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_6-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_6.jpg b/www/_install/fixtures/fashion/img/p/image_6.jpg new file mode 100644 index 0000000..e1266e4 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_6.jpg 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 new file mode 100644 index 0000000..7bc49e1 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_7-cart_default.jpg 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 new file mode 100644 index 0000000..09641f4 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_7-home_default.jpg 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 new file mode 100644 index 0000000..436615a Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_7-large_default.jpg 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 new file mode 100644 index 0000000..6e817ae Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_7-medium_default.jpg 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 new file mode 100644 index 0000000..27c9643 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_7-small_default.jpg 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 new file mode 100644 index 0000000..b89f49d Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_7-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_7.jpg b/www/_install/fixtures/fashion/img/p/image_7.jpg new file mode 100644 index 0000000..b89f49d Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_7.jpg 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 new file mode 100644 index 0000000..0c877c4 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_8-cart_default.jpg 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 new file mode 100644 index 0000000..633ea46 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_8-home_default.jpg 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 new file mode 100644 index 0000000..b84ee48 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_8-large_default.jpg 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 new file mode 100644 index 0000000..bb60064 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_8-medium_default.jpg 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 new file mode 100644 index 0000000..18f5009 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_8-small_default.jpg 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 new file mode 100644 index 0000000..81124c2 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_8-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_8.jpg b/www/_install/fixtures/fashion/img/p/image_8.jpg new file mode 100644 index 0000000..81124c2 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_8.jpg 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 new file mode 100644 index 0000000..01ba223 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_9-cart_default.jpg 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 new file mode 100644 index 0000000..c1c5f15 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_9-home_default.jpg 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 new file mode 100644 index 0000000..1b57dc3 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_9-large_default.jpg 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 new file mode 100644 index 0000000..86f601d Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_9-medium_default.jpg 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 new file mode 100644 index 0000000..77c9071 Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_9-small_default.jpg 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 new file mode 100644 index 0000000..aeeee4a Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_9-thickbox_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/image_9.jpg b/www/_install/fixtures/fashion/img/p/image_9.jpg new file mode 100644 index 0000000..aeeee4a Binary files /dev/null and b/www/_install/fixtures/fashion/img/p/image_9.jpg differ diff --git a/www/_install/fixtures/fashion/img/p/index.php b/www/_install/fixtures/fashion/img/p/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/img/p/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..8649e3f --- /dev/null +++ b/www/_install/fixtures/fashion/img/p/resize.php @@ -0,0 +1,22 @@ + +* @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 new file mode 100644 index 0000000..f3a459e --- /dev/null +++ b/www/_install/fixtures/fashion/img/scenes/thumbs/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..be35958 Binary files /dev/null and b/www/_install/fixtures/fashion/img/st/Coconut_Grove-medium_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/st/Coconut_Grove.jpg b/www/_install/fixtures/fashion/img/st/Coconut_Grove.jpg new file mode 100644 index 0000000..89dadb9 Binary files /dev/null and b/www/_install/fixtures/fashion/img/st/Coconut_Grove.jpg 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 new file mode 100644 index 0000000..be35958 Binary files /dev/null and b/www/_install/fixtures/fashion/img/st/Dade_County-medium_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/st/Dade_County.jpg b/www/_install/fixtures/fashion/img/st/Dade_County.jpg new file mode 100644 index 0000000..89dadb9 Binary files /dev/null and b/www/_install/fixtures/fashion/img/st/Dade_County.jpg 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 new file mode 100644 index 0000000..be35958 Binary files /dev/null and b/www/_install/fixtures/fashion/img/st/E_Fort_Lauderdale-medium_default.jpg 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 new file mode 100644 index 0000000..89dadb9 Binary files /dev/null and b/www/_install/fixtures/fashion/img/st/E_Fort_Lauderdale.jpg 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 new file mode 100644 index 0000000..be35958 Binary files /dev/null and b/www/_install/fixtures/fashion/img/st/N_Miami_Biscayne-medium_default.jpg 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 new file mode 100644 index 0000000..89dadb9 Binary files /dev/null and b/www/_install/fixtures/fashion/img/st/N_Miami_Biscayne.jpg 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 new file mode 100644 index 0000000..be35958 Binary files /dev/null and b/www/_install/fixtures/fashion/img/st/Pembroke_Pines-medium_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/st/Pembroke_Pines.jpg b/www/_install/fixtures/fashion/img/st/Pembroke_Pines.jpg new file mode 100644 index 0000000..89dadb9 Binary files /dev/null and b/www/_install/fixtures/fashion/img/st/Pembroke_Pines.jpg differ diff --git a/www/_install/fixtures/fashion/img/st/index.php b/www/_install/fixtures/fashion/img/st/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/img/st/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..96c19ca Binary files /dev/null and b/www/_install/fixtures/fashion/img/su/Fashion_Supplier-large_default.jpg 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 new file mode 100644 index 0000000..755ebb9 Binary files /dev/null and b/www/_install/fixtures/fashion/img/su/Fashion_Supplier-medium_default.jpg 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 new file mode 100644 index 0000000..43833d1 Binary files /dev/null and b/www/_install/fixtures/fashion/img/su/Fashion_Supplier-small_default.jpg differ diff --git a/www/_install/fixtures/fashion/img/su/Fashion_Supplier.jpg b/www/_install/fixtures/fashion/img/su/Fashion_Supplier.jpg new file mode 100644 index 0000000..dd45668 Binary files /dev/null and b/www/_install/fixtures/fashion/img/su/Fashion_Supplier.jpg differ diff --git a/www/_install/fixtures/fashion/img/su/index.php b/www/_install/fixtures/fashion/img/su/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/img/su/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..faef08a --- /dev/null +++ b/www/_install/fixtures/fashion/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..115068c --- /dev/null +++ b/www/_install/fixtures/fashion/install.php @@ -0,0 +1,43 @@ + +* @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 new file mode 100644 index 0000000..94b6580 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/data/attribute.xml @@ -0,0 +1,75 @@ + + + + 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 new file mode 100644 index 0000000..17c82c6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/data/attribute_group.xml @@ -0,0 +1,15 @@ + + + + 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 new file mode 100644 index 0000000..09da13f --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/data/attributegroup.xml @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/bn/data/carrier.xml b/www/_install/fixtures/fashion/langs/bn/data/carrier.xml new file mode 100644 index 0000000..c59766e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/data/carrier.xml @@ -0,0 +1,6 @@ + + + + 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 new file mode 100644 index 0000000..19aee46 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/data/category.xml @@ -0,0 +1,81 @@ + + + + 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 new file mode 100644 index 0000000..e09b882 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/data/feature.xml @@ -0,0 +1,24 @@ + + + + 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 new file mode 100644 index 0000000..b918f11 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/data/feature_value.xml @@ -0,0 +1,102 @@ + + + + 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 new file mode 100644 index 0000000..7f943c0 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/data/featurevalue.xml @@ -0,0 +1,66 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/bn/data/image.xml b/www/_install/fixtures/fashion/langs/bn/data/image.xml new file mode 100644 index 0000000..0fc64cb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/data/image.xml @@ -0,0 +1,72 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/bn/data/index.php b/www/_install/fixtures/fashion/langs/bn/data/index.php new file mode 100644 index 0000000..f3a459e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..2f09cb6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/data/manufacturer.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/bn/data/order_message.xml b/www/_install/fixtures/fashion/langs/bn/data/order_message.xml new file mode 100644 index 0000000..93ad3b5 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/data/order_message.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..e743f5d --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/data/ordermessage.xml @@ -0,0 +1,7 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/bn/data/product.xml b/www/_install/fixtures/fashion/langs/bn/data/product.xml new file mode 100644 index 0000000..f6b6a1c --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/data/product.xml @@ -0,0 +1,80 @@ + + + + <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 new file mode 100644 index 0000000..04e6558 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/data/profile.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..708079e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/data/scene.xml @@ -0,0 +1,8 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/bn/data/supplier.xml b/www/_install/fixtures/fashion/langs/bn/data/supplier.xml new file mode 100644 index 0000000..0c375e8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/data/supplier.xml @@ -0,0 +1,9 @@ + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/bn/data/tag.xml b/www/_install/fixtures/fashion/langs/bn/data/tag.xml new file mode 100644 index 0000000..d413861 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/data/tag.xml @@ -0,0 +1,11 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/bn/index.php b/www/_install/fixtures/fashion/langs/bn/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/bn/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..5aa982d --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/data/attribute.xml @@ -0,0 +1,75 @@ + + + + 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 new file mode 100644 index 0000000..17c82c6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/data/attribute_group.xml @@ -0,0 +1,15 @@ + + + + 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 new file mode 100644 index 0000000..09da13f --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/data/attributegroup.xml @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/br/data/carrier.xml b/www/_install/fixtures/fashion/langs/br/data/carrier.xml new file mode 100644 index 0000000..d497ed1 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/data/carrier.xml @@ -0,0 +1,6 @@ + + + + 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 new file mode 100644 index 0000000..3d87fbd --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/data/category.xml @@ -0,0 +1,81 @@ + + + + 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 new file mode 100644 index 0000000..c96b071 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/data/feature.xml @@ -0,0 +1,24 @@ + + + + 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 new file mode 100644 index 0000000..2d7bbb7 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/data/feature_value.xml @@ -0,0 +1,102 @@ + + + + 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 new file mode 100644 index 0000000..7f943c0 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/data/featurevalue.xml @@ -0,0 +1,66 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/br/data/image.xml b/www/_install/fixtures/fashion/langs/br/data/image.xml new file mode 100644 index 0000000..0fc64cb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/data/image.xml @@ -0,0 +1,72 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/br/data/index.php b/www/_install/fixtures/fashion/langs/br/data/index.php new file mode 100644 index 0000000..f3a459e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..2f09cb6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/data/manufacturer.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/br/data/order_message.xml b/www/_install/fixtures/fashion/langs/br/data/order_message.xml new file mode 100644 index 0000000..76b70bd --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/data/order_message.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..e743f5d --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/data/ordermessage.xml @@ -0,0 +1,7 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/br/data/product.xml b/www/_install/fixtures/fashion/langs/br/data/product.xml new file mode 100644 index 0000000..8fe4786 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/data/product.xml @@ -0,0 +1,80 @@ + + + + <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 new file mode 100644 index 0000000..879171f --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/data/profile.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..708079e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/data/scene.xml @@ -0,0 +1,8 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/br/data/supplier.xml b/www/_install/fixtures/fashion/langs/br/data/supplier.xml new file mode 100644 index 0000000..0c375e8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/data/supplier.xml @@ -0,0 +1,9 @@ + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/br/data/tag.xml b/www/_install/fixtures/fashion/langs/br/data/tag.xml new file mode 100644 index 0000000..d413861 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/data/tag.xml @@ -0,0 +1,11 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/br/index.php b/www/_install/fixtures/fashion/langs/br/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/br/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..94b6580 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/data/attribute.xml @@ -0,0 +1,75 @@ + + + + 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 new file mode 100644 index 0000000..17c82c6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/data/attribute_group.xml @@ -0,0 +1,15 @@ + + + + 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 new file mode 100644 index 0000000..09da13f --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/data/attributegroup.xml @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/de/data/carrier.xml b/www/_install/fixtures/fashion/langs/de/data/carrier.xml new file mode 100644 index 0000000..c59766e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/data/carrier.xml @@ -0,0 +1,6 @@ + + + + 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 new file mode 100644 index 0000000..19aee46 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/data/category.xml @@ -0,0 +1,81 @@ + + + + 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 new file mode 100644 index 0000000..e09b882 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/data/feature.xml @@ -0,0 +1,24 @@ + + + + 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 new file mode 100644 index 0000000..b918f11 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/data/feature_value.xml @@ -0,0 +1,102 @@ + + + + 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 new file mode 100644 index 0000000..7f943c0 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/data/featurevalue.xml @@ -0,0 +1,66 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/de/data/image.xml b/www/_install/fixtures/fashion/langs/de/data/image.xml new file mode 100644 index 0000000..0fc64cb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/data/image.xml @@ -0,0 +1,72 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/de/data/index.php b/www/_install/fixtures/fashion/langs/de/data/index.php new file mode 100644 index 0000000..f3a459e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..2f09cb6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/data/manufacturer.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/de/data/order_message.xml b/www/_install/fixtures/fashion/langs/de/data/order_message.xml new file mode 100644 index 0000000..93ad3b5 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/data/order_message.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..e743f5d --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/data/ordermessage.xml @@ -0,0 +1,7 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/de/data/product.xml b/www/_install/fixtures/fashion/langs/de/data/product.xml new file mode 100644 index 0000000..f6b6a1c --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/data/product.xml @@ -0,0 +1,80 @@ + + + + <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 new file mode 100644 index 0000000..04e6558 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/data/profile.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..708079e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/data/scene.xml @@ -0,0 +1,8 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/de/data/supplier.xml b/www/_install/fixtures/fashion/langs/de/data/supplier.xml new file mode 100644 index 0000000..0c375e8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/data/supplier.xml @@ -0,0 +1,9 @@ + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/de/data/tag.xml b/www/_install/fixtures/fashion/langs/de/data/tag.xml new file mode 100644 index 0000000..d413861 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/data/tag.xml @@ -0,0 +1,11 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/de/index.php b/www/_install/fixtures/fashion/langs/de/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/de/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..94b6580 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/data/attribute.xml @@ -0,0 +1,75 @@ + + + + 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 new file mode 100644 index 0000000..17c82c6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/data/attribute_group.xml @@ -0,0 +1,15 @@ + + + + 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 new file mode 100644 index 0000000..09da13f --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/data/attributegroup.xml @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/en/data/carrier.xml b/www/_install/fixtures/fashion/langs/en/data/carrier.xml new file mode 100644 index 0000000..c59766e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/data/carrier.xml @@ -0,0 +1,6 @@ + + + + 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 new file mode 100644 index 0000000..19aee46 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/data/category.xml @@ -0,0 +1,81 @@ + + + + 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 new file mode 100644 index 0000000..e09b882 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/data/feature.xml @@ -0,0 +1,24 @@ + + + + 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 new file mode 100644 index 0000000..b918f11 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/data/feature_value.xml @@ -0,0 +1,102 @@ + + + + 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 new file mode 100644 index 0000000..7f943c0 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/data/featurevalue.xml @@ -0,0 +1,66 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/en/data/image.xml b/www/_install/fixtures/fashion/langs/en/data/image.xml new file mode 100644 index 0000000..0fc64cb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/data/image.xml @@ -0,0 +1,72 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/en/data/index.php b/www/_install/fixtures/fashion/langs/en/data/index.php new file mode 100644 index 0000000..f3a459e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..2f09cb6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/data/manufacturer.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/en/data/order_message.xml b/www/_install/fixtures/fashion/langs/en/data/order_message.xml new file mode 100644 index 0000000..93ad3b5 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/data/order_message.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..e743f5d --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/data/ordermessage.xml @@ -0,0 +1,7 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/en/data/product.xml b/www/_install/fixtures/fashion/langs/en/data/product.xml new file mode 100644 index 0000000..ba2927a --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/data/product.xml @@ -0,0 +1,80 @@ + + + + <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 new file mode 100644 index 0000000..04e6558 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/data/profile.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..708079e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/data/scene.xml @@ -0,0 +1,8 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/en/data/supplier.xml b/www/_install/fixtures/fashion/langs/en/data/supplier.xml new file mode 100644 index 0000000..0c375e8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/data/supplier.xml @@ -0,0 +1,9 @@ + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/en/data/tag.xml b/www/_install/fixtures/fashion/langs/en/data/tag.xml new file mode 100644 index 0000000..d413861 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/data/tag.xml @@ -0,0 +1,11 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/en/index.php b/www/_install/fixtures/fashion/langs/en/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/en/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..b9cc524 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/data/attribute.xml @@ -0,0 +1,75 @@ + + + + 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 new file mode 100644 index 0000000..17c82c6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/data/attribute_group.xml @@ -0,0 +1,15 @@ + + + + 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 new file mode 100644 index 0000000..09da13f --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/data/attributegroup.xml @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/es/data/carrier.xml b/www/_install/fixtures/fashion/langs/es/data/carrier.xml new file mode 100644 index 0000000..376638a --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/data/carrier.xml @@ -0,0 +1,6 @@ + + + + ¡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 new file mode 100644 index 0000000..97dc137 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/data/category.xml @@ -0,0 +1,81 @@ + + + + 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 new file mode 100644 index 0000000..b5d0ecf --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/data/feature.xml @@ -0,0 +1,24 @@ + + + + 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 new file mode 100644 index 0000000..f963a62 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/data/feature_value.xml @@ -0,0 +1,102 @@ + + + + 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 new file mode 100644 index 0000000..7f943c0 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/data/featurevalue.xml @@ -0,0 +1,66 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/es/data/image.xml b/www/_install/fixtures/fashion/langs/es/data/image.xml new file mode 100644 index 0000000..0fc64cb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/data/image.xml @@ -0,0 +1,72 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/es/data/index.php b/www/_install/fixtures/fashion/langs/es/data/index.php new file mode 100644 index 0000000..f3a459e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..2f09cb6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/data/manufacturer.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/es/data/order_message.xml b/www/_install/fixtures/fashion/langs/es/data/order_message.xml new file mode 100644 index 0000000..908ab13 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/data/order_message.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..e743f5d --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/data/ordermessage.xml @@ -0,0 +1,7 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/es/data/product.xml b/www/_install/fixtures/fashion/langs/es/data/product.xml new file mode 100644 index 0000000..abeb55b --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/data/product.xml @@ -0,0 +1,80 @@ + + + + <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 new file mode 100644 index 0000000..6dd663b --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/data/profile.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..708079e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/data/scene.xml @@ -0,0 +1,8 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/es/data/supplier.xml b/www/_install/fixtures/fashion/langs/es/data/supplier.xml new file mode 100644 index 0000000..0c375e8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/data/supplier.xml @@ -0,0 +1,9 @@ + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/es/data/tag.xml b/www/_install/fixtures/fashion/langs/es/data/tag.xml new file mode 100644 index 0000000..d413861 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/data/tag.xml @@ -0,0 +1,11 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/es/index.php b/www/_install/fixtures/fashion/langs/es/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/es/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..57e072b --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/data/attribute.xml @@ -0,0 +1,75 @@ + + + + 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 new file mode 100644 index 0000000..8739657 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/data/attribute_group.xml @@ -0,0 +1,15 @@ + + + + اندازه + اندازه + + + اندازه کفش + اندازه + + + رنگ + رنگ + + diff --git a/www/_install/fixtures/fashion/langs/fa/data/attributegroup.xml b/www/_install/fixtures/fashion/langs/fa/data/attributegroup.xml new file mode 100644 index 0000000..6e45ef6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/data/attributegroup.xml @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/fa/data/carrier.xml b/www/_install/fixtures/fashion/langs/fa/data/carrier.xml new file mode 100644 index 0000000..5289cf2 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/data/carrier.xml @@ -0,0 +1,6 @@ + + + + تحویل روز بعد! + + diff --git a/www/_install/fixtures/fashion/langs/fa/data/category.xml b/www/_install/fixtures/fashion/langs/fa/data/category.xml new file mode 100644 index 0000000..a82ed5a --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/data/category.xml @@ -0,0 +1,81 @@ + + + + زنانه + <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 new file mode 100644 index 0000000..69eade8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/data/feature.xml @@ -0,0 +1,24 @@ + + + + بلندی + + + پهنا + + + عمق + + + وزن + + + ترکیب + + + سبک + + + خواص + + diff --git a/www/_install/fixtures/fashion/langs/fa/data/feature_value.xml b/www/_install/fixtures/fashion/langs/fa/data/feature_value.xml new file mode 100644 index 0000000..9e62b4b --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/data/feature_value.xml @@ -0,0 +1,102 @@ + + + + پلی استر + + + پشم + + + ویسکوز + + + الاستین + + + نخ + + + ابریشم + + + جیر + + + حصیر + + + چرم + + + کلاسیک + + + راحتی + + + نظامی + + + دخترانه + + + سنگ + + + ساده + + + پیراهنی + + + آستین کوتاه + + + پیراهن رنگی + + + پیراهن کوتاه + + + پیراهن میدی + + + پیراهن ماکسی + + + 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 new file mode 100644 index 0000000..11717e2 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/data/featurevalue.xml @@ -0,0 +1,66 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/fa/data/image.xml b/www/_install/fixtures/fashion/langs/fa/data/image.xml new file mode 100644 index 0000000..0fc64cb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/data/image.xml @@ -0,0 +1,72 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/fa/data/index.php b/www/_install/fixtures/fashion/langs/fa/data/index.php new file mode 100644 index 0000000..f3a459e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..2f09cb6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/data/manufacturer.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/fa/data/order_message.xml b/www/_install/fixtures/fashion/langs/fa/data/order_message.xml new file mode 100644 index 0000000..7e65909 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/data/order_message.xml @@ -0,0 +1,12 @@ + + + + تاخیر + درود, + + متأسفانه، یکی از موارد سفارش شما در انبار موجود نیست. این ممکن است باعث یک تأخیر کوتاه در تحویل شود. + لطفاً عذرخواهی ما را پذیرا باشید و مطمئن باشید برای رفع آن سخت تلاش خواهیم کرد. + +پیروز باشید, + + diff --git a/www/_install/fixtures/fashion/langs/fa/data/ordermessage.xml b/www/_install/fixtures/fashion/langs/fa/data/ordermessage.xml new file mode 100644 index 0000000..d22a710 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/data/ordermessage.xml @@ -0,0 +1,12 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/fa/data/product.xml b/www/_install/fixtures/fashion/langs/fa/data/product.xml new file mode 100644 index 0000000..d1696e3 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/data/product.xml @@ -0,0 +1,80 @@ + + + + <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 new file mode 100644 index 0000000..0ca3c4e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/data/profile.xml @@ -0,0 +1,12 @@ + + + + پشتیبان + + + مترجم + + + مسئول فروش + + diff --git a/www/_install/fixtures/fashion/langs/fa/data/scene.xml b/www/_install/fixtures/fashion/langs/fa/data/scene.xml new file mode 100644 index 0000000..708079e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/data/scene.xml @@ -0,0 +1,8 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/fa/data/supplier.xml b/www/_install/fixtures/fashion/langs/fa/data/supplier.xml new file mode 100644 index 0000000..0c375e8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/data/supplier.xml @@ -0,0 +1,9 @@ + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/fa/data/tag.xml b/www/_install/fixtures/fashion/langs/fa/data/tag.xml new file mode 100644 index 0000000..d413861 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/data/tag.xml @@ -0,0 +1,11 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/fa/index.php b/www/_install/fixtures/fashion/langs/fa/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fa/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..c30ff93 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/data/attribute.xml @@ -0,0 +1,75 @@ + + + + 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 new file mode 100644 index 0000000..03aa3b8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/data/attribute_group.xml @@ -0,0 +1,15 @@ + + + + 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 new file mode 100644 index 0000000..09da13f --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/data/attributegroup.xml @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/fr/data/carrier.xml b/www/_install/fixtures/fashion/langs/fr/data/carrier.xml new file mode 100644 index 0000000..85501d5 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/data/carrier.xml @@ -0,0 +1,6 @@ + + + + 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 new file mode 100644 index 0000000..988e631 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/data/category.xml @@ -0,0 +1,81 @@ + + + + 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 new file mode 100644 index 0000000..98248bb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/data/feature.xml @@ -0,0 +1,24 @@ + + + + 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 new file mode 100644 index 0000000..9075c3b --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/data/feature_value.xml @@ -0,0 +1,102 @@ + + + + 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 new file mode 100644 index 0000000..7f943c0 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/data/featurevalue.xml @@ -0,0 +1,66 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/fr/data/image.xml b/www/_install/fixtures/fashion/langs/fr/data/image.xml new file mode 100644 index 0000000..0fc64cb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/data/image.xml @@ -0,0 +1,72 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/fr/data/index.php b/www/_install/fixtures/fashion/langs/fr/data/index.php new file mode 100644 index 0000000..f3a459e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..2f09cb6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/data/manufacturer.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/fr/data/order_message.xml b/www/_install/fixtures/fashion/langs/fr/data/order_message.xml new file mode 100644 index 0000000..673acae --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/data/order_message.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..90386d0 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/data/ordermessage.xml @@ -0,0 +1,12 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/fr/data/product.xml b/www/_install/fixtures/fashion/langs/fr/data/product.xml new file mode 100644 index 0000000..a80ad09 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/data/product.xml @@ -0,0 +1,80 @@ + + + + <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 new file mode 100644 index 0000000..1f0f97c --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/data/profile.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..708079e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/data/scene.xml @@ -0,0 +1,8 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/fr/data/supplier.xml b/www/_install/fixtures/fashion/langs/fr/data/supplier.xml new file mode 100644 index 0000000..0c375e8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/data/supplier.xml @@ -0,0 +1,9 @@ + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/fr/data/tag.xml b/www/_install/fixtures/fashion/langs/fr/data/tag.xml new file mode 100644 index 0000000..d413861 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/data/tag.xml @@ -0,0 +1,11 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/fr/index.php b/www/_install/fixtures/fashion/langs/fr/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/fr/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..94b6580 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/data/attribute.xml @@ -0,0 +1,75 @@ + + + + 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 new file mode 100644 index 0000000..17c82c6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/data/attribute_group.xml @@ -0,0 +1,15 @@ + + + + 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 new file mode 100644 index 0000000..09da13f --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/data/attributegroup.xml @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/id/data/carrier.xml b/www/_install/fixtures/fashion/langs/id/data/carrier.xml new file mode 100644 index 0000000..c59766e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/data/carrier.xml @@ -0,0 +1,6 @@ + + + + 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 new file mode 100644 index 0000000..19aee46 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/data/category.xml @@ -0,0 +1,81 @@ + + + + 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 new file mode 100644 index 0000000..e09b882 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/data/feature.xml @@ -0,0 +1,24 @@ + + + + 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 new file mode 100644 index 0000000..b918f11 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/data/feature_value.xml @@ -0,0 +1,102 @@ + + + + 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 new file mode 100644 index 0000000..7f943c0 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/data/featurevalue.xml @@ -0,0 +1,66 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/id/data/image.xml b/www/_install/fixtures/fashion/langs/id/data/image.xml new file mode 100644 index 0000000..0fc64cb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/data/image.xml @@ -0,0 +1,72 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/id/data/index.php b/www/_install/fixtures/fashion/langs/id/data/index.php new file mode 100644 index 0000000..f3a459e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..2f09cb6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/data/manufacturer.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/id/data/order_message.xml b/www/_install/fixtures/fashion/langs/id/data/order_message.xml new file mode 100644 index 0000000..93ad3b5 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/data/order_message.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..e743f5d --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/data/ordermessage.xml @@ -0,0 +1,7 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/id/data/product.xml b/www/_install/fixtures/fashion/langs/id/data/product.xml new file mode 100644 index 0000000..f6b6a1c --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/data/product.xml @@ -0,0 +1,80 @@ + + + + <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 new file mode 100644 index 0000000..04e6558 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/data/profile.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..708079e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/data/scene.xml @@ -0,0 +1,8 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/id/data/supplier.xml b/www/_install/fixtures/fashion/langs/id/data/supplier.xml new file mode 100644 index 0000000..0c375e8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/data/supplier.xml @@ -0,0 +1,9 @@ + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/id/data/tag.xml b/www/_install/fixtures/fashion/langs/id/data/tag.xml new file mode 100644 index 0000000..d413861 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/data/tag.xml @@ -0,0 +1,11 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/id/index.php b/www/_install/fixtures/fashion/langs/id/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/id/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..b5fc656 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..222283a --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/data/attribute.xml @@ -0,0 +1,75 @@ + + + + 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 new file mode 100644 index 0000000..17c82c6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/data/attribute_group.xml @@ -0,0 +1,15 @@ + + + + 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 new file mode 100644 index 0000000..09da13f --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/data/attributegroup.xml @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/it/data/carrier.xml b/www/_install/fixtures/fashion/langs/it/data/carrier.xml new file mode 100644 index 0000000..0cef824 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/data/carrier.xml @@ -0,0 +1,6 @@ + + + + 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 new file mode 100644 index 0000000..2f4cc0d --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/data/category.xml @@ -0,0 +1,81 @@ + + + + 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 new file mode 100644 index 0000000..20e43fb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/data/feature.xml @@ -0,0 +1,24 @@ + + + + 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 new file mode 100644 index 0000000..ca6d38a --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/data/feature_value.xml @@ -0,0 +1,102 @@ + + + + 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 new file mode 100644 index 0000000..7f943c0 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/data/featurevalue.xml @@ -0,0 +1,66 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/it/data/image.xml b/www/_install/fixtures/fashion/langs/it/data/image.xml new file mode 100644 index 0000000..0fc64cb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/data/image.xml @@ -0,0 +1,72 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/it/data/index.php b/www/_install/fixtures/fashion/langs/it/data/index.php new file mode 100644 index 0000000..f3a459e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..2f09cb6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/data/manufacturer.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/it/data/order_message.xml b/www/_install/fixtures/fashion/langs/it/data/order_message.xml new file mode 100644 index 0000000..59201aa --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/data/order_message.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..e743f5d --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/data/ordermessage.xml @@ -0,0 +1,7 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/it/data/product.xml b/www/_install/fixtures/fashion/langs/it/data/product.xml new file mode 100644 index 0000000..f9146a1 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/data/product.xml @@ -0,0 +1,80 @@ + + + + <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 new file mode 100644 index 0000000..abdf63c --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/data/profile.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..708079e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/data/scene.xml @@ -0,0 +1,8 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/it/data/supplier.xml b/www/_install/fixtures/fashion/langs/it/data/supplier.xml new file mode 100644 index 0000000..0c375e8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/data/supplier.xml @@ -0,0 +1,9 @@ + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/it/data/tag.xml b/www/_install/fixtures/fashion/langs/it/data/tag.xml new file mode 100644 index 0000000..d413861 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/data/tag.xml @@ -0,0 +1,11 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/it/index.php b/www/_install/fixtures/fashion/langs/it/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/it/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..1af3d61 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/data/attribute.xml @@ -0,0 +1,75 @@ + + + + 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 new file mode 100644 index 0000000..17c82c6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/data/attribute_group.xml @@ -0,0 +1,15 @@ + + + + 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 new file mode 100644 index 0000000..09da13f --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/data/attributegroup.xml @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/nl/data/carrier.xml b/www/_install/fixtures/fashion/langs/nl/data/carrier.xml new file mode 100644 index 0000000..072f76c --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/data/carrier.xml @@ -0,0 +1,6 @@ + + + + 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 new file mode 100644 index 0000000..a31bc5f --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/data/category.xml @@ -0,0 +1,75 @@ + + + + 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 new file mode 100644 index 0000000..23ba29e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/data/feature.xml @@ -0,0 +1,24 @@ + + + + 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 new file mode 100644 index 0000000..89d6f12 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/data/feature_value.xml @@ -0,0 +1,102 @@ + + + + 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 new file mode 100644 index 0000000..7f943c0 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/data/featurevalue.xml @@ -0,0 +1,66 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/nl/data/image.xml b/www/_install/fixtures/fashion/langs/nl/data/image.xml new file mode 100644 index 0000000..0fc64cb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/data/image.xml @@ -0,0 +1,72 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/nl/data/index.php b/www/_install/fixtures/fashion/langs/nl/data/index.php new file mode 100644 index 0000000..f3a459e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..2f09cb6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/data/manufacturer.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/nl/data/order_message.xml b/www/_install/fixtures/fashion/langs/nl/data/order_message.xml new file mode 100644 index 0000000..02b0ed7 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/data/order_message.xml @@ -0,0 +1,7 @@ + + + + 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 new file mode 100644 index 0000000..e743f5d --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/data/ordermessage.xml @@ -0,0 +1,7 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/nl/data/product.xml b/www/_install/fixtures/fashion/langs/nl/data/product.xml new file mode 100644 index 0000000..e7c2d46 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/data/product.xml @@ -0,0 +1,80 @@ + + + + <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 new file mode 100644 index 0000000..92fa0ec --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/data/profile.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..708079e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/data/scene.xml @@ -0,0 +1,8 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/nl/data/supplier.xml b/www/_install/fixtures/fashion/langs/nl/data/supplier.xml new file mode 100644 index 0000000..0c375e8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/data/supplier.xml @@ -0,0 +1,9 @@ + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/nl/data/tag.xml b/www/_install/fixtures/fashion/langs/nl/data/tag.xml new file mode 100644 index 0000000..d413861 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/data/tag.xml @@ -0,0 +1,11 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/nl/index.php b/www/_install/fixtures/fashion/langs/nl/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/nl/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..94b6580 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/data/attribute.xml @@ -0,0 +1,75 @@ + + + + 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 new file mode 100644 index 0000000..17c82c6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/data/attribute_group.xml @@ -0,0 +1,15 @@ + + + + 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 new file mode 100644 index 0000000..09da13f --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/data/attributegroup.xml @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/pl/data/carrier.xml b/www/_install/fixtures/fashion/langs/pl/data/carrier.xml new file mode 100644 index 0000000..c59766e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/data/carrier.xml @@ -0,0 +1,6 @@ + + + + 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 new file mode 100644 index 0000000..19aee46 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/data/category.xml @@ -0,0 +1,81 @@ + + + + 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 new file mode 100644 index 0000000..e09b882 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/data/feature.xml @@ -0,0 +1,24 @@ + + + + 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 new file mode 100644 index 0000000..b918f11 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/data/feature_value.xml @@ -0,0 +1,102 @@ + + + + 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 new file mode 100644 index 0000000..7f943c0 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/data/featurevalue.xml @@ -0,0 +1,66 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/pl/data/image.xml b/www/_install/fixtures/fashion/langs/pl/data/image.xml new file mode 100644 index 0000000..0fc64cb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/data/image.xml @@ -0,0 +1,72 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/pl/data/index.php b/www/_install/fixtures/fashion/langs/pl/data/index.php new file mode 100644 index 0000000..f3a459e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..2f09cb6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/data/manufacturer.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/pl/data/order_message.xml b/www/_install/fixtures/fashion/langs/pl/data/order_message.xml new file mode 100644 index 0000000..93ad3b5 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/data/order_message.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..e743f5d --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/data/ordermessage.xml @@ -0,0 +1,7 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/pl/data/product.xml b/www/_install/fixtures/fashion/langs/pl/data/product.xml new file mode 100644 index 0000000..f6b6a1c --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/data/product.xml @@ -0,0 +1,80 @@ + + + + <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 new file mode 100644 index 0000000..04e6558 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/data/profile.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..708079e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/data/scene.xml @@ -0,0 +1,8 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/pl/data/supplier.xml b/www/_install/fixtures/fashion/langs/pl/data/supplier.xml new file mode 100644 index 0000000..0c375e8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/data/supplier.xml @@ -0,0 +1,9 @@ + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/pl/data/tag.xml b/www/_install/fixtures/fashion/langs/pl/data/tag.xml new file mode 100644 index 0000000..d413861 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/data/tag.xml @@ -0,0 +1,11 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/pl/index.php b/www/_install/fixtures/fashion/langs/pl/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/pl/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..c30ff93 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/data/attribute.xml @@ -0,0 +1,75 @@ + + + + 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 new file mode 100644 index 0000000..03aa3b8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/data/attribute_group.xml @@ -0,0 +1,15 @@ + + + + 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 new file mode 100644 index 0000000..09da13f --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/data/attributegroup.xml @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/qc/data/carrier.xml b/www/_install/fixtures/fashion/langs/qc/data/carrier.xml new file mode 100644 index 0000000..85501d5 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/data/carrier.xml @@ -0,0 +1,6 @@ + + + + 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 new file mode 100644 index 0000000..988e631 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/data/category.xml @@ -0,0 +1,81 @@ + + + + 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 new file mode 100644 index 0000000..98248bb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/data/feature.xml @@ -0,0 +1,24 @@ + + + + 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 new file mode 100644 index 0000000..9075c3b --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/data/feature_value.xml @@ -0,0 +1,102 @@ + + + + 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 new file mode 100644 index 0000000..7f943c0 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/data/featurevalue.xml @@ -0,0 +1,66 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/qc/data/image.xml b/www/_install/fixtures/fashion/langs/qc/data/image.xml new file mode 100644 index 0000000..0fc64cb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/data/image.xml @@ -0,0 +1,72 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/qc/data/index.php b/www/_install/fixtures/fashion/langs/qc/data/index.php new file mode 100644 index 0000000..f3a459e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..2f09cb6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/data/manufacturer.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/qc/data/order_message.xml b/www/_install/fixtures/fashion/langs/qc/data/order_message.xml new file mode 100644 index 0000000..673acae --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/data/order_message.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..90386d0 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/data/ordermessage.xml @@ -0,0 +1,12 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/qc/data/product.xml b/www/_install/fixtures/fashion/langs/qc/data/product.xml new file mode 100644 index 0000000..a80ad09 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/data/product.xml @@ -0,0 +1,80 @@ + + + + <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 new file mode 100644 index 0000000..1f0f97c --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/data/profile.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..708079e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/data/scene.xml @@ -0,0 +1,8 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/qc/data/supplier.xml b/www/_install/fixtures/fashion/langs/qc/data/supplier.xml new file mode 100644 index 0000000..0c375e8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/data/supplier.xml @@ -0,0 +1,9 @@ + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/qc/data/tag.xml b/www/_install/fixtures/fashion/langs/qc/data/tag.xml new file mode 100644 index 0000000..d413861 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/data/tag.xml @@ -0,0 +1,11 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/qc/index.php b/www/_install/fixtures/fashion/langs/qc/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/qc/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..8bf3eec --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/data/attribute.xml @@ -0,0 +1,75 @@ + + + + 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 new file mode 100644 index 0000000..b838280 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/data/attribute_group.xml @@ -0,0 +1,15 @@ + + + + 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 new file mode 100644 index 0000000..ec3a514 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/data/attributegroup.xml @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/ro/data/carrier.xml b/www/_install/fixtures/fashion/langs/ro/data/carrier.xml new file mode 100644 index 0000000..965015f --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/data/carrier.xml @@ -0,0 +1,6 @@ + + + + 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 new file mode 100644 index 0000000..a6a5158 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/data/category.xml @@ -0,0 +1,81 @@ + + + + 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 new file mode 100644 index 0000000..ab248a9 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/data/feature.xml @@ -0,0 +1,24 @@ + + + + Î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 new file mode 100644 index 0000000..dadd69c --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/data/feature_value.xml @@ -0,0 +1,102 @@ + + + + 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 new file mode 100644 index 0000000..d74910e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/data/featurevalue.xml @@ -0,0 +1,66 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/ro/data/image.xml b/www/_install/fixtures/fashion/langs/ro/data/image.xml new file mode 100644 index 0000000..0fc64cb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/data/image.xml @@ -0,0 +1,72 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/ro/data/index.php b/www/_install/fixtures/fashion/langs/ro/data/index.php new file mode 100644 index 0000000..f3a459e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..2f09cb6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/data/manufacturer.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/ro/data/order_message.xml b/www/_install/fixtures/fashion/langs/ro/data/order_message.xml new file mode 100644 index 0000000..9ab1b01 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/data/order_message.xml @@ -0,0 +1,12 @@ + + + + Î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 new file mode 100644 index 0000000..fdb22ec --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/data/ordermessage.xml @@ -0,0 +1,7 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/ro/data/product.xml b/www/_install/fixtures/fashion/langs/ro/data/product.xml new file mode 100644 index 0000000..ade812b --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/data/product.xml @@ -0,0 +1,80 @@ + + + + <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 new file mode 100644 index 0000000..fd1a8a9 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/data/profile.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..93096ef --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/data/scene.xml @@ -0,0 +1,8 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/ro/data/supplier.xml b/www/_install/fixtures/fashion/langs/ro/data/supplier.xml new file mode 100644 index 0000000..0c375e8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/data/supplier.xml @@ -0,0 +1,9 @@ + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/ro/data/tag.xml b/www/_install/fixtures/fashion/langs/ro/data/tag.xml new file mode 100644 index 0000000..d413861 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/data/tag.xml @@ -0,0 +1,11 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/ro/index.php b/www/_install/fixtures/fashion/langs/ro/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ro/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..94b6580 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/data/attribute.xml @@ -0,0 +1,75 @@ + + + + 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 new file mode 100644 index 0000000..17c82c6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/data/attribute_group.xml @@ -0,0 +1,15 @@ + + + + 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 new file mode 100644 index 0000000..09da13f --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/data/attributegroup.xml @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/ru/data/carrier.xml b/www/_install/fixtures/fashion/langs/ru/data/carrier.xml new file mode 100644 index 0000000..c59766e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/data/carrier.xml @@ -0,0 +1,6 @@ + + + + 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 new file mode 100644 index 0000000..19aee46 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/data/category.xml @@ -0,0 +1,81 @@ + + + + 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 new file mode 100644 index 0000000..e09b882 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/data/feature.xml @@ -0,0 +1,24 @@ + + + + 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 new file mode 100644 index 0000000..b918f11 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/data/feature_value.xml @@ -0,0 +1,102 @@ + + + + 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 new file mode 100644 index 0000000..7f943c0 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/data/featurevalue.xml @@ -0,0 +1,66 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/ru/data/image.xml b/www/_install/fixtures/fashion/langs/ru/data/image.xml new file mode 100644 index 0000000..0fc64cb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/data/image.xml @@ -0,0 +1,72 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/ru/data/index.php b/www/_install/fixtures/fashion/langs/ru/data/index.php new file mode 100644 index 0000000..f3a459e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..2f09cb6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/data/manufacturer.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/ru/data/order_message.xml b/www/_install/fixtures/fashion/langs/ru/data/order_message.xml new file mode 100644 index 0000000..93ad3b5 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/data/order_message.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..e743f5d --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/data/ordermessage.xml @@ -0,0 +1,7 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/ru/data/product.xml b/www/_install/fixtures/fashion/langs/ru/data/product.xml new file mode 100644 index 0000000..f6b6a1c --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/data/product.xml @@ -0,0 +1,80 @@ + + + + <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 new file mode 100644 index 0000000..04e6558 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/data/profile.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..708079e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/data/scene.xml @@ -0,0 +1,8 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/ru/data/supplier.xml b/www/_install/fixtures/fashion/langs/ru/data/supplier.xml new file mode 100644 index 0000000..0c375e8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/data/supplier.xml @@ -0,0 +1,9 @@ + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/ru/data/tag.xml b/www/_install/fixtures/fashion/langs/ru/data/tag.xml new file mode 100644 index 0000000..d413861 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/data/tag.xml @@ -0,0 +1,11 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/ru/index.php b/www/_install/fixtures/fashion/langs/ru/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/ru/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..94b6580 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/data/attribute.xml @@ -0,0 +1,75 @@ + + + + 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 new file mode 100644 index 0000000..17c82c6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/data/attribute_group.xml @@ -0,0 +1,15 @@ + + + + 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 new file mode 100644 index 0000000..09da13f --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/data/attributegroup.xml @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/tw/data/carrier.xml b/www/_install/fixtures/fashion/langs/tw/data/carrier.xml new file mode 100644 index 0000000..c59766e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/data/carrier.xml @@ -0,0 +1,6 @@ + + + + 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 new file mode 100644 index 0000000..19aee46 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/data/category.xml @@ -0,0 +1,81 @@ + + + + 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 new file mode 100644 index 0000000..e09b882 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/data/feature.xml @@ -0,0 +1,24 @@ + + + + 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 new file mode 100644 index 0000000..b918f11 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/data/feature_value.xml @@ -0,0 +1,102 @@ + + + + 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 new file mode 100644 index 0000000..7f943c0 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/data/featurevalue.xml @@ -0,0 +1,66 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/tw/data/image.xml b/www/_install/fixtures/fashion/langs/tw/data/image.xml new file mode 100644 index 0000000..0fc64cb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/data/image.xml @@ -0,0 +1,72 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/tw/data/index.php b/www/_install/fixtures/fashion/langs/tw/data/index.php new file mode 100644 index 0000000..f3a459e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..2f09cb6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/data/manufacturer.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/tw/data/order_message.xml b/www/_install/fixtures/fashion/langs/tw/data/order_message.xml new file mode 100644 index 0000000..93ad3b5 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/data/order_message.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..e743f5d --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/data/ordermessage.xml @@ -0,0 +1,7 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/tw/data/product.xml b/www/_install/fixtures/fashion/langs/tw/data/product.xml new file mode 100644 index 0000000..f6b6a1c --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/data/product.xml @@ -0,0 +1,80 @@ + + + + <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 new file mode 100644 index 0000000..04e6558 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/data/profile.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..708079e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/data/scene.xml @@ -0,0 +1,8 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/tw/data/supplier.xml b/www/_install/fixtures/fashion/langs/tw/data/supplier.xml new file mode 100644 index 0000000..0c375e8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/data/supplier.xml @@ -0,0 +1,9 @@ + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/tw/data/tag.xml b/www/_install/fixtures/fashion/langs/tw/data/tag.xml new file mode 100644 index 0000000..d413861 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/data/tag.xml @@ -0,0 +1,11 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/tw/index.php b/www/_install/fixtures/fashion/langs/tw/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/tw/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..94b6580 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/data/attribute.xml @@ -0,0 +1,75 @@ + + + + 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 new file mode 100644 index 0000000..17c82c6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/data/attribute_group.xml @@ -0,0 +1,15 @@ + + + + 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 new file mode 100644 index 0000000..09da13f --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/data/attributegroup.xml @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/vn/data/carrier.xml b/www/_install/fixtures/fashion/langs/vn/data/carrier.xml new file mode 100644 index 0000000..c59766e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/data/carrier.xml @@ -0,0 +1,6 @@ + + + + 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 new file mode 100644 index 0000000..19aee46 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/data/category.xml @@ -0,0 +1,81 @@ + + + + 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 new file mode 100644 index 0000000..974c654 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/data/feature.xml @@ -0,0 +1,24 @@ + + + + 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 new file mode 100644 index 0000000..b918f11 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/data/feature_value.xml @@ -0,0 +1,102 @@ + + + + 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 new file mode 100644 index 0000000..7f943c0 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/data/featurevalue.xml @@ -0,0 +1,66 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/vn/data/image.xml b/www/_install/fixtures/fashion/langs/vn/data/image.xml new file mode 100644 index 0000000..0fc64cb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/data/image.xml @@ -0,0 +1,72 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/vn/data/index.php b/www/_install/fixtures/fashion/langs/vn/data/index.php new file mode 100644 index 0000000..f3a459e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..2f09cb6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/data/manufacturer.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/vn/data/order_message.xml b/www/_install/fixtures/fashion/langs/vn/data/order_message.xml new file mode 100644 index 0000000..93ad3b5 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/data/order_message.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..e743f5d --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/data/ordermessage.xml @@ -0,0 +1,7 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/vn/data/product.xml b/www/_install/fixtures/fashion/langs/vn/data/product.xml new file mode 100644 index 0000000..ba2927a --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/data/product.xml @@ -0,0 +1,80 @@ + + + + <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 new file mode 100644 index 0000000..04e6558 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/data/profile.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..708079e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/data/scene.xml @@ -0,0 +1,8 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/vn/data/supplier.xml b/www/_install/fixtures/fashion/langs/vn/data/supplier.xml new file mode 100644 index 0000000..0c375e8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/data/supplier.xml @@ -0,0 +1,9 @@ + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/vn/data/tag.xml b/www/_install/fixtures/fashion/langs/vn/data/tag.xml new file mode 100644 index 0000000..d413861 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/data/tag.xml @@ -0,0 +1,11 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/vn/index.php b/www/_install/fixtures/fashion/langs/vn/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/vn/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..94b6580 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/data/attribute.xml @@ -0,0 +1,75 @@ + + + + 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 new file mode 100644 index 0000000..17c82c6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/data/attribute_group.xml @@ -0,0 +1,15 @@ + + + + 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 new file mode 100644 index 0000000..09da13f --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/data/attributegroup.xml @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/zh/data/carrier.xml b/www/_install/fixtures/fashion/langs/zh/data/carrier.xml new file mode 100644 index 0000000..c59766e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/data/carrier.xml @@ -0,0 +1,6 @@ + + + + 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 new file mode 100644 index 0000000..19aee46 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/data/category.xml @@ -0,0 +1,81 @@ + + + + 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 new file mode 100644 index 0000000..e09b882 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/data/feature.xml @@ -0,0 +1,24 @@ + + + + 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 new file mode 100644 index 0000000..b918f11 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/data/feature_value.xml @@ -0,0 +1,102 @@ + + + + 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 new file mode 100644 index 0000000..7f943c0 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/data/featurevalue.xml @@ -0,0 +1,66 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/zh/data/image.xml b/www/_install/fixtures/fashion/langs/zh/data/image.xml new file mode 100644 index 0000000..0fc64cb --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/data/image.xml @@ -0,0 +1,72 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/zh/data/index.php b/www/_install/fixtures/fashion/langs/zh/data/index.php new file mode 100644 index 0000000..f3a459e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..2f09cb6 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/data/manufacturer.xml @@ -0,0 +1,10 @@ + + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/zh/data/order_message.xml b/www/_install/fixtures/fashion/langs/zh/data/order_message.xml new file mode 100644 index 0000000..93ad3b5 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/data/order_message.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..e743f5d --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/data/ordermessage.xml @@ -0,0 +1,7 @@ + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/zh/data/product.xml b/www/_install/fixtures/fashion/langs/zh/data/product.xml new file mode 100644 index 0000000..f6b6a1c --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/data/product.xml @@ -0,0 +1,80 @@ + + + + <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 new file mode 100644 index 0000000..04e6558 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/data/profile.xml @@ -0,0 +1,12 @@ + + + + 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 new file mode 100644 index 0000000..708079e --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/data/scene.xml @@ -0,0 +1,8 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/zh/data/supplier.xml b/www/_install/fixtures/fashion/langs/zh/data/supplier.xml new file mode 100644 index 0000000..0c375e8 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/data/supplier.xml @@ -0,0 +1,9 @@ + + + + + + + + + diff --git a/www/_install/fixtures/fashion/langs/zh/data/tag.xml b/www/_install/fixtures/fashion/langs/zh/data/tag.xml new file mode 100644 index 0000000..d413861 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/data/tag.xml @@ -0,0 +1,11 @@ + + + + diff --git a/www/_install/fixtures/fashion/langs/zh/index.php b/www/_install/fixtures/fashion/langs/zh/index.php new file mode 100644 index 0000000..e1e89f3 --- /dev/null +++ b/www/_install/fixtures/fashion/langs/zh/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..a0a3051 --- /dev/null +++ b/www/_install/fixtures/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..9bab05e --- /dev/null +++ b/www/_install/index.php @@ -0,0 +1,34 @@ + +* @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 new file mode 100644 index 0000000..20287ce --- /dev/null +++ b/www/_install/index_cli.php @@ -0,0 +1,38 @@ + +* @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 new file mode 100644 index 0000000..3013cc5 --- /dev/null +++ b/www/_install/init.php @@ -0,0 +1,126 @@ + +* @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 new file mode 100644 index 0000000..2fd533a --- /dev/null +++ b/www/_install/install_version.php @@ -0,0 +1,27 @@ + +* @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 new file mode 100644 index 0000000..343fa6f --- /dev/null +++ b/www/_install/langs/bg/data/carrier.xml @@ -0,0 +1,6 @@ + + + + Pick up in-store + + diff --git a/www/_install/langs/bg/data/category.xml b/www/_install/langs/bg/data/category.xml new file mode 100644 index 0000000..87b90b9 --- /dev/null +++ b/www/_install/langs/bg/data/category.xml @@ -0,0 +1,19 @@ + + + + Root + + root + + + + + + Home + + home + + + + + diff --git a/www/_install/langs/bg/data/cms.xml b/www/_install/langs/bg/data/cms.xml new file mode 100644 index 0000000..862d84f --- /dev/null +++ b/www/_install/langs/bg/data/cms.xml @@ -0,0 +1,81 @@ + + + + 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 new file mode 100644 index 0000000..ceb8cf4 --- /dev/null +++ b/www/_install/langs/bg/data/cms_category.xml @@ -0,0 +1,11 @@ + + + + Home + + home + + + + + diff --git a/www/_install/langs/bg/data/configuration.xml b/www/_install/langs/bg/data/configuration.xml new file mode 100644 index 0000000..b4bf4ef --- /dev/null +++ b/www/_install/langs/bg/data/configuration.xml @@ -0,0 +1,24 @@ + + + + #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 new file mode 100644 index 0000000..bdc0b24 --- /dev/null +++ b/www/_install/langs/bg/data/contact.xml @@ -0,0 +1,9 @@ + + + + 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 new file mode 100644 index 0000000..d57ea1e --- /dev/null +++ b/www/_install/langs/bg/data/country.xml @@ -0,0 +1,735 @@ + + + + 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 new file mode 100644 index 0000000..2b2a4aa --- /dev/null +++ b/www/_install/langs/bg/data/gender.xml @@ -0,0 +1,5 @@ + + + + + diff --git a/www/_install/langs/bg/data/group.xml b/www/_install/langs/bg/data/group.xml new file mode 100644 index 0000000..2d1b709 --- /dev/null +++ b/www/_install/langs/bg/data/group.xml @@ -0,0 +1,6 @@ + + + + + + diff --git a/www/_install/langs/bg/data/index.php b/www/_install/langs/bg/data/index.php new file mode 100644 index 0000000..b5fc656 --- /dev/null +++ b/www/_install/langs/bg/data/index.php @@ -0,0 +1,35 @@ + +* @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 new file mode 100644 index 0000000..f5e4949 --- /dev/null +++ b/www/_install/langs/bg/data/meta.xml @@ -0,0 +1,165 @@ + + + + 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 new file mode 100644 index 0000000..37ad31d --- /dev/null +++ b/www/_install/langs/bg/data/order_return_state.xml @@ -0,0 +1,18 @@ + + + + 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 new file mode 100644 index 0000000..df07fb2 --- /dev/null +++ b/www/_install/langs/bg/data/order_state.xml @@ -0,0 +1,59 @@ + + + + Awaiting check payment + + + + Payment accepted + + + + Processing in progress + + + + Shipped + + + + Delivered +