diff --git a/Adapter/Adapter_AddressFactory.php b/Adapter/Adapter_AddressFactory.php
new file mode 100644
index 00000000..927f2be0
--- /dev/null
+++ b/Adapter/Adapter_AddressFactory.php
@@ -0,0 +1,51 @@
+
+ * @copyright 2007-2015 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/Adapter/Adapter_Configuration.php b/Adapter/Adapter_Configuration.php
new file mode 100644
index 00000000..bcc3aebb
--- /dev/null
+++ b/Adapter/Adapter_Configuration.php
@@ -0,0 +1,44 @@
+
+ * @copyright 2007-2015 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/Adapter/Adapter_Database.php b/Adapter/Adapter_Database.php
new file mode 100644
index 00000000..53d74def
--- /dev/null
+++ b/Adapter/Adapter_Database.php
@@ -0,0 +1,52 @@
+
+ * @copyright 2007-2015 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/Adapter/Adapter_EntityMapper.php b/Adapter/Adapter_EntityMapper.php
new file mode 100644
index 00000000..ffa0a44c
--- /dev/null
+++ b/Adapter/Adapter_EntityMapper.php
@@ -0,0 +1,107 @@
+
+ * @copyright 2007-2015 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/Adapter/Adapter_EntityMetaDataRetriever.php b/Adapter/Adapter_EntityMetaDataRetriever.php
new file mode 100644
index 00000000..d1e418db
--- /dev/null
+++ b/Adapter/Adapter_EntityMetaDataRetriever.php
@@ -0,0 +1,51 @@
+
+ * @copyright 2007-2015 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/Adapter/Adapter_Exception.php b/Adapter/Adapter_Exception.php
new file mode 100644
index 00000000..e8108f42
--- /dev/null
+++ b/Adapter/Adapter_Exception.php
@@ -0,0 +1,29 @@
+
+ * @copyright 2007-2015 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
+{
+}
\ No newline at end of file
diff --git a/Adapter/Adapter_ProductPriceCalculator.php b/Adapter/Adapter_ProductPriceCalculator.php
new file mode 100644
index 00000000..53676297
--- /dev/null
+++ b/Adapter/Adapter_ProductPriceCalculator.php
@@ -0,0 +1,69 @@
+
+ * @copyright 2007-2015 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/Adapter/Adapter_ServiceLocator.php b/Adapter/Adapter_ServiceLocator.php
new file mode 100644
index 00000000..ba3ced50
--- /dev/null
+++ b/Adapter/Adapter_ServiceLocator.php
@@ -0,0 +1,54 @@
+
+ * @copyright 2007-2015 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/CONTRIBUTING.md b/CONTRIBUTING.md
new file mode 100644
index 00000000..472d014f
--- /dev/null
+++ b/CONTRIBUTING.md
@@ -0,0 +1,49 @@
+Contributing to PrestaShop
+--------------------------
+
+PrestaShop is an open-source e-commerce solution. Everyone is welcome and even encouraged to contribute with their own improvements.
+
+PrestaShop 1.6 is written mostly in PHP. Other languages used throughout are JavaScript, HTML, CSS, the Smarty templating language, SQL, and XML.
+
+To contribute to the project, you should ideally be familiar with Git, the source code management system that PrestaShop uses, with the official repository being hosted on Github:
+* You can learn more about Git here: http://try.github.io/ (there are many tutorials available on the Web).
+* You can get help on Github here: https://help.github.com/.
+* Windows users can get a nice interface for Git by installing TortoiseGit: http://code.google.com/p/tortoisegit/
+
+Contributors should follow the following process:
+
+1. Create your Github account, if you do not have one already.
+2. Fork the PrestaShop project to your Github account.
+3. Clone your fork to your local machine. Be sure to make a recursive clone (use "git clone --recursive git://github.com/username/PrestaShop.git" or check the "Recursive" box in TortoiseGit) in order to have all the PrestaShop modules cloned too!
+4. Create a branch in your local clone for your changes.
+5. Change the files in your branch. Be sure to follow [the coding standards][1].
+6. Push your changed branch to your fork in your Github account.
+7. Create a pull request for your changes on the PrestaShop project. Be sure to follow [the commit message norm][2] in your pull request. If you need help to make a pull request, read the [Github help page about creating pull requests][3].
+8. Wait for one of the core developers either to include your change in the codebase, or to comment on possible improvements you should make to your code.
+
+That's it: you have contributed to this open source project! Congratulations!
+
+The PrestaShop documentation features a thorough explanation of the [complete process to your first pull request][4].
+
+If you don't feel comfortable forking the project or using Git, you can also either:
+* Edit a file directly within Github: browse to the target file, click the "Edit" button, make your changes in the editor then click on "Propose File Change". Github will automatically create a new fork and branch on your own Github account, then suggest to create a pull request to PrestaShop. Once the pull request is submitted, you just have to wait for a core developer to answer you.
+* Submit an issue using the Forge: [PrestaShop Forge][5] is the official ticket-tracker for PrestaShop, and the best place to write a bug ticket or request an improvement, while not having to be a developer at all. You will need to create an account on the Forge: [follow these instructions][6], then wait for a core developer to answer you.
+
+Thank you for your help in making PrestaShop even better!
+
+
+### About licenses
+
+* All core files you commit in your pull request must respect/use the [Open Software License (OSL 3.0)][7].
+* All modules files you commit in your pull request must respect/use the [Academic Free License (AFL 3.0)][8].
+
+
+[1]: http://doc.prestashop.com/display/PS16/Coding+Standards
+[2]: http://doc.prestashop.com/display/PS16/How+to+write+a+commit+message
+[3]: https://help.github.com/articles/using-pull-requests
+[4]: http://doc.prestashop.com/display/PS16/Contributing+code+to+PrestaShop
+[5]: http://forge.prestashop.com/
+[6]: http://doc.prestashop.com/display/PS16/How+to+use+the+Forge+to+contribute+to+PrestaShop
+[7]: http://opensource.org/licenses/OSL-3.0
+[8]: http://opensource.org/licenses/AFL-3.0
+
diff --git a/CONTRIBUTORS.md b/CONTRIBUTORS.md
new file mode 100644
index 00000000..f4679fc5
--- /dev/null
+++ b/CONTRIBUTORS.md
@@ -0,0 +1,407 @@
+GitHub contributors:
+--------------------------------
+- (d)oekia
+- 123monsite-regis
+- 1RV34
+- Adonis Karavokyros
+- Adrien
+- Adrien Astier
+- Agence CINS
+- Aleksander Palyan
+- Alessandro Corbelli
+- Alex Even
+- Alexander Grosul
+- Alexander Otchenashev
+- Alexandra Even
+- AlexEven
+- Alexey Svistunov
+- alexey-svistunov
+- alexsimple
+- Alfakom-MK
+- Alfonso Jimenez
+- Alphacom IT Solutions - Macedonia
+- amatosg
+- anat
+- Anatole
+- Andrew
+- Antonino Di Bella
+- antoniofr
+- AntonLejon
+- Arnaud Lemercier
+- axi
+- Axome
+- Balestrino
+- bellini13
+- Benjamin PONGY
+- bercik999
+- Bersam Karbasion
+- BigZ
+- BluTiGeS
+- Bruno Desprez
+- Bruno Leveque
+- bumbu
+- Burhan
+- Caleydon Media
+- cam.lafit
+- Captain FLAM
+- Captain-FLAM
+- ccauw
+- cedricfontaine
+- cedricgeffroy
+- Chen.Zhidong
+- Chris
+- Chris Gurk
+- ChristopheBoucaut
+- CINS
+- cippest
+- cmouleyre
+- codvir
+- Comkwatt
+- Corentin Delcourt
+- Cosmin Hutanu
+- Cedric Mouleyre
+- damien
+- Damien Metzger
+- Damien PIQUET
+- DamienMetzger
+- Damon Skelhorn
+- Dan Hlavenka
+- danidomen
+- Daniel
+- Daniele Giachino
+- danoosh
+- Danoosh Mir
+- David Gasperoni
+- David Sivocha
+- David-Julian BUCH
+- Davy Rolink
+- Denver Prophit Jr.
+- Desbouche Christophe
+- DevNet
+- Dh42
+- Dimitrios Karvounaris
+- Dinis Lage
+- djbuch
+- djfm
+- dlage
+- doekia
+- DOEO
+- Dragan Skrbic
+- Dream me up
+- dreammeup
+- DrySs
+- DrySs'
+- dSevere
+- Dustin
+- Dvir Julius
+- Dvir-Julius
+- edamart
+- Edouard Gaulue
+- el-tenkova
+- elationbase
+- eleazar
+- Elitius
+- Emilien Puget
+- emilien-puget
+- emily-d
+- Eric Le Lay
+- Eric Rouvier
+- erickturcios
+- Etienne Samson
+- Fabio Chelly
+- fchellypresta
+- Felipe Uribe
+- fetis
+- fird
+- flashmaestro
+- Florian Kwakkenbos
+- fram
+- Francois Gaillard
+- Francois-Marie de Jouvencel
+- François Gaillard
+- Frederic BENOIST
+- Gabriel Schwardy
+- Gaelle ITZKOVITZ
+- Gamesh
+- ggedamed
+- Giant Leap Lab
+- Gordon Coubrough
+- gr4devel
+- Granger Kevin
+- Gregory Roussac
+- gRoussac
+- Gregoire Belorgey
+- gskema
+- Guillaume DELOINCE
+- Guillaume Lafarge
+- Guillaume Leseur
+- Gytis
+- Gytis SkÄma
+- Ha!*!*y
+- ha99y
+- harelguy
+- hiousi
+- htrex
+- indesign47
+- iNem0o
+- ironwo0d
+- ITBpro.com
+- Ivan
+- ivancasasempere
+- J. Danse
+- janisVincent
+- Javsmile
+- JEAN
+- jeanbe
+- jeckyl
+- Jeroen Dewaele
+- Jerome Nadaud
+- jeromenadaud
+- jessylenne
+- Joan
+- Joan Juvanteny
+- joce
+- Joe Siwiak
+- joemartin247
+- Joep Hendrix
+- Jonadabe
+- Jonathan Danse
+- Jonathan SAHM
+- Jorge Vargas
+- joseantgv
+- jtogrul
+- Julien
+- Julien Bouchez
+- Julien Bourdeau
+- Julien Deniau
+- Julien Martin
+- julienbourdeau
+- Jachym Tousek
+- Kamil SzymaĆski
+- Kelly Karnetsky
+- kermes
+- Kevin Granger
+- kiropowered
+- kpodemski
+- Krystian Podemski
+- Kevin Dunglas
+- Ladel
+- ldecoker
+- Lesley Paone
+- LOIC ROSSET ltd
+- luc
+- Luc Vandesype
+- Luca T.
+- Lucas CERDAN
+- LucasC
+- Lyo Nick
+- LyoNick
+- Leo
+- M-Mommsen
+- Madef
+- Madman
+- Mainmich
+- makk1ntosh
+- marcinsz101
+- Marco Cervellin
+- Marcos
+- matiasiglesias
+- Mats Rynge
+- Matteo
+- MatthieuB
+- MaX3315
+- Maxence
+- Maxime
+- Maxime Biloe
+- Maxime Vasse
+- mchelh
+- mchojnacki
+- mdomenjoud
+- Michael Hjulskov
+- Michel Courtade
+- Mickael Desgranges
+- Mikael Blotin
+- Mikko Hellsing
+- Milow
+- Mingsong Hu
+- minic studio
+- misthero
+- moncef102
+- montes
+- mplh
+- MustangZhong
+- natrim
+- neemzy
+- nezenmoins
+- Nicolas Sorosac
+- Niklas Ekman
+- Niko Wicaksono
+- Nils-Helge Garli Hegvik
+- NinjaOfWeb
+- Nino Uzelac
+- nodexpl
+- nturato
+- oleacorner
+- Otto Nascarella
+- Pan P.
+- Panagiotis Tigas
+- panesarsandeep
+- Patanock
+- Patrick Mettraux
+- Pavel Novitsky
+- pbirnzain
+- Pedro J. Parra
+- Per Lejontand
+- Peter Schaeffer
+- peterept
+- Petyuska
+- PhpMadman
+- Pierre
+- Piotr Kaczor
+- Piotr MoÄko
+- PrestaEdit
+- PrestaLab
+- prestamodule
+- PrestanceDesign
+- prestarocket
+- Prestaspirit
+- Priyank Bolia
+- Profileo
+- Pronux
+- proydsl
+- pxls
+- quadrateam
+- Quentin Leonetti
+- Quentin Montant
+- Quetzacoalt91
+- Racochejl
+- Rafael Cunha
+- Raphael Malie
+- raulgundin
+- rGaillard
+- Rhys
+- Richard LT
+- Rimas Kudelis
+- robert
+- Roland SchuÌtz
+- romainberger
+- runningz
+- Remi Gaillard
+- s-duval
+- Sacha
+- Sacha FROMENT
+- sadlyblue
+- sagaradonis
+- Sam Sanchez
+- Samir Shah
+- Samy Rabih
+- Sarah Lorenzini
+- Seb
+- SebSept
+- Seynaeve
+- sfroment42
+- shaffe-fr
+- Shagshag
+- Shipow
+- Shudrum
+- sidhujag
+- sjousse
+- sLorenzini
+- smartdatasoft
+- snamor
+- soufyan
+- soware
+- Staging
+- Stanislav Yordanov
+- Stefano Kowalke
+- Stephan Obadia
+- Steven "SDF" Sulley
+- Steven Sulley
+- Studio Kiwik
+- Sumh
+- svensson_david
+- Sylvain Gougouzian
+- Sylvain WITMEYER
+- Sebastien
+- Sebastien Bareyre
+- Sebastien Bocahu
+- Sebastien Monterisi
+- Tanguy JACQUET
+- tchauviere
+- Thibaud Chauviere
+- thoma202
+- Thomas
+- Thomas Blanc
+- Thomas N
+- Thomas Nabord
+- thomas-aw
+- Threef
+- timsit
+- tmackay
+- TMMeilleur
+- Tom Panier
+- Tomasz Slominski
+- Tomas Votruba
+- tucoinfo
+- Tung Dao
+- unlocomqx
+- Valerii Savchenko
+- vAugagneur
+- Vincent Augagneur
+- Vincent Schoener
+- Vincent Terenti
+- vinvin27
+- vinzter
+- vitekj
+- Wayann
+- web-plus
+- webbax
+- Wojciech Grzebieniowski
+- Xavier
+- Xavier Borderie
+- Xavier Gouley
+- Xavier POITAU
+- xitromedia
+- xKnut
+- yanngarras
+- Yoozio
+- zimmi1
+- ZiZuu.com
+- Zollner Robert
+
+SVN contributors:
+--------------------------------
+- aFolletete
+- aKorczak
+- aNiassy
+- bLeveque
+- bMancone
+- dMetzger
+- dSevere
+- fBrignoli
+- Francois Gaillard
+- fSerny
+- gBrunier
+- gCharmes
+- gPoulain
+- hAitmansour
+- jBreux
+- jmCollin
+- jObregon
+- lBrieu
+- lCherifi
+- lLefevre
+- mBertholino
+- mDeflotte
+- mMarinetti
+- nPellicari
+- rGaillard
+- rMalie
+- rMontagne
+- sLorenzini
+- sThiebaut
+- tDidierjean
+- vAugagneur
+- vChabot
+- vKham
+- vSchoener
diff --git a/Core/Business/CMS/Core_Business_CMS_CMSRepository.php b/Core/Business/CMS/Core_Business_CMS_CMSRepository.php
new file mode 100644
index 00000000..28bbec31
--- /dev/null
+++ b/Core/Business/CMS/Core_Business_CMS_CMSRepository.php
@@ -0,0 +1,80 @@
+
+ * @copyright 2007-2015 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/Core/Business/CMS/Core_Business_CMS_CMSRoleRepository.php b/Core/Business/CMS/Core_Business_CMS_CMSRoleRepository.php
new file mode 100644
index 00000000..454f59e7
--- /dev/null
+++ b/Core/Business/CMS/Core_Business_CMS_CMSRoleRepository.php
@@ -0,0 +1,44 @@
+
+ * @copyright 2007-2015 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));
+ }
+
+
+}
\ No newline at end of file
diff --git a/Core/Business/Core_Business_ConfigurationInterface.php b/Core/Business/Core_Business_ConfigurationInterface.php
new file mode 100644
index 00000000..fcf957ae
--- /dev/null
+++ b/Core/Business/Core_Business_ConfigurationInterface.php
@@ -0,0 +1,30 @@
+
+ * @copyright 2007-2015 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/Core/Business/Core_Business_ContainerBuilder.php b/Core/Business/Core_Business_ContainerBuilder.php
new file mode 100644
index 00000000..9d624598
--- /dev/null
+++ b/Core/Business/Core_Business_ContainerBuilder.php
@@ -0,0 +1,43 @@
+
+ * @copyright 2007-2015 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/Core/Business/Email/Core_Business_Email_EmailLister.php b/Core/Business/Email/Core_Business_Email_EmailLister.php
new file mode 100644
index 00000000..7aabfcff
--- /dev/null
+++ b/Core/Business/Email/Core_Business_Email_EmailLister.php
@@ -0,0 +1,92 @@
+
+ * @copyright 2007-2015 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));
+ }
+}
\ No newline at end of file
diff --git a/Core/Business/Payment/Core_Business_Payment_PaymentOption.php b/Core/Business/Payment/Core_Business_Payment_PaymentOption.php
new file mode 100644
index 00000000..5c75f3ad
--- /dev/null
+++ b/Core/Business/Payment/Core_Business_Payment_PaymentOption.php
@@ -0,0 +1,214 @@
+
+ * @copyright 2007-2015 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/Core/Foundation/Database/Core_Foundation_Database_DatabaseInterface.php b/Core/Foundation/Database/Core_Foundation_Database_DatabaseInterface.php
new file mode 100644
index 00000000..55086d51
--- /dev/null
+++ b/Core/Foundation/Database/Core_Foundation_Database_DatabaseInterface.php
@@ -0,0 +1,31 @@
+
+ * @copyright 2007-2015 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/Core/Foundation/Database/Core_Foundation_Database_EntityInterface.php b/Core/Foundation/Database/Core_Foundation_Database_EntityInterface.php
new file mode 100644
index 00000000..b489c421
--- /dev/null
+++ b/Core/Foundation/Database/Core_Foundation_Database_EntityInterface.php
@@ -0,0 +1,42 @@
+
+ * @copyright 2007-2015 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/Core/Foundation/Database/Core_Foundation_Database_EntityManager.php b/Core/Foundation/Database/Core_Foundation_Database_EntityManager.php
new file mode 100644
index 00000000..44d7b767
--- /dev/null
+++ b/Core/Foundation/Database/Core_Foundation_Database_EntityManager.php
@@ -0,0 +1,115 @@
+
+ * @copyright 2007-2015 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/Core/Foundation/Database/Core_Foundation_Database_EntityMetaData.php b/Core/Foundation/Database/Core_Foundation_Database_EntityMetaData.php
new file mode 100644
index 00000000..f56b03e0
--- /dev/null
+++ b/Core/Foundation/Database/Core_Foundation_Database_EntityMetaData.php
@@ -0,0 +1,64 @@
+
+ * @copyright 2007-2015 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/Core/Foundation/Database/Core_Foundation_Database_EntityRepository.php b/Core/Foundation/Database/Core_Foundation_Database_EntityRepository.php
new file mode 100644
index 00000000..22b6b7d5
--- /dev/null
+++ b/Core/Foundation/Database/Core_Foundation_Database_EntityRepository.php
@@ -0,0 +1,221 @@
+
+ * @copyright 2007-2015 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);
+ } else if (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()
+ )
+ );
+ } else if (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;
+ } else if (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/Core/Foundation/Database/Core_Foundation_Database_Exception.php b/Core/Foundation/Database/Core_Foundation_Database_Exception.php
new file mode 100644
index 00000000..cd13c0e9
--- /dev/null
+++ b/Core/Foundation/Database/Core_Foundation_Database_Exception.php
@@ -0,0 +1,29 @@
+
+ * @copyright 2007-2015 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
+{
+}
\ No newline at end of file
diff --git a/Core/Foundation/Database/EntityManager/Core_Foundation_Database_EntityManager_QueryBuilder.php b/Core/Foundation/Database/EntityManager/Core_Foundation_Database_EntityManager_QueryBuilder.php
new file mode 100644
index 00000000..ddd8309b
--- /dev/null
+++ b/Core/Foundation/Database/EntityManager/Core_Foundation_Database_EntityManager_QueryBuilder.php
@@ -0,0 +1,71 @@
+
+ * @copyright 2007-2015 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/Core/Foundation/Exception/Core_Foundation_Exception_Exception.php b/Core/Foundation/Exception/Core_Foundation_Exception_Exception.php
new file mode 100644
index 00000000..81f28457
--- /dev/null
+++ b/Core/Foundation/Exception/Core_Foundation_Exception_Exception.php
@@ -0,0 +1,33 @@
+
+ * @copyright 2007-2015 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);
+ }
+}
\ No newline at end of file
diff --git a/Core/Foundation/Filesystem/Core_Foundation_FileSystem_Exception.php b/Core/Foundation/Filesystem/Core_Foundation_FileSystem_Exception.php
new file mode 100644
index 00000000..ececb41f
--- /dev/null
+++ b/Core/Foundation/Filesystem/Core_Foundation_FileSystem_Exception.php
@@ -0,0 +1,29 @@
+
+ * @copyright 2007-2015 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
+{
+}
\ No newline at end of file
diff --git a/Core/Foundation/Filesystem/Core_Foundation_FileSystem_FileSystem.php b/Core/Foundation/Filesystem/Core_Foundation_FileSystem_FileSystem.php
new file mode 100644
index 00000000..314a75e1
--- /dev/null
+++ b/Core/Foundation/Filesystem/Core_Foundation_FileSystem_FileSystem.php
@@ -0,0 +1,134 @@
+
+ * @copyright 2007-2015 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) {
+ return $this->joinTwoPaths(func_get_arg(0), func_get_arg(1));
+ } else if (func_num_args() > 2) {
+ return $this->joinPaths(
+ func_get_arg(0),
+ call_user_func_array(
+ array($this, 'joinPaths'),
+ array_slice(func_get_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/Core/Foundation/IoC/Core_Foundation_IoC_Container.php b/Core/Foundation/IoC/Core_Foundation_IoC_Container.php
new file mode 100644
index 00000000..40dafdbf
--- /dev/null
+++ b/Core/Foundation/IoC/Core_Foundation_IoC_Container.php
@@ -0,0 +1,172 @@
+
+ * @copyright 2007-2015 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);
+ } else if ($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);
+ } else if (!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/Core/Foundation/IoC/Core_Foundation_IoC_Exception.php b/Core/Foundation/IoC/Core_Foundation_IoC_Exception.php
new file mode 100644
index 00000000..5c49b68b
--- /dev/null
+++ b/Core/Foundation/IoC/Core_Foundation_IoC_Exception.php
@@ -0,0 +1,29 @@
+
+ * @copyright 2007-2015 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/README.md b/README.md
index e69de29b..2f63910f 100644
--- a/README.md
+++ b/README.md
@@ -0,0 +1,113 @@
+About PrestaShop
+--------
+
+PrestaShop is a free and open-source e-commerce web application, committed to providing the best shopping cart experience for both merchants and customers. It is written in PHP, is highly customizable, supports all the major payment services, is translated in many languages and localized for many countries, has a fully responsive design (both front and back office), etc. [See all the available features][1].
+
+
+
+
+
+To download the latest stable public version of PrestaShop, please go to [the download page][2] on the official PrestaShop site.
+
+
+About this repository
+--------
+
+This repository contains the source code for the latest version of PrestaShop 1.6.
+
+Clicking the "Download ZIP" button from the root of this repository will download the current state of PrestaShop 1.6 -- which is in active development, and cannot be considered stable. If you want the latest stable version, go to [the download page][2].
+
+Note that the ZIP file does not contain the default modules: you need to make a recursive clone using your local Git client in order to download their files too. See [CONTRIBUTING.md][7] for more information about using Git and GitHub.
+
+Also, the ZIP file contains resources for developers and designers that are not in the public archive, for instance the SCSS sources files for the default themes (in the /default-bootstrap/sass folder) or the unit testing files (in the /tests folder).
+
+
+Server configuration
+--------
+
+To install PrestaShop, you need a web server running PHP 5.2+ and any flavor of MySQL 5.0+ (MySQL, MariaDB, Percona Server, etc.).
+You will also need a database administration tool, such as phpMyAdmin, in order to create a database for PrestaShop.
+We recommend the Apache or Nginx web servers.
+You can find more information on the [System Administrator Guide][19].
+
+If your host does not offer PHP 5 by default, [here are a few explanations][3] about PHP 5 or the `.htaccess` file for certain hosting services (1&1, Free.fr, OVH, Infomaniak, Amen, GoDaddy, etc.).
+
+If you want your own store with nothing to download and install, you should use [PrestaShop Cloud][4], our 100% free and fully-hosted PrestaShop service: it lets you create your online store in less than 10 minutes without any technical knowledge. Learn more about the [difference between PrestaShop Cloud and PrestaShop Download][10].
+
+
+Installation
+--------
+
+Once the files in the PrestaShop archive have been decompressed and uploaded on your hosting space, go to the root of your PrestaShop directory with your web browser, and the PrestaShop installer will start automatically. Follow the instructions until PrestaShop is installed.
+
+If you get any PHP error, it might be that you do not have PHP 5 on your web server, or that you need to activate it. See [this page for explanations about PHP 5][3], or contact your web host directly.
+If you do not find any solution to start the installer, please post about your issue on [the PrestaShop forums][5].
+
+
+User documentation
+--------
+
+The official PrestaShop documentation is available online [on its own website][6]
+
+First-time users will be particularly interested in the following guides:
+* [Getting Started][13]: How to install PrestaShop, and what you need to know.
+* [User Guide][14]: All there is to know to put PrestaShop to good use.
+* [Updating Guide][15]: Switching to the newest version is not trivial. Make sure you do it right.
+* [Merchant's Guide][16]: Tips and tricks for first-time online sellers.
+* The [FAQ][17] and the [Troubleshooting][18] pages should also be of tremendous help to you.
+
+
+Contributing
+--------
+
+If you want to contribute code to PrestaShop, read the [CONTRIBUTING.md][7] file in this repository or read the [tutorials about contribution][8] on the documentation site.
+
+Current [Travis](https://travis-ci.org/) status: [![Travis](https://travis-ci.org/PrestaShop/PrestaShop.svg?branch=1.6)](https://travis-ci.org/PrestaShop/PrestaShop) (The Unit Tests are being implemented, so the status might be broken).
+
+If you want to help translate PrestaShop in your language, [join us on Crowdin][9]!
+
+Current Crowdin status (for 69 registered languages): [![Crowdin](https://crowdin.net/badges/prestashop-official/localized.png)](https://crowdin.net/project/prestashop-official)
+
+
+Extending PrestaShop
+--------
+
+PrestaShop is a very extensible e-commerce platform, both through modules and themes. Developers can even override the default components and behaviors. Learn more about this using the [Developer Guide][11] and the [Designer Guide][12].
+
+Themes and modules can be obtained (and sold!) from [PrestaShop Addons][20], the official marketplace for PrestaShop.
+
+
+Community forums
+--------
+
+You can discuss about e-commerce, help other merchants and get help, and contribute to improving PrestaShop together with the PrestaShop community on [the PrestaShop forums][5].
+
+
+Getting support
+--------
+
+If you need help using PrestaShop 1.6, contact the PrestaShop support team: http://support.prestashop.com/.
+
+
+Thank you for downloading and using the PrestaShop open-source e-commerce solution!
+
+[1]: https://www.prestashop.com/en/online-store-builder
+[2]: http://www.prestashop.com/en/download
+[3]: http://doc.prestashop.com/display/PS16/Misc.+information#Misc.information-ActivatingPHP5
+[4]: http://www.prestashop.com
+[5]: http://www.prestashop.com/forums/
+[6]: http://doc.prestashop.com
+[7]: CONTRIBUTING.md
+[8]: http://doc.prestashop.com/display/PS16/Contributing+to+PrestaShop
+[9]: https://crowdin.net/project/prestashop-official
+[10]: https://www.prestashop.com/en/ecommerce-software
+[11]: http://doc.prestashop.com/display/PS16/Developer+Guide
+[12]: http://doc.prestashop.com/display/PS16/Designer+Guide
+[13]: http://doc.prestashop.com/display/PS16/Getting+Started
+[14]: http://doc.prestashop.com/display/PS16/User+Guide
+[15]: http://doc.prestashop.com/display/PS16/Updating+PrestaShop
+[16]: http://doc.prestashop.com/display/PS16/Merchant%27s+Guide
+[17]: http://doc.prestashop.com/display/PS16/FAQ
+[18]: http://doc.prestashop.com/display/PS16/Troubleshooting
+[19]: http://doc.prestashop.com/display/PS16/System+Administrator+Guide
+[20]: http://addons.prestashop.com/
diff --git a/_install/classes/controllerConsole.php b/_install/classes/controllerConsole.php
new file mode 100644
index 00000000..bf85f25d
--- /dev/null
+++ b/_install/classes/controllerConsole.php
@@ -0,0 +1,166 @@
+
+* @copyright 2007-2015 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()
+ {
+ }
+}
\ No newline at end of file
diff --git a/_install/classes/controllerHttp.php b/_install/classes/controllerHttp.php
new file mode 100644
index 00000000..62f99eba
--- /dev/null
+++ b/_install/classes/controllerHttp.php
@@ -0,0 +1,469 @@
+
+* @copyright 2007-2015 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
+ else if (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
+ */
+ static public 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/_install/classes/datas.php b/_install/classes/datas.php
new file mode 100644
index 00000000..47ebc0cc
--- /dev/null
+++ b/_install/classes/datas.php
@@ -0,0 +1,229 @@
+
+* @copyright 2007-2015 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/_install/classes/exception.php b/_install/classes/exception.php
new file mode 100644
index 00000000..981b72d0
--- /dev/null
+++ b/_install/classes/exception.php
@@ -0,0 +1,29 @@
+
+* @copyright 2007-2015 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/_install/classes/index.php b/_install/classes/index.php
new file mode 100644
index 00000000..c642967a
--- /dev/null
+++ b/_install/classes/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/classes/language.php b/_install/classes/language.php
new file mode 100644
index 00000000..06f2e38f
--- /dev/null
+++ b/_install/classes/language.php
@@ -0,0 +1,113 @@
+
+* @copyright 2007-2015 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');
+ 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/_install/classes/languages.php b/_install/classes/languages.php
new file mode 100644
index 00000000..e7386b63
--- /dev/null
+++ b/_install/classes/languages.php
@@ -0,0 +1,216 @@
+
+* @copyright 2007-2015 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');
+ 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/_install/classes/model.php b/_install/classes/model.php
new file mode 100644
index 00000000..2ceb1f60
--- /dev/null
+++ b/_install/classes/model.php
@@ -0,0 +1,56 @@
+
+* @copyright 2007-2015 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/_install/classes/session.php b/_install/classes/session.php
new file mode 100644
index 00000000..3afcbbf6
--- /dev/null
+++ b/_install/classes/session.php
@@ -0,0 +1,119 @@
+
+* @copyright 2007-2015 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/_install/classes/simplexml.php b/_install/classes/simplexml.php
new file mode 100644
index 00000000..576a3b64
--- /dev/null
+++ b/_install/classes/simplexml.php
@@ -0,0 +1,71 @@
+
+* @copyright 2007-2015 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();
+ }
+}
\ No newline at end of file
diff --git a/_install/classes/sqlLoader.php b/_install/classes/sqlLoader.php
new file mode 100644
index 00000000..d5b2dc83
--- /dev/null
+++ b/_install/classes/sqlLoader.php
@@ -0,0 +1,122 @@
+
+* @copyright 2007-2015 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/_install/classes/xmlLoader.php b/_install/classes/xmlLoader.php
new file mode 100644
index 00000000..e9c905b6
--- /dev/null
+++ b/_install/classes/xmlLoader.php
@@ -0,0 +1,1285 @@
+
+* @copyright 2007-2015 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;
+ else if (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;
+ else if (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
+ else if (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
+ else if (!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.'/'));
+ else if (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/_install/controllers/console/index.php b/_install/controllers/console/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/controllers/console/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/controllers/console/process.php b/_install/controllers/console/process.php
new file mode 100644
index 00000000..c56631e6
--- /dev/null
+++ b/_install/controllers/console/process.php
@@ -0,0 +1,318 @@
+
+* @copyright 2007-2015 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/_install/controllers/http/configure.php b/_install/controllers/http/configure.php
new file mode 100644
index 00000000..7415e23d
--- /dev/null
+++ b/_install/controllers/http/configure.php
@@ -0,0 +1,304 @@
+
+* @copyright 2007-2015 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');
+ else if (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');
+ else if (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');
+ else if (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)');
+ else if ($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();
+ else if (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();
+ 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();
+ 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/_install/controllers/http/database.php b/_install/controllers/http/database.php
new file mode 100644
index 00000000..6ba29d72
--- /dev/null
+++ b/_install/controllers/http/database.php
@@ -0,0 +1,184 @@
+
+* @copyright 2007-2015 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/_install/controllers/http/index.php b/_install/controllers/http/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/controllers/http/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/controllers/http/license.php b/_install/controllers/http/license.php
new file mode 100644
index 00000000..ee620249
--- /dev/null
+++ b/_install/controllers/http/license.php
@@ -0,0 +1,65 @@
+
+* @copyright 2007-2015 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/_install/controllers/http/process.php b/_install/controllers/http/process.php
new file mode 100644
index 00000000..e51587d2
--- /dev/null
+++ b/_install/controllers/http/process.php
@@ -0,0 +1,344 @@
+
+* @copyright 2007-2015 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/_install/controllers/http/smarty_compile.php b/_install/controllers/http/smarty_compile.php
new file mode 100644
index 00000000..b0f5eb1f
--- /dev/null
+++ b/_install/controllers/http/smarty_compile.php
@@ -0,0 +1,44 @@
+
+* @copyright 2007-2015 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();
\ No newline at end of file
diff --git a/_install/controllers/http/system.php b/_install/controllers/http/system.php
new file mode 100644
index 00000000..01f2290f
--- /dev/null
+++ b/_install/controllers/http/system.php
@@ -0,0 +1,150 @@
+
+* @copyright 2007-2015 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/_install/controllers/http/welcome.php b/_install/controllers/http/welcome.php
new file mode 100644
index 00000000..a3371b1e
--- /dev/null
+++ b/_install/controllers/http/welcome.php
@@ -0,0 +1,72 @@
+
+* @copyright 2007-2015 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/_install/controllers/index.php b/_install/controllers/index.php
new file mode 100644
index 00000000..c642967a
--- /dev/null
+++ b/_install/controllers/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/data/db_structure.sql b/_install/data/db_structure.sql
new file mode 100644
index 00000000..8425b19a
--- /dev/null
+++ b/_install/data/db_structure.sql
@@ -0,0 +1,2657 @@
+SET NAMES 'utf8';
+
+CREATE TABLE `PREFIX_access` (
+ `id_profile` int(10) unsigned NOT NULL,
+ `id_tab` int(10) unsigned NOT NULL,
+ `view` int(11) NOT NULL,
+ `add` int(11) NOT NULL,
+ `edit` int(11) NOT NULL,
+ `delete` int(11) NOT NULL,
+ PRIMARY KEY (`id_profile`,`id_tab`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_accessory` (
+ `id_product_1` int(10) unsigned NOT NULL,
+ `id_product_2` int(10) unsigned NOT NULL,
+ KEY `accessory_product` (`id_product_1`,`id_product_2`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_address` (
+ `id_address` int(10) unsigned NOT NULL auto_increment,
+ `id_country` int(10) unsigned NOT NULL,
+ `id_state` int(10) unsigned DEFAULT NULL,
+ `id_customer` int(10) unsigned NOT NULL DEFAULT '0',
+ `id_manufacturer` int(10) unsigned NOT NULL DEFAULT '0',
+ `id_supplier` int(10) unsigned NOT NULL DEFAULT '0',
+ `id_warehouse` int(10) unsigned NOT NULL DEFAULT '0',
+ `alias` varchar(32) NOT NULL,
+ `company` varchar(64) DEFAULT NULL,
+ `lastname` varchar(32) NOT NULL,
+ `firstname` varchar(32) NOT NULL,
+ `address1` varchar(128) NOT NULL,
+ `address2` varchar(128) DEFAULT NULL,
+ `postcode` varchar(12) DEFAULT NULL,
+ `city` varchar(64) NOT NULL,
+ `other` text,
+ `phone` varchar(32) DEFAULT NULL,
+ `phone_mobile` varchar(32) DEFAULT NULL,
+ `vat_number` varchar(32) DEFAULT NULL,
+ `dni` varchar(16) DEFAULT NULL,
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ `active` tinyint(1) unsigned NOT NULL DEFAULT '1',
+ `deleted` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_address`),
+ KEY `address_customer` (`id_customer`),
+ KEY `id_country` (`id_country`),
+ KEY `id_state` (`id_state`),
+ KEY `id_manufacturer` (`id_manufacturer`),
+ KEY `id_supplier` (`id_supplier`),
+ KEY `id_warehouse` (`id_warehouse`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_alias` (
+ `id_alias` int(10) unsigned NOT NULL auto_increment,
+ `alias` varchar(255) NOT NULL,
+ `search` varchar(255) NOT NULL,
+ `active` tinyint(1) NOT NULL DEFAULT '1',
+ PRIMARY KEY (`id_alias`),
+ UNIQUE KEY `alias` (`alias`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_attachment` (
+ `id_attachment` int(10) unsigned NOT NULL auto_increment,
+ `file` varchar(40) NOT NULL,
+ `file_name` varchar(128) NOT NULL,
+ `file_size` bigint(10) unsigned NOT NULL DEFAULT '0',
+ `mime` varchar(128) NOT NULL,
+ PRIMARY KEY (`id_attachment`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_attachment_lang` (
+ `id_attachment` int(10) unsigned NOT NULL auto_increment,
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(32) DEFAULT NULL,
+ `description` TEXT,
+ PRIMARY KEY (`id_attachment`, `id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_product_attachment` (
+ `id_product` int(10) unsigned NOT NULL,
+ `id_attachment` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_product`,`id_attachment`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_attribute` (
+ `id_attribute` int(10) unsigned NOT NULL auto_increment,
+ `id_attribute_group` int(10) unsigned NOT NULL,
+ `color` varchar(32) DEFAULT NULL,
+ `position` int(10) unsigned NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_attribute`),
+ KEY `attribute_group` (`id_attribute_group`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_attribute_group` (
+ `id_attribute_group` int(10) unsigned NOT NULL auto_increment,
+ `is_color_group` tinyint(1) NOT NULL DEFAULT '0',
+ `group_type` ENUM('select', 'radio', 'color') NOT NULL DEFAULT 'select',
+ `position` int(10) unsigned NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_attribute_group`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_attribute_group_lang` (
+ `id_attribute_group` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(128) NOT NULL,
+ `public_name` varchar(64) NOT NULL,
+ PRIMARY KEY (`id_attribute_group`,`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_attribute_impact` (
+ `id_attribute_impact` int(10) unsigned NOT NULL auto_increment,
+ `id_product` int(11) unsigned NOT NULL,
+ `id_attribute` int(11) unsigned NOT NULL,
+ `weight` DECIMAL(20,6) NOT NULL,
+ `price` decimal(17,2) NOT NULL,
+ PRIMARY KEY (`id_attribute_impact`),
+ UNIQUE KEY `id_product` (`id_product`,`id_attribute`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_attribute_lang` (
+ `id_attribute` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(128) NOT NULL,
+ PRIMARY KEY (`id_attribute`,`id_lang`),
+ KEY `id_lang` (`id_lang`,`name`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_carrier` (
+ `id_carrier` int(10) unsigned NOT NULL AUTO_INCREMENT,
+ `id_reference` int(10) unsigned NOT NULL,
+ `id_tax_rules_group` int(10) unsigned DEFAULT '0',
+ `name` varchar(64) NOT NULL,
+ `url` varchar(255) DEFAULT NULL,
+ `active` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `deleted` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `shipping_handling` tinyint(1) unsigned NOT NULL DEFAULT '1',
+ `range_behavior` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `is_module` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `is_free` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `shipping_external` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `need_range` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `external_module_name` varchar(64) DEFAULT NULL,
+ `shipping_method` int(2) NOT NULL DEFAULT '0',
+ `position` int(10) unsigned NOT NULL DEFAULT '0',
+ `max_width` int(10) DEFAULT '0',
+ `max_height` int(10) DEFAULT '0',
+ `max_depth` int(10) DEFAULT '0',
+ `max_weight` DECIMAL(20,6) DEFAULT '0',
+ `grade` int(10) DEFAULT '0',
+ PRIMARY KEY (`id_carrier`),
+ KEY `deleted` (`deleted`,`active`),
+ KEY `id_tax_rules_group` (`id_tax_rules_group`),
+ KEY `reference` (`id_reference`, `deleted`, `active`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_carrier_lang` (
+ `id_carrier` int(10) unsigned NOT NULL,
+ `id_shop` int(11) unsigned NOT NULL DEFAULT '1',
+ `id_lang` int(10) unsigned NOT NULL,
+ `delay` varchar(128) DEFAULT NULL,
+ PRIMARY KEY (`id_lang`,`id_shop`, `id_carrier`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_carrier_zone` (
+ `id_carrier` int(10) unsigned NOT NULL,
+ `id_zone` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_carrier`,`id_zone`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cart` (
+ `id_cart` int(10) unsigned NOT NULL auto_increment,
+ `id_shop_group` INT(11) UNSIGNED NOT NULL DEFAULT '1',
+ `id_shop` INT(11) UNSIGNED NOT NULL DEFAULT '1',
+ `id_carrier` int(10) unsigned NOT NULL,
+ `delivery_option` TEXT NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `id_address_delivery` int(10) unsigned NOT NULL,
+ `id_address_invoice` int(10) unsigned NOT NULL,
+ `id_currency` int(10) unsigned NOT NULL,
+ `id_customer` int(10) unsigned NOT NULL,
+ `id_guest` int(10) unsigned NOT NULL,
+ `secure_key` varchar(32) NOT NULL DEFAULT '-1',
+ `recyclable` tinyint(1) unsigned NOT NULL DEFAULT '1',
+ `gift` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `gift_message` text,
+ `mobile_theme` tinyint(1) NOT NULL DEFAULT '0',
+ `allow_seperated_package` TINYINT(1) UNSIGNED NOT NULL DEFAULT '0',
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ PRIMARY KEY (`id_cart`),
+ KEY `cart_customer` (`id_customer`),
+ KEY `id_address_delivery` (`id_address_delivery`),
+ KEY `id_address_invoice` (`id_address_invoice`),
+ KEY `id_carrier` (`id_carrier`),
+ KEY `id_lang` (`id_lang`),
+ KEY `id_currency` (`id_currency`),
+ KEY `id_guest` (`id_guest`),
+ KEY `id_shop_group` (`id_shop_group`),
+ KEY `id_shop_2` (`id_shop`,`date_upd`),
+ KEY `id_shop` (`id_shop`,`date_add`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cart_rule` (
+ `id_cart_rule` int(10) unsigned NOT NULL auto_increment,
+ `id_customer` int unsigned NOT NULL DEFAULT '0',
+ `date_from` datetime NOT NULL,
+ `date_to` datetime NOT NULL,
+ `description` text,
+ `quantity` int(10) unsigned NOT NULL DEFAULT '0',
+ `quantity_per_user` int(10) unsigned NOT NULL DEFAULT '0',
+ `priority` int(10) unsigned NOT NULL DEFAULT 1,
+ `partial_use` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `code` varchar(254) NOT NULL,
+ `minimum_amount` decimal(17,2) NOT NULL DEFAULT '0',
+ `minimum_amount_tax` tinyint(1) NOT NULL DEFAULT '0',
+ `minimum_amount_currency` int unsigned NOT NULL DEFAULT '0',
+ `minimum_amount_shipping` tinyint(1) NOT NULL DEFAULT '0',
+ `country_restriction` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `carrier_restriction` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `group_restriction` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `cart_rule_restriction` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `product_restriction` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `shop_restriction` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `free_shipping` tinyint(1) NOT NULL DEFAULT '0',
+ `reduction_percent` decimal(5,2) NOT NULL DEFAULT '0',
+ `reduction_amount` decimal(17,2) NOT NULL DEFAULT '0',
+ `reduction_tax` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `reduction_currency` int(10) unsigned NOT NULL DEFAULT '0',
+ `reduction_product` int(10) NOT NULL DEFAULT '0',
+ `gift_product` int(10) unsigned NOT NULL DEFAULT '0',
+ `gift_product_attribute` int(10) unsigned NOT NULL DEFAULT '0',
+ `highlight` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `active` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ PRIMARY KEY (`id_cart_rule`),
+ KEY `id_customer` (`id_customer`, `active`, `date_to`),
+ KEY `group_restriction` (`group_restriction`, `active`, `date_to`),
+ KEY `id_customer_2` (`id_customer`,`active`,`highlight`,`date_to`),
+ KEY `group_restriction_2` (`group_restriction`,`active`,`highlight`,`date_to`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cart_rule_lang` (
+ `id_cart_rule` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(254) NOT NULL,
+ PRIMARY KEY (`id_cart_rule`, `id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cart_rule_country` (
+ `id_cart_rule` int(10) unsigned NOT NULL,
+ `id_country` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_cart_rule`, `id_country`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cart_rule_group` (
+ `id_cart_rule` int(10) unsigned NOT NULL,
+ `id_group` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_cart_rule`, `id_group`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cart_rule_carrier` (
+ `id_cart_rule` int(10) unsigned NOT NULL,
+ `id_carrier` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_cart_rule`, `id_carrier`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cart_rule_combination` (
+ `id_cart_rule_1` int(10) unsigned NOT NULL,
+ `id_cart_rule_2` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_cart_rule_1`, `id_cart_rule_2`),
+ KEY `id_cart_rule_1` (`id_cart_rule_1`),
+ KEY `id_cart_rule_2` (`id_cart_rule_2`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cart_rule_product_rule_group` (
+ `id_product_rule_group` int(10) unsigned NOT NULL auto_increment,
+ `id_cart_rule` int(10) unsigned NOT NULL,
+ `quantity` int(10) unsigned NOT NULL DEFAULT 1,
+ PRIMARY KEY (`id_product_rule_group`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cart_rule_product_rule` (
+ `id_product_rule` int(10) unsigned NOT NULL auto_increment,
+ `id_product_rule_group` int(10) unsigned NOT NULL,
+ `type` ENUM('products', 'categories', 'attributes', 'manufacturers', 'suppliers') NOT NULL,
+ PRIMARY KEY (`id_product_rule`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cart_rule_product_rule_value` (
+ `id_product_rule` int(10) unsigned NOT NULL,
+ `id_item` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_product_rule`, `id_item`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cart_cart_rule` (
+ `id_cart` int(10) unsigned NOT NULL,
+ `id_cart_rule` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_cart`,`id_cart_rule`),
+ KEY (`id_cart_rule`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cart_rule_shop` (
+ `id_cart_rule` int(10) unsigned NOT NULL,
+ `id_shop` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_cart_rule`, `id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cart_product` (
+ `id_cart` int(10) unsigned NOT NULL,
+ `id_product` int(10) unsigned NOT NULL,
+ `id_address_delivery` int(10) UNSIGNED DEFAULT '0',
+ `id_shop` int(10) unsigned NOT NULL DEFAULT '1',
+ `id_product_attribute` int(10) unsigned DEFAULT NULL,
+ `quantity` int(10) unsigned NOT NULL DEFAULT '0',
+ `date_add` datetime NOT NULL,
+ PRIMARY KEY (`id_cart`,`id_product`,`id_product_attribute`,`id_address_delivery`),
+ KEY `id_product_attribute` (`id_product_attribute`),
+ KEY `id_cart_order` (`id_cart`, `date_add`, `id_product`, `id_product_attribute`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_category` (
+ `id_category` int(10) unsigned NOT NULL auto_increment,
+ `id_parent` int(10) unsigned NOT NULL,
+ `id_shop_default` int(10) unsigned NOT NULL DEFAULT 1,
+ `level_depth` tinyint(3) unsigned NOT NULL DEFAULT '0',
+ `nleft` int(10) unsigned NOT NULL DEFAULT '0',
+ `nright` int(10) unsigned NOT NULL DEFAULT '0',
+ `active` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ `position` int(10) unsigned NOT NULL DEFAULT '0',
+ `is_root_category` tinyint(1) NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_category`),
+ KEY `category_parent` (`id_parent`),
+ KEY `nleftrightactive` (`nleft`, `nright`, `active`),
+ KEY `level_depth` (`level_depth`),
+ KEY `nright` (`nright`),
+ KEY `activenleft` (`active`,`nleft`),
+ KEY `activenright` (`active`,`nright`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_category_group` (
+ `id_category` int(10) unsigned NOT NULL,
+ `id_group` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_category`,`id_group`),
+ KEY `id_category` (`id_category`),
+ KEY `id_group` (`id_group`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_category_lang` (
+ `id_category` int(10) unsigned NOT NULL,
+ `id_shop` INT( 11 ) UNSIGNED NOT NULL DEFAULT '1',
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(128) NOT NULL,
+ `description` text,
+ `link_rewrite` varchar(128) NOT NULL,
+ `meta_title` varchar(128) DEFAULT NULL,
+ `meta_keywords` varchar(255) DEFAULT NULL,
+ `meta_description` varchar(255) DEFAULT NULL,
+ PRIMARY KEY (`id_category`,`id_shop`, `id_lang`),
+ KEY `category_name` (`name`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_category_product` (
+ `id_category` int(10) unsigned NOT NULL,
+ `id_product` int(10) unsigned NOT NULL,
+ `position` int(10) unsigned NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_category`,`id_product`),
+ INDEX (`id_product`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cms` (
+ `id_cms` int(10) unsigned NOT NULL AUTO_INCREMENT,
+ `id_cms_category` int(10) unsigned NOT NULL,
+ `position` int(10) unsigned NOT NULL DEFAULT '0',
+ `active` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `indexation` tinyint(1) unsigned NOT NULL DEFAULT '1',
+ PRIMARY KEY (`id_cms`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cms_lang` (
+ `id_cms` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `id_shop` int(10) unsigned NOT NULL DEFAULT '1',
+ `meta_title` varchar(128) NOT NULL,
+ `meta_description` varchar(255) DEFAULT NULL,
+ `meta_keywords` varchar(255) DEFAULT NULL,
+ `content` longtext,
+ `link_rewrite` varchar(128) NOT NULL,
+ PRIMARY KEY (`id_cms`, `id_shop`, `id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cms_category` (
+ `id_cms_category` int(10) unsigned NOT NULL AUTO_INCREMENT,
+ `id_parent` int(10) unsigned NOT NULL,
+ `level_depth` tinyint(3) unsigned NOT NULL DEFAULT '0',
+ `active` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ `position` int(10) unsigned NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_cms_category`),
+ KEY `category_parent` (`id_parent`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cms_category_lang` (
+ `id_cms_category` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `id_shop` int(10) unsigned NOT NULL DEFAULT '1',
+ `name` varchar(128) NOT NULL,
+ `description` text,
+ `link_rewrite` varchar(128) NOT NULL,
+ `meta_title` varchar(128) DEFAULT NULL,
+ `meta_keywords` varchar(255) DEFAULT NULL,
+ `meta_description` varchar(255) DEFAULT NULL,
+ PRIMARY KEY (`id_cms_category`, `id_shop`, `id_lang`),
+ KEY `category_name` (`name`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cms_category_shop` (
+ `id_cms_category` int(10) unsigned NOT NULL AUTO_INCREMENT,
+ `id_shop` INT(11) UNSIGNED NOT NULL ,
+ PRIMARY KEY (`id_cms_category`, `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_compare` (
+ `id_compare` int(10) unsigned NOT NULL auto_increment,
+ `id_customer` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_compare`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_compare_product` (
+ `id_compare` int(10) unsigned NOT NULL,
+ `id_product` int(10) unsigned NOT NULL,
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ PRIMARY KEY (`id_compare`,`id_product`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_configuration` (
+ `id_configuration` int(10) unsigned NOT NULL auto_increment,
+ `id_shop_group` INT(11) UNSIGNED DEFAULT NULL,
+ `id_shop` INT(11) UNSIGNED DEFAULT NULL,
+ `name` varchar(254) NOT NULL,
+ `value` text,
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ PRIMARY KEY (`id_configuration`),
+ KEY `name` (`name`),
+ KEY `id_shop` (`id_shop`),
+ KEY `id_shop_group` (`id_shop_group`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_configuration_lang` (
+ `id_configuration` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `value` text,
+ `date_upd` datetime DEFAULT NULL,
+ PRIMARY KEY (`id_configuration`,`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_configuration_kpi` (
+ `id_configuration_kpi` int(10) unsigned NOT NULL auto_increment,
+ `id_shop_group` INT(11) UNSIGNED DEFAULT NULL,
+ `id_shop` INT(11) UNSIGNED DEFAULT NULL,
+ `name` varchar(64) NOT NULL,
+ `value` text,
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ PRIMARY KEY (`id_configuration_kpi`),
+ KEY `name` (`name`),
+ KEY `id_shop` (`id_shop`),
+ KEY `id_shop_group` (`id_shop_group`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_configuration_kpi_lang` (
+ `id_configuration_kpi` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `value` text,
+ `date_upd` datetime DEFAULT NULL,
+ PRIMARY KEY (`id_configuration_kpi`,`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_connections` (
+ `id_connections` int(10) unsigned NOT NULL auto_increment,
+ `id_shop_group` INT(11) UNSIGNED NOT NULL DEFAULT '1',
+ `id_shop` INT(11) UNSIGNED NOT NULL DEFAULT '1',
+ `id_guest` int(10) unsigned NOT NULL,
+ `id_page` int(10) unsigned NOT NULL,
+ `ip_address` BIGINT NULL DEFAULT NULL,
+ `date_add` datetime NOT NULL,
+ `http_referer` varchar(255) DEFAULT NULL,
+ PRIMARY KEY (`id_connections`),
+ KEY `id_guest` (`id_guest`),
+ KEY `date_add` (`date_add`),
+ KEY `id_page` (`id_page`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_connections_page` (
+ `id_connections` int(10) unsigned NOT NULL,
+ `id_page` int(10) unsigned NOT NULL,
+ `time_start` datetime NOT NULL,
+ `time_end` datetime DEFAULT NULL,
+ PRIMARY KEY (`id_connections`,`id_page`,`time_start`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_connections_source` (
+ `id_connections_source` int(10) unsigned NOT NULL auto_increment,
+ `id_connections` int(10) unsigned NOT NULL,
+ `http_referer` varchar(255) DEFAULT NULL,
+ `request_uri` varchar(255) DEFAULT NULL,
+ `keywords` varchar(255) DEFAULT NULL,
+ `date_add` datetime NOT NULL,
+ PRIMARY KEY (`id_connections_source`),
+ KEY `connections` (`id_connections`),
+ KEY `orderby` (`date_add`),
+ KEY `http_referer` (`http_referer`),
+ KEY `request_uri` (`request_uri`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_contact` (
+ `id_contact` int(10) unsigned NOT NULL auto_increment,
+ `email` varchar(128) NOT NULL,
+ `customer_service` tinyint(1) NOT NULL DEFAULT '0',
+ `position` tinyint(2) unsigned NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_contact`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_contact_lang` (
+ `id_contact` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(32) NOT NULL,
+ `description` text,
+ PRIMARY KEY (`id_contact`,`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_country` (
+ `id_country` int(10) unsigned NOT NULL auto_increment,
+ `id_zone` int(10) unsigned NOT NULL,
+ `id_currency` int(10) unsigned NOT NULL DEFAULT '0',
+ `iso_code` varchar(3) NOT NULL,
+ `call_prefix` int(10) NOT NULL DEFAULT '0',
+ `active` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `contains_states` tinyint(1) NOT NULL DEFAULT '0',
+ `need_identification_number` tinyint(1) NOT NULL DEFAULT '0',
+ `need_zip_code` tinyint(1) NOT NULL DEFAULT '1',
+ `zip_code_format` varchar(12) NOT NULL DEFAULT '',
+ `display_tax_label` BOOLEAN NOT NULL,
+ PRIMARY KEY (`id_country`),
+ KEY `country_iso_code` (`iso_code`),
+ KEY `country_` (`id_zone`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_country_lang` (
+ `id_country` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(64) NOT NULL,
+ PRIMARY KEY (`id_country`,`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_currency` (
+ `id_currency` int(10) unsigned NOT NULL auto_increment,
+ `name` varchar(32) NOT NULL,
+ `iso_code` varchar(3) NOT NULL DEFAULT '0',
+ `iso_code_num` varchar(3) NOT NULL DEFAULT '0',
+ `sign` varchar(8) NOT NULL,
+ `blank` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `format` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `decimals` tinyint(1) unsigned NOT NULL DEFAULT '1',
+ `conversion_rate` decimal(13,6) NOT NULL,
+ `deleted` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `active` tinyint(1) unsigned NOT NULL DEFAULT '1',
+ PRIMARY KEY (`id_currency`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_customer` (
+ `id_customer` int(10) unsigned NOT NULL auto_increment,
+ `id_shop_group` INT(11) UNSIGNED NOT NULL DEFAULT '1',
+ `id_shop` INT(11) UNSIGNED NOT NULL DEFAULT '1',
+ `id_gender` int(10) unsigned NOT NULL,
+ `id_default_group` int(10) unsigned NOT NULL DEFAULT '1',
+ `id_lang` int(10) unsigned NULL,
+ `id_risk` int(10) unsigned NOT NULL DEFAULT '1',
+ `company` varchar(64),
+ `siret` varchar(14),
+ `ape` varchar(5),
+ `firstname` varchar(32) NOT NULL,
+ `lastname` varchar(32) NOT NULL,
+ `email` varchar(128) NOT NULL,
+ `passwd` varchar(32) NOT NULL,
+ `last_passwd_gen` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,
+ `birthday` date DEFAULT NULL,
+ `newsletter` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `ip_registration_newsletter` varchar(15) DEFAULT NULL,
+ `newsletter_date_add` datetime DEFAULT NULL,
+ `optin` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `website` varchar(128),
+ `outstanding_allow_amount` DECIMAL( 20,6 ) NOT NULL DEFAULT '0.00',
+ `show_public_prices` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `max_payment_days` int(10) unsigned NOT NULL DEFAULT '60',
+ `secure_key` varchar(32) NOT NULL DEFAULT '-1',
+ `note` text,
+ `active` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `is_guest` tinyint(1) NOT NULL DEFAULT '0',
+ `deleted` tinyint(1) NOT NULL DEFAULT '0',
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ PRIMARY KEY (`id_customer`),
+ KEY `customer_email` (`email`),
+ KEY `customer_login` (`email`,`passwd`),
+ KEY `id_customer_passwd` (`id_customer`,`passwd`),
+ KEY `id_gender` (`id_gender`),
+ KEY `id_shop_group` (`id_shop_group`),
+ KEY `id_shop` (`id_shop`, `date_add`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_customer_group` (
+ `id_customer` int(10) unsigned NOT NULL,
+ `id_group` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_customer`,`id_group`),
+ INDEX customer_login(id_group),
+ KEY `id_customer` (`id_customer`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_customer_message` (
+ `id_customer_message` int(10) unsigned NOT NULL auto_increment,
+ `id_customer_thread` int(11) DEFAULT NULL,
+ `id_employee` int(10) unsigned DEFAULT NULL,
+ `message` text NOT NULL,
+ `file_name` varchar(18) DEFAULT NULL,
+ `ip_address` varchar(16) DEFAULT NULL,
+ `user_agent` varchar(128) DEFAULT NULL,
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ `private` TINYINT NOT NULL DEFAULT '0',
+ `read` tinyint(1) NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_customer_message`),
+ KEY `id_customer_thread` (`id_customer_thread`),
+ KEY `id_employee` (`id_employee`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+
+CREATE TABLE `PREFIX_customer_message_sync_imap` (
+ `md5_header` varbinary(32) NOT NULL,
+ KEY `md5_header_index` (`md5_header`(4))
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_customer_thread` (
+ `id_customer_thread` int(11) unsigned NOT NULL auto_increment,
+ `id_shop` INT(11) UNSIGNED NOT NULL DEFAULT '1',
+ `id_lang` int(10) unsigned NOT NULL,
+ `id_contact` int(10) unsigned NOT NULL,
+ `id_customer` int(10) unsigned DEFAULT NULL,
+ `id_order` int(10) unsigned DEFAULT NULL,
+ `id_product` int(10) unsigned DEFAULT NULL,
+ `status` enum('open','closed','pending1','pending2') NOT NULL DEFAULT 'open',
+ `email` varchar(128) NOT NULL,
+ `token` varchar(12) DEFAULT NULL,
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ PRIMARY KEY (`id_customer_thread`),
+ KEY `id_shop` (`id_shop`),
+ KEY `id_lang` (`id_lang`),
+ KEY `id_contact` (`id_contact`),
+ KEY `id_customer` (`id_customer`),
+ KEY `id_order` (`id_order`),
+ KEY `id_product` (`id_product`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+
+CREATE TABLE `PREFIX_customization` (
+ `id_customization` int(10) unsigned NOT NULL auto_increment,
+ `id_product_attribute` int(10) unsigned NOT NULL DEFAULT '0',
+ `id_address_delivery` int(10) UNSIGNED NOT NULL DEFAULT '0',
+ `id_cart` int(10) unsigned NOT NULL,
+ `id_product` int(10) NOT NULL,
+ `quantity` int(10) NOT NULL,
+ `quantity_refunded` INT NOT NULL DEFAULT '0',
+ `quantity_returned` INT NOT NULL DEFAULT '0',
+ `in_cart` TINYINT(1) UNSIGNED NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_customization`,`id_cart`,`id_product`, `id_address_delivery`),
+ KEY `id_product_attribute` (`id_product_attribute`),
+ KEY `id_cart_product` (`id_cart`, `id_product`, `id_product_attribute`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_customization_field` (
+ `id_customization_field` int(10) unsigned NOT NULL auto_increment,
+ `id_product` int(10) unsigned NOT NULL,
+ `type` tinyint(1) NOT NULL,
+ `required` tinyint(1) NOT NULL,
+ PRIMARY KEY (`id_customization_field`),
+ KEY `id_product` (`id_product`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_customization_field_lang` (
+ `id_customization_field` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `id_shop` int(10) UNSIGNED NOT NULL DEFAULT '1',
+ `name` varchar(255) NOT NULL,
+ PRIMARY KEY (`id_customization_field`,`id_lang`, `id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_customized_data` (
+ `id_customization` int(10) unsigned NOT NULL,
+ `type` tinyint(1) NOT NULL,
+ `index` int(3) NOT NULL,
+ `value` varchar(255) NOT NULL,
+ PRIMARY KEY (`id_customization`,`type`,`index`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_date_range` (
+ `id_date_range` int(10) unsigned NOT NULL auto_increment,
+ `time_start` datetime NOT NULL,
+ `time_end` datetime NOT NULL,
+ PRIMARY KEY (`id_date_range`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_delivery` (
+ `id_delivery` int(10) unsigned NOT NULL auto_increment,
+ `id_shop` INT UNSIGNED NULL DEFAULT NULL,
+ `id_shop_group` INT UNSIGNED NULL DEFAULT NULL,
+ `id_carrier` int(10) unsigned NOT NULL,
+ `id_range_price` int(10) unsigned DEFAULT NULL,
+ `id_range_weight` int(10) unsigned DEFAULT NULL,
+ `id_zone` int(10) unsigned NOT NULL,
+ `price` decimal(20,6) NOT NULL,
+ PRIMARY KEY (`id_delivery`),
+ KEY `id_zone` (`id_zone`),
+ KEY `id_carrier` (`id_carrier`,`id_zone`),
+ KEY `id_range_price` (`id_range_price`),
+ KEY `id_range_weight` (`id_range_weight`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_employee` (
+ `id_employee` int(10) unsigned NOT NULL auto_increment,
+ `id_profile` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL DEFAULT '0',
+ `lastname` varchar(32) NOT NULL,
+ `firstname` varchar(32) NOT NULL,
+ `email` varchar(128) NOT NULL,
+ `passwd` varchar(32) NOT NULL,
+ `last_passwd_gen` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,
+ `stats_date_from` date DEFAULT NULL,
+ `stats_date_to` date DEFAULT NULL,
+ `stats_compare_from` date DEFAULT NULL,
+ `stats_compare_to` date DEFAULT NULL,
+ `stats_compare_option` int(1) unsigned NOT NULL DEFAULT 1,
+ `preselect_date_range` varchar(32) DEFAULT NULL,
+ `bo_color` varchar(32) DEFAULT NULL,
+ `bo_theme` varchar(32) DEFAULT NULL,
+ `bo_css` varchar(64) DEFAULT NULL,
+ `default_tab` int(10) unsigned NOT NULL DEFAULT '0',
+ `bo_width` int(10) unsigned NOT NULL DEFAULT '0',
+ `bo_menu` tinyint(1) NOT NULL DEFAULT '1',
+ `active` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `optin` tinyint(1) unsigned NOT NULL DEFAULT '1',
+ `id_last_order` int(10) unsigned NOT NULL DEFAULT '0',
+ `id_last_customer_message` int(10) unsigned NOT NULL DEFAULT '0',
+ `id_last_customer` int(10) unsigned NOT NULL DEFAULT '0',
+ `last_connection_date` date DEFAULT '0000-00-00',
+ PRIMARY KEY (`id_employee`),
+ KEY `employee_login` (`email`,`passwd`),
+ KEY `id_employee_passwd` (`id_employee`,`passwd`),
+ KEY `id_profile` (`id_profile`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_employee_shop` (
+`id_employee` INT( 11 ) UNSIGNED NOT NULL ,
+`id_shop` INT( 11 ) UNSIGNED NOT NULL ,
+ PRIMARY KEY ( `id_employee` , `id_shop` ),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_feature` (
+ `id_feature` int(10) unsigned NOT NULL auto_increment,
+ `position` int(10) unsigned NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_feature`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_feature_lang` (
+ `id_feature` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(128) DEFAULT NULL,
+ PRIMARY KEY (`id_feature`,`id_lang`),
+ KEY (`id_lang`,`name`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_feature_product` (
+ `id_feature` int(10) unsigned NOT NULL,
+ `id_product` int(10) unsigned NOT NULL,
+ `id_feature_value` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_feature`,`id_product`),
+ KEY `id_feature_value` (`id_feature_value`),
+ KEY `id_product` (`id_product`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_feature_value` (
+ `id_feature_value` int(10) unsigned NOT NULL auto_increment,
+ `id_feature` int(10) unsigned NOT NULL,
+ `custom` tinyint(3) unsigned DEFAULT NULL,
+ PRIMARY KEY (`id_feature_value`),
+ KEY `feature` (`id_feature`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_feature_value_lang` (
+ `id_feature_value` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `value` varchar(255) DEFAULT NULL,
+ PRIMARY KEY (`id_feature_value`,`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE IF NOT EXISTS `PREFIX_gender` (
+ `id_gender` int(11) NOT NULL AUTO_INCREMENT,
+ `type` tinyint(1) NOT NULL,
+ PRIMARY KEY (`id_gender`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE IF NOT EXISTS `PREFIX_gender_lang` (
+ `id_gender` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(20) NOT NULL,
+ PRIMARY KEY (`id_gender`,`id_lang`),
+ KEY `id_gender` (`id_gender`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_group` (
+ `id_group` int(10) unsigned NOT NULL auto_increment,
+ `reduction` decimal(17,2) NOT NULL DEFAULT '0.00',
+ `price_display_method` TINYINT NOT NULL DEFAULT '0',
+ `show_prices` tinyint(1) unsigned NOT NULL DEFAULT '1',
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ PRIMARY KEY (`id_group`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_group_lang` (
+ `id_group` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(32) NOT NULL,
+ PRIMARY KEY (`id_group`,`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_group_reduction` (
+ `id_group_reduction` MEDIUMINT UNSIGNED NOT NULL AUTO_INCREMENT,
+ `id_group` INT(10) UNSIGNED NOT NULL,
+ `id_category` INT(10) UNSIGNED NOT NULL,
+ `reduction` DECIMAL(4, 3) NOT NULL,
+ PRIMARY KEY (`id_group_reduction`),
+ UNIQUE KEY(`id_group`, `id_category`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_product_group_reduction_cache` (
+ `id_product` INT UNSIGNED NOT NULL,
+ `id_group` INT UNSIGNED NOT NULL,
+ `reduction` DECIMAL(4, 3) NOT NULL,
+ PRIMARY KEY (`id_product`, `id_group`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_product_carrier` (
+ `id_product` int(10) unsigned NOT NULL,
+ `id_carrier_reference` int(10) unsigned NOT NULL,
+ `id_shop` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_product`, `id_carrier_reference`, `id_shop`)
+) ENGINE = ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_guest` (
+ `id_guest` int(10) unsigned NOT NULL auto_increment,
+ `id_operating_system` int(10) unsigned DEFAULT NULL,
+ `id_web_browser` int(10) unsigned DEFAULT NULL,
+ `id_customer` int(10) unsigned DEFAULT NULL,
+ `javascript` tinyint(1) DEFAULT '0',
+ `screen_resolution_x` smallint(5) unsigned DEFAULT NULL,
+ `screen_resolution_y` smallint(5) unsigned DEFAULT NULL,
+ `screen_color` tinyint(3) unsigned DEFAULT NULL,
+ `sun_java` tinyint(1) DEFAULT NULL,
+ `adobe_flash` tinyint(1) DEFAULT NULL,
+ `adobe_director` tinyint(1) DEFAULT NULL,
+ `apple_quicktime` tinyint(1) DEFAULT NULL,
+ `real_player` tinyint(1) DEFAULT NULL,
+ `windows_media` tinyint(1) DEFAULT NULL,
+ `accept_language` varchar(8) DEFAULT NULL,
+ `mobile_theme` tinyint(1) NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_guest`),
+ KEY `id_customer` (`id_customer`),
+ KEY `id_operating_system` (`id_operating_system`),
+ KEY `id_web_browser` (`id_web_browser`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_hook` (
+ `id_hook` int(10) unsigned NOT NULL auto_increment,
+ `name` varchar(64) NOT NULL,
+ `title` varchar(64) NOT NULL,
+ `description` text,
+ `position` tinyint(1) NOT NULL DEFAULT '1',
+ `live_edit` tinyint(1) NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_hook`),
+ UNIQUE KEY `hook_name` (`name`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_hook_alias` (
+ `id_hook_alias` int(10) unsigned NOT NULL auto_increment,
+ `alias` varchar(64) NOT NULL,
+ `name` varchar(64) NOT NULL,
+ PRIMARY KEY (`id_hook_alias`),
+ UNIQUE KEY `alias` (`alias`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_hook_module` (
+ `id_module` int(10) unsigned NOT NULL,
+ `id_shop` INT(11) UNSIGNED NOT NULL DEFAULT '1',
+ `id_hook` int(10) unsigned NOT NULL,
+ `position` tinyint(2) unsigned NOT NULL,
+ PRIMARY KEY (`id_module`,`id_hook`,`id_shop`),
+ KEY `id_hook` (`id_hook`),
+ KEY `id_module` (`id_module`),
+ KEY `position` (`id_shop`, `position`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_hook_module_exceptions` (
+ `id_hook_module_exceptions` int(10) unsigned NOT NULL auto_increment,
+ `id_shop` INT(11) UNSIGNED NOT NULL DEFAULT '1',
+ `id_module` int(10) unsigned NOT NULL,
+ `id_hook` int(10) unsigned NOT NULL,
+ `file_name` varchar(255) DEFAULT NULL,
+ PRIMARY KEY (`id_hook_module_exceptions`),
+ KEY `id_module` (`id_module`),
+ KEY `id_hook` (`id_hook`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_image` (
+ `id_image` int(10) unsigned NOT NULL auto_increment,
+ `id_product` int(10) unsigned NOT NULL,
+ `position` smallint(2) unsigned NOT NULL DEFAULT '0',
+ `cover` tinyint(1) unsigned NULL DEFAULT NULL,
+ PRIMARY KEY (`id_image`),
+ KEY `image_product` (`id_product`),
+ UNIQUE KEY `id_product_cover` (`id_product`,`cover`),
+ UNIQUE KEY `idx_product_image` (`id_image`, `id_product`, `cover`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_image_lang` (
+ `id_image` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `legend` varchar(128) DEFAULT NULL,
+ PRIMARY KEY (`id_image`,`id_lang`),
+ KEY `id_image` (`id_image`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_image_type` (
+ `id_image_type` int(10) unsigned NOT NULL auto_increment,
+ `name` varchar(64) NOT NULL,
+ `width` int(10) unsigned NOT NULL,
+ `height` int(10) unsigned NOT NULL,
+ `products` tinyint(1) NOT NULL DEFAULT '1',
+ `categories` tinyint(1) NOT NULL DEFAULT '1',
+ `manufacturers` tinyint(1) NOT NULL DEFAULT '1',
+ `suppliers` tinyint(1) NOT NULL DEFAULT '1',
+ `scenes` tinyint(1) NOT NULL DEFAULT '1',
+ `stores` tinyint(1) NOT NULL DEFAULT '1',
+ PRIMARY KEY (`id_image_type`),
+ KEY `image_type_name` (`name`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_lang` (
+ `id_lang` int(10) unsigned NOT NULL auto_increment,
+ `name` varchar(32) NOT NULL,
+ `active` tinyint(3) unsigned NOT NULL DEFAULT '0',
+ `iso_code` char(2) NOT NULL,
+ `language_code` char(5) NOT NULL,
+ `date_format_lite` char(32) NOT NULL DEFAULT 'Y-m-d',
+ `date_format_full` char(32) NOT NULL DEFAULT 'Y-m-d H:i:s',
+ `is_rtl` TINYINT(1) NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_lang`),
+ KEY `lang_iso_code` (`iso_code`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_manufacturer` (
+ `id_manufacturer` int(10) unsigned NOT NULL auto_increment,
+ `name` varchar(64) NOT NULL,
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ `active` tinyint(1) NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_manufacturer`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_manufacturer_lang` (
+ `id_manufacturer` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `description` text,
+ `short_description` text,
+ `meta_title` varchar(128) DEFAULT NULL,
+ `meta_keywords` varchar(255) DEFAULT NULL,
+ `meta_description` varchar(255) DEFAULT NULL,
+ PRIMARY KEY (`id_manufacturer`,`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_message` (
+ `id_message` int(10) unsigned NOT NULL auto_increment,
+ `id_cart` int(10) unsigned DEFAULT NULL,
+ `id_customer` int(10) unsigned NOT NULL,
+ `id_employee` int(10) unsigned DEFAULT NULL,
+ `id_order` int(10) unsigned NOT NULL,
+ `message` text NOT NULL,
+ `private` tinyint(1) unsigned NOT NULL DEFAULT '1',
+ `date_add` datetime NOT NULL,
+ PRIMARY KEY (`id_message`),
+ KEY `message_order` (`id_order`),
+ KEY `id_cart` (`id_cart`),
+ KEY `id_customer` (`id_customer`),
+ KEY `id_employee` (`id_employee`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_message_readed` (
+ `id_message` int(10) unsigned NOT NULL,
+ `id_employee` int(10) unsigned NOT NULL,
+ `date_add` datetime NOT NULL,
+ PRIMARY KEY (`id_message`,`id_employee`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_meta` (
+ `id_meta` int(10) unsigned NOT NULL auto_increment,
+ `page` varchar(64) NOT NULL,
+ `configurable` TINYINT(1) UNSIGNED NOT NULL DEFAULT '1',
+ PRIMARY KEY (`id_meta`),
+ UNIQUE KEY `page` (`page`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_meta_lang` (
+ `id_meta` int(10) unsigned NOT NULL,
+ `id_shop` INT(11) UNSIGNED NOT NULL DEFAULT '1',
+ `id_lang` int(10) unsigned NOT NULL,
+ `title` varchar(128) DEFAULT NULL,
+ `description` varchar(255) DEFAULT NULL,
+ `keywords` varchar(255) DEFAULT NULL,
+ `url_rewrite` varchar(254) NOT NULL,
+ PRIMARY KEY (`id_meta`, `id_shop`, `id_lang`),
+ KEY `id_shop` (`id_shop`),
+ KEY `id_lang` (`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_module` (
+ `id_module` int(10) unsigned NOT NULL auto_increment,
+ `name` varchar(64) NOT NULL,
+ `active` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `version` VARCHAR(8) NOT NULL,
+ PRIMARY KEY (`id_module`),
+ KEY `name` (`name`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_module_access` (
+ `id_profile` int(10) unsigned NOT NULL,
+ `id_module` int(10) unsigned NOT NULL,
+ `view` tinyint(1) NOT NULL DEFAULT '0',
+ `configure` tinyint(1) NOT NULL DEFAULT '0',
+ `uninstall` tinyint(1) NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_profile`,`id_module`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_module_country` (
+ `id_module` int(10) unsigned NOT NULL,
+ `id_shop` INT(11) UNSIGNED NOT NULL DEFAULT '1',
+ `id_country` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_module`,`id_shop`, `id_country`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_module_currency` (
+ `id_module` int(10) unsigned NOT NULL,
+ `id_shop` INT(11) UNSIGNED NOT NULL DEFAULT '1',
+ `id_currency` int(11) NOT NULL,
+ PRIMARY KEY (`id_module`,`id_shop`, `id_currency`),
+ KEY `id_module` (`id_module`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_module_group` (
+ `id_module` int(10) unsigned NOT NULL,
+ `id_shop` INT(11) UNSIGNED NOT NULL DEFAULT '1',
+ `id_group` int(11) unsigned NOT NULL,
+ PRIMARY KEY (`id_module`,`id_shop`, `id_group`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_operating_system` (
+ `id_operating_system` int(10) unsigned NOT NULL auto_increment,
+ `name` varchar(64) DEFAULT NULL,
+ PRIMARY KEY (`id_operating_system`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_orders` (
+ `id_order` int(10) unsigned NOT NULL auto_increment,
+ `reference` VARCHAR(9),
+ `id_shop_group` INT(11) UNSIGNED NOT NULL DEFAULT '1',
+ `id_shop` INT(11) UNSIGNED NOT NULL DEFAULT '1',
+ `id_carrier` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `id_customer` int(10) unsigned NOT NULL,
+ `id_cart` int(10) unsigned NOT NULL,
+ `id_currency` int(10) unsigned NOT NULL,
+ `id_address_delivery` int(10) unsigned NOT NULL,
+ `id_address_invoice` int(10) unsigned NOT NULL,
+ `current_state` int(10) unsigned NOT NULL,
+ `secure_key` varchar(32) NOT NULL DEFAULT '-1',
+ `payment` varchar(255) NOT NULL,
+ `conversion_rate` decimal(13,6) NOT NULL DEFAULT 1,
+ `module` varchar(255) DEFAULT NULL,
+ `recyclable` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `gift` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `gift_message` text,
+ `mobile_theme` tinyint(1) NOT NULL DEFAULT '0',
+ `shipping_number` varchar(64) DEFAULT NULL,
+ `total_discounts` decimal(20,6) NOT NULL DEFAULT '0.00',
+ `total_discounts_tax_incl` decimal(20,6) NOT NULL DEFAULT '0.00',
+ `total_discounts_tax_excl` decimal(20,6) NOT NULL DEFAULT '0.00',
+ `total_paid` decimal(20,6) NOT NULL DEFAULT '0.00',
+ `total_paid_tax_incl` decimal(20,6) NOT NULL DEFAULT '0.00',
+ `total_paid_tax_excl` decimal(20,6) NOT NULL DEFAULT '0.00',
+ `total_paid_real` decimal(20,6) NOT NULL DEFAULT '0.00',
+ `total_products` decimal(20,6) NOT NULL DEFAULT '0.00',
+ `total_products_wt` decimal(20,6) NOT NULL DEFAULT '0.00',
+ `total_shipping` decimal(20,6) NOT NULL DEFAULT '0.00',
+ `total_shipping_tax_incl` decimal(20,6) NOT NULL DEFAULT '0.00',
+ `total_shipping_tax_excl` decimal(20,6) NOT NULL DEFAULT '0.00',
+ `carrier_tax_rate` DECIMAL(10, 3) NOT NULL DEFAULT '0.00',
+ `total_wrapping` decimal(20,6) NOT NULL DEFAULT '0.00',
+ `total_wrapping_tax_incl` decimal(20,6) NOT NULL DEFAULT '0.00',
+ `total_wrapping_tax_excl` decimal(20,6) NOT NULL DEFAULT '0.00',
+ `round_mode` tinyint(1) NOT NULL DEFAULT '2',
+ `round_type` tinyint(1) NOT NULL DEFAULT '1',
+ `invoice_number` int(10) unsigned NOT NULL DEFAULT '0',
+ `delivery_number` int(10) unsigned NOT NULL DEFAULT '0',
+ `invoice_date` datetime NOT NULL,
+ `delivery_date` datetime NOT NULL,
+ `valid` int(1) unsigned NOT NULL DEFAULT '0',
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ PRIMARY KEY (`id_order`),
+ KEY `reference` (`reference`),
+ KEY `id_customer` (`id_customer`),
+ KEY `id_cart` (`id_cart`),
+ KEY `invoice_number` (`invoice_number`),
+ KEY `id_carrier` (`id_carrier`),
+ KEY `id_lang` (`id_lang`),
+ KEY `id_currency` (`id_currency`),
+ KEY `id_address_delivery` (`id_address_delivery`),
+ KEY `id_address_invoice` (`id_address_invoice`),
+ KEY `id_shop_group` (`id_shop_group`),
+ KEY (`current_state`),
+ KEY `id_shop` (`id_shop`),
+ INDEX `date_add`(`date_add`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_order_detail_tax` (
+ `id_order_detail` int(11) NOT NULL,
+ `id_tax` int(11) NOT NULL,
+ `unit_amount` DECIMAL(16, 6) NOT NULL DEFAULT '0.00',
+ `total_amount` DECIMAL(16, 6) NOT NULL DEFAULT '0.00',
+ KEY (`id_order_detail`),
+ KEY `id_tax` (`id_tax`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_order_invoice` (
+ `id_order_invoice` int(11) UNSIGNED NOT NULL AUTO_INCREMENT,
+ `id_order` int(11) NOT NULL,
+ `number` int(11) NOT NULL,
+ `delivery_number` int(11) NOT NULL,
+ `delivery_date` datetime,
+ `total_discount_tax_excl` decimal(20,6) NOT NULL DEFAULT '0.00',
+ `total_discount_tax_incl` decimal(20,6) NOT NULL DEFAULT '0.00',
+ `total_paid_tax_excl` decimal(20,6) NOT NULL DEFAULT '0.00',
+ `total_paid_tax_incl` decimal(20, 6) NOT NULL DEFAULT '0.00',
+ `total_products` decimal(20, 6) NOT NULL DEFAULT '0.00',
+ `total_products_wt` decimal(20, 6) NOT NULL DEFAULT '0.00',
+ `total_shipping_tax_excl` decimal(20, 6) NOT NULL DEFAULT '0.00',
+ `total_shipping_tax_incl` decimal(20, 6) NOT NULL DEFAULT '0.00',
+ `shipping_tax_computation_method` int(10) unsigned NOT NULL,
+ `total_wrapping_tax_excl` decimal(20, 6) NOT NULL DEFAULT '0.00',
+ `total_wrapping_tax_incl` decimal(20, 6) NOT NULL DEFAULT '0.00',
+ `shop_address` text DEFAULT NULL,
+ `invoice_address` text DEFAULT NULL,
+ `delivery_address` text DEFAULT NULL,
+ `note` text,
+ `date_add` datetime NOT NULL,
+ PRIMARY KEY (`id_order_invoice`),
+ KEY `id_order` (`id_order`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE IF NOT EXISTS `PREFIX_order_invoice_tax` (
+ `id_order_invoice` int(11) NOT NULL,
+ `type` varchar(15) NOT NULL,
+ `id_tax` int(11) NOT NULL,
+ `amount` decimal(10,6) NOT NULL DEFAULT '0.000000',
+ KEY `id_tax` (`id_tax`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_order_detail` (
+ `id_order_detail` int(10) unsigned NOT NULL auto_increment,
+ `id_order` int(10) unsigned NOT NULL,
+ `id_order_invoice` int(11) DEFAULT NULL,
+ `id_warehouse` int(10) unsigned DEFAULT '0',
+ `id_shop` int(11) unsigned NOT NULL,
+ `product_id` int(10) unsigned NOT NULL,
+ `product_attribute_id` int(10) unsigned DEFAULT NULL,
+ `product_name` varchar(255) NOT NULL,
+ `product_quantity` int(10) unsigned NOT NULL DEFAULT '0',
+ `product_quantity_in_stock` int(10) NOT NULL DEFAULT '0',
+ `product_quantity_refunded` int(10) unsigned NOT NULL DEFAULT '0',
+ `product_quantity_return` int(10) unsigned NOT NULL DEFAULT '0',
+ `product_quantity_reinjected` int(10) unsigned NOT NULL DEFAULT '0',
+ `product_price` decimal(20,6) NOT NULL DEFAULT '0.000000',
+ `reduction_percent` DECIMAL(10, 2) NOT NULL DEFAULT '0.00',
+ `reduction_amount` DECIMAL(20, 6) NOT NULL DEFAULT '0.000000',
+ `reduction_amount_tax_incl` DECIMAL(20, 6) NOT NULL DEFAULT '0.000000',
+ `reduction_amount_tax_excl` DECIMAL(20, 6) NOT NULL DEFAULT '0.000000',
+ `group_reduction` DECIMAL(10, 2) NOT NULL DEFAULT '0.000000',
+ `product_quantity_discount` decimal(20,6) NOT NULL DEFAULT '0.000000',
+ `product_ean13` varchar(13) DEFAULT NULL,
+ `product_upc` varchar(12) DEFAULT NULL,
+ `product_reference` varchar(32) DEFAULT NULL,
+ `product_supplier_reference` varchar(32) DEFAULT NULL,
+ `product_weight` DECIMAL(20,6) NOT NULL,
+ `id_tax_rules_group` INT(11) UNSIGNED DEFAULT '0',
+ `tax_computation_method` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `tax_name` varchar(16) NOT NULL,
+ `tax_rate` DECIMAL(10,3) NOT NULL DEFAULT '0.000',
+ `ecotax` decimal(21,6) NOT NULL DEFAULT '0.00',
+ `ecotax_tax_rate` DECIMAL(5,3) NOT NULL DEFAULT '0.000',
+ `discount_quantity_applied` TINYINT(1) NOT NULL DEFAULT '0',
+ `download_hash` varchar(255) DEFAULT NULL,
+ `download_nb` int(10) unsigned DEFAULT '0',
+ `download_deadline` datetime DEFAULT NULL,
+ `total_price_tax_incl` DECIMAL(20, 6) NOT NULL DEFAULT '0.000000',
+ `total_price_tax_excl` DECIMAL(20, 6) NOT NULL DEFAULT '0.000000',
+ `unit_price_tax_incl` DECIMAL(20, 6) NOT NULL DEFAULT '0.000000',
+ `unit_price_tax_excl` DECIMAL(20, 6) NOT NULL DEFAULT '0.000000',
+ `total_shipping_price_tax_incl` DECIMAL(20, 6) NOT NULL DEFAULT '0.000000',
+ `total_shipping_price_tax_excl` DECIMAL(20, 6) NOT NULL DEFAULT '0.000000',
+ `purchase_supplier_price` DECIMAL(20, 6) NOT NULL DEFAULT '0.000000',
+ `original_product_price` DECIMAL(20, 6) NOT NULL DEFAULT '0.000000',
+ PRIMARY KEY (`id_order_detail`),
+ KEY `order_detail_order` (`id_order`),
+ KEY `product_id` (`product_id`),
+ KEY `product_attribute_id` (`product_attribute_id`),
+ KEY `id_tax_rules_group` (`id_tax_rules_group`),
+ KEY `id_order_id_order_detail` (`id_order`, `id_order_detail`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_order_cart_rule` (
+ `id_order_cart_rule` int(10) unsigned NOT NULL auto_increment,
+ `id_order` int(10) unsigned NOT NULL,
+ `id_cart_rule` int(10) unsigned NOT NULL,
+ `id_order_invoice` int(10) unsigned DEFAULT '0',
+ `name` varchar(254) NOT NULL,
+ `value` decimal(17,2) NOT NULL DEFAULT '0.00',
+ `value_tax_excl` decimal(17,2) NOT NULL DEFAULT '0.00',
+ `free_shipping` tinyint(1) NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_order_cart_rule`),
+ KEY `id_order` (`id_order`),
+ KEY `id_cart_rule` (`id_cart_rule`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_order_history` (
+ `id_order_history` int(10) unsigned NOT NULL auto_increment,
+ `id_employee` int(10) unsigned NOT NULL,
+ `id_order` int(10) unsigned NOT NULL,
+ `id_order_state` int(10) unsigned NOT NULL,
+ `date_add` datetime NOT NULL,
+ PRIMARY KEY (`id_order_history`),
+ KEY `order_history_order` (`id_order`),
+ KEY `id_employee` (`id_employee`),
+ KEY `id_order_state` (`id_order_state`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_order_message` (
+ `id_order_message` int(10) unsigned NOT NULL auto_increment,
+ `date_add` datetime NOT NULL,
+ PRIMARY KEY (`id_order_message`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_order_message_lang` (
+ `id_order_message` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(128) NOT NULL,
+ `message` text NOT NULL,
+ PRIMARY KEY (`id_order_message`,`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_order_return` (
+ `id_order_return` int(10) unsigned NOT NULL auto_increment,
+ `id_customer` int(10) unsigned NOT NULL,
+ `id_order` int(10) unsigned NOT NULL,
+ `state` tinyint(1) unsigned NOT NULL DEFAULT '1',
+ `question` text NOT NULL,
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ PRIMARY KEY (`id_order_return`),
+ KEY `order_return_customer` (`id_customer`),
+ KEY `id_order` (`id_order`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_order_return_detail` (
+ `id_order_return` int(10) unsigned NOT NULL,
+ `id_order_detail` int(10) unsigned NOT NULL,
+ `id_customization` int(10) unsigned NOT NULL DEFAULT '0',
+ `product_quantity` int(10) unsigned NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_order_return`,`id_order_detail`,`id_customization`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_order_return_state` (
+ `id_order_return_state` int(10) unsigned NOT NULL auto_increment,
+ `color` varchar(32) DEFAULT NULL,
+ PRIMARY KEY (`id_order_return_state`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_order_return_state_lang` (
+ `id_order_return_state` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(64) NOT NULL,
+ PRIMARY KEY (`id_order_return_state`,`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+
+CREATE TABLE `PREFIX_order_slip` (
+ `id_order_slip` int(10) unsigned NOT NULL auto_increment,
+ `conversion_rate` decimal(13,6) NOT NULL DEFAULT 1,
+ `id_customer` int(10) unsigned NOT NULL,
+ `id_order` int(10) unsigned NOT NULL,
+ `total_products_tax_excl` DECIMAL(20, 6) NULL,
+ `total_products_tax_incl` DECIMAL(20, 6) NULL,
+ `total_shipping_tax_excl` DECIMAL(20, 6) NULL,
+ `total_shipping_tax_incl` DECIMAL(20, 6) NULL,
+ `shipping_cost` tinyint(3) unsigned NOT NULL DEFAULT '0',
+ `amount` DECIMAL(10,2) NOT NULL,
+ `shipping_cost_amount` DECIMAL(10,2) NOT NULL,
+ `partial` TINYINT(1) NOT NULL,
+ `order_slip_type` TINYINT(1) unsigned NOT NULL DEFAULT '0',
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ PRIMARY KEY (`id_order_slip`),
+ KEY `order_slip_customer` (`id_customer`),
+ KEY `id_order` (`id_order`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_order_slip_detail` (
+ `id_order_slip` int(10) unsigned NOT NULL,
+ `id_order_detail` int(10) unsigned NOT NULL,
+ `product_quantity` int(10) unsigned NOT NULL DEFAULT '0',
+ `unit_price_tax_excl` DECIMAL(20, 6) NULL,
+ `unit_price_tax_incl` DECIMAL(20, 6) NULL,
+ `total_price_tax_excl` DECIMAL(20, 6) NULL,
+ `total_price_tax_incl` DECIMAL(20, 6),
+ `amount_tax_excl` DECIMAL(20, 6) DEFAULT NULL,
+ `amount_tax_incl` DECIMAL(20, 6) DEFAULT NULL,
+ PRIMARY KEY (`id_order_slip`,`id_order_detail`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_order_state` (
+ `id_order_state` int(10) UNSIGNED NOT NULL auto_increment,
+ `invoice` tinyint(1) UNSIGNED DEFAULT '0',
+ `send_email` tinyint(1) UNSIGNED NOT NULL DEFAULT '0',
+ `module_name` VARCHAR(255) NULL DEFAULT NULL,
+ `color` varchar(32) DEFAULT NULL,
+ `unremovable` tinyint(1) UNSIGNED NOT NULL,
+ `hidden` tinyint(1) UNSIGNED NOT NULL DEFAULT '0',
+ `logable` tinyint(1) NOT NULL DEFAULT '0',
+ `delivery` tinyint(1) UNSIGNED NOT NULL DEFAULT '0',
+ `shipped` tinyint(1) UNSIGNED NOT NULL DEFAULT '0',
+ `paid` tinyint(1) UNSIGNED NOT NULL DEFAULT '0',
+ `pdf_invoice` tinyint(1) UNSIGNED NOT NULL default '0',
+ `pdf_delivery` tinyint(1) UNSIGNED NOT NULL default '0',
+ `deleted` tinyint(1) UNSIGNED NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_order_state`),
+ KEY `module_name` (`module_name`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_order_state_lang` (
+ `id_order_state` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(64) NOT NULL,
+ `template` varchar(64) NOT NULL,
+ PRIMARY KEY (`id_order_state`,`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_pack` (
+ `id_product_pack` int(10) unsigned NOT NULL,
+ `id_product_item` int(10) unsigned NOT NULL,
+ `id_product_attribute_item` int(10) unsigned NOT NULL,
+ `quantity` int(10) unsigned NOT NULL DEFAULT 1,
+ PRIMARY KEY (`id_product_pack`, `id_product_item`, `id_product_attribute_item`),
+ KEY `product_item` (`id_product_item`,`id_product_attribute_item`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_page` (
+ `id_page` int(10) unsigned NOT NULL auto_increment,
+ `id_page_type` int(10) unsigned NOT NULL,
+ `id_object` int(10) unsigned DEFAULT NULL,
+ PRIMARY KEY (`id_page`),
+ KEY `id_page_type` (`id_page_type`),
+ KEY `id_object` (`id_object`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_page_type` (
+ `id_page_type` int(10) unsigned NOT NULL auto_increment,
+ `name` varchar(255) NOT NULL,
+ PRIMARY KEY (`id_page_type`),
+ KEY `name` (`name`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_page_viewed` (
+ `id_page` int(10) unsigned NOT NULL,
+ `id_shop_group` INT UNSIGNED NOT NULL DEFAULT '1',
+ `id_shop` INT UNSIGNED NOT NULL DEFAULT '1',
+ `id_date_range` int(10) unsigned NOT NULL,
+ `counter` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_page`, `id_date_range`, `id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_order_payment` (
+ `id_order_payment` INT NOT NULL auto_increment,
+ `order_reference` VARCHAR(9),
+ `id_currency` INT UNSIGNED NOT NULL,
+ `amount` DECIMAL(10,2) NOT NULL,
+ `payment_method` varchar(255) NOT NULL,
+ `conversion_rate` decimal(13,6) NOT NULL DEFAULT 1,
+ `transaction_id` VARCHAR(254) NULL,
+ `card_number` VARCHAR(254) NULL,
+ `card_brand` VARCHAR(254) NULL,
+ `card_expiration` CHAR(7) NULL,
+ `card_holder` VARCHAR(254) NULL,
+ `date_add` DATETIME NOT NULL,
+ PRIMARY KEY (`id_order_payment`),
+ KEY `order_reference`(`order_reference`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_product` (
+ `id_product` int(10) unsigned NOT NULL auto_increment,
+ `id_supplier` int(10) unsigned DEFAULT NULL,
+ `id_manufacturer` int(10) unsigned DEFAULT NULL,
+ `id_category_default` int(10) unsigned DEFAULT NULL,
+ `id_shop_default` int(10) unsigned NOT NULL DEFAULT 1,
+ `id_tax_rules_group` INT(11) UNSIGNED NOT NULL,
+ `on_sale` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `online_only` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `ean13` varchar(13) DEFAULT NULL,
+ `upc` varchar(12) DEFAULT NULL,
+ `ecotax` decimal(17,6) NOT NULL DEFAULT '0.00',
+ `quantity` int(10) NOT NULL DEFAULT '0',
+ `minimal_quantity` int(10) unsigned NOT NULL DEFAULT '1',
+ `price` decimal(20,6) NOT NULL DEFAULT '0.000000',
+ `wholesale_price` decimal(20,6) NOT NULL DEFAULT '0.000000',
+ `unity` varchar(255) DEFAULT NULL,
+ `unit_price_ratio` decimal(20,6) NOT NULL DEFAULT '0.000000',
+ `additional_shipping_cost` decimal(20,2) NOT NULL DEFAULT '0.00',
+ `reference` varchar(32) DEFAULT NULL,
+ `supplier_reference` varchar(32) DEFAULT NULL,
+ `location` varchar(64) DEFAULT NULL,
+ `width` DECIMAL(20, 6) NOT NULL DEFAULT '0',
+ `height` DECIMAL(20, 6) NOT NULL DEFAULT '0',
+ `depth` DECIMAL(20, 6) NOT NULL DEFAULT '0',
+ `weight` DECIMAL(20, 6) NOT NULL DEFAULT '0',
+ `out_of_stock` int(10) unsigned NOT NULL DEFAULT '2',
+ `quantity_discount` tinyint(1) DEFAULT '0',
+ `customizable` tinyint(2) NOT NULL DEFAULT '0',
+ `uploadable_files` tinyint(4) NOT NULL DEFAULT '0',
+ `text_fields` tinyint(4) NOT NULL DEFAULT '0',
+ `active` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `redirect_type` ENUM('', '404', '301', '302') NOT NULL DEFAULT '',
+ `id_product_redirected` int(10) unsigned NOT NULL DEFAULT '0',
+ `available_for_order` tinyint(1) NOT NULL DEFAULT '1',
+ `available_date` date NOT NULL DEFAULT '0000-00-00',
+ `condition` ENUM('new', 'used', 'refurbished') NOT NULL DEFAULT 'new',
+ `show_price` tinyint(1) NOT NULL DEFAULT '1',
+ `indexed` tinyint(1) NOT NULL DEFAULT '0',
+ `visibility` ENUM('both', 'catalog', 'search', 'none') NOT NULL DEFAULT 'both',
+ `cache_is_pack` tinyint(1) NOT NULL DEFAULT '0',
+ `cache_has_attachments` tinyint(1) NOT NULL DEFAULT '0',
+ `is_virtual` tinyint(1) NOT NULL DEFAULT '0',
+ `cache_default_attribute` int(10) unsigned DEFAULT NULL,
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ `advanced_stock_management` tinyint(1) DEFAULT '0' NOT NULL,
+ `pack_stock_type` int(11) unsigned DEFAULT '3' NOT NULL,
+ PRIMARY KEY (`id_product`),
+ KEY `product_supplier` (`id_supplier`),
+ KEY `product_manufacturer` (`id_manufacturer`, `id_product`),
+ KEY `id_category_default` (`id_category_default`),
+ KEY `indexed` (`indexed`),
+ KEY `date_add` (`date_add`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE IF NOT EXISTS `PREFIX_product_shop` (
+ `id_product` int(10) unsigned NOT NULL,
+ `id_shop` int(10) unsigned NOT NULL,
+ `id_category_default` int(10) unsigned DEFAULT NULL,
+ `id_tax_rules_group` INT(11) UNSIGNED NOT NULL,
+ `on_sale` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `online_only` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `ecotax` decimal(17,6) NOT NULL DEFAULT '0.000000',
+ `minimal_quantity` int(10) unsigned NOT NULL DEFAULT '1',
+ `price` decimal(20,6) NOT NULL DEFAULT '0.000000',
+ `wholesale_price` decimal(20,6) NOT NULL DEFAULT '0.000000',
+ `unity` varchar(255) DEFAULT NULL,
+ `unit_price_ratio` decimal(20,6) NOT NULL DEFAULT '0.000000',
+ `additional_shipping_cost` decimal(20,2) NOT NULL DEFAULT '0.00',
+ `customizable` tinyint(2) NOT NULL DEFAULT '0',
+ `uploadable_files` tinyint(4) NOT NULL DEFAULT '0',
+ `text_fields` tinyint(4) NOT NULL DEFAULT '0',
+ `active` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `redirect_type` ENUM('', '404', '301', '302') NOT NULL DEFAULT '',
+ `id_product_redirected` int(10) unsigned NOT NULL DEFAULT '0',
+ `available_for_order` tinyint(1) NOT NULL DEFAULT '1',
+ `available_date` date NOT NULL DEFAULT '0000-00-00',
+ `condition` enum('new','used','refurbished') NOT NULL DEFAULT 'new',
+ `show_price` tinyint(1) NOT NULL DEFAULT '1',
+ `indexed` tinyint(1) NOT NULL DEFAULT '0',
+ `visibility` enum('both','catalog','search','none') NOT NULL DEFAULT 'both',
+ `cache_default_attribute` int(10) unsigned DEFAULT NULL,
+ `advanced_stock_management` tinyint(1) DEFAULT '0' NOT NULL,
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ `pack_stock_type` int(11) unsigned DEFAULT '3' NOT NULL,
+ PRIMARY KEY (`id_product`, `id_shop`),
+ KEY `id_category_default` (`id_category_default`),
+ KEY `date_add` (`date_add` , `active` , `visibility`),
+ KEY `indexed` (`indexed`, `active`, `id_product`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_product_attribute` (
+ `id_product_attribute` int(10) unsigned NOT NULL auto_increment,
+ `id_product` int(10) unsigned NOT NULL,
+ `reference` varchar(32) DEFAULT NULL,
+ `supplier_reference` varchar(32) DEFAULT NULL,
+ `location` varchar(64) DEFAULT NULL,
+ `ean13` varchar(13) DEFAULT NULL,
+ `upc` varchar(12) DEFAULT NULL,
+ `wholesale_price` decimal(20,6) NOT NULL DEFAULT '0.000000',
+ `price` decimal(20,6) NOT NULL DEFAULT '0.000000',
+ `ecotax` decimal(17,6) NOT NULL DEFAULT '0.00',
+ `quantity` int(10) NOT NULL DEFAULT '0',
+ `weight` DECIMAL(20,6) NOT NULL DEFAULT '0',
+ `unit_price_impact` DECIMAL(20,6) NOT NULL DEFAULT '0.00',
+ `default_on` tinyint(1) unsigned NULL DEFAULT NULL,
+ `minimal_quantity` int(10) unsigned NOT NULL DEFAULT '1',
+ `available_date` date NOT NULL DEFAULT '0000-00-00',
+ PRIMARY KEY (`id_product_attribute`),
+ KEY `product_attribute_product` (`id_product`),
+ KEY `reference` (`reference`),
+ KEY `supplier_reference` (`supplier_reference`),
+ UNIQUE KEY `product_default` (`id_product`,`default_on`),
+ KEY `id_product_id_product_attribute` (`id_product_attribute` , `id_product`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_product_attribute_shop` (
+ `id_product` int(10) unsigned NOT NULL,
+ `id_product_attribute` int(10) unsigned NOT NULL,
+ `id_shop` int(10) unsigned NOT NULL,
+ `wholesale_price` decimal(20,6) NOT NULL DEFAULT '0.000000',
+ `price` decimal(20,6) NOT NULL DEFAULT '0.000000',
+ `ecotax` decimal(17,6) NOT NULL DEFAULT '0.00',
+ `weight` DECIMAL(20,6) NOT NULL DEFAULT '0',
+ `unit_price_impact` DECIMAL(20,6) NOT NULL DEFAULT '0.00',
+ `default_on` tinyint(1) unsigned NULL DEFAULT NULL,
+ `minimal_quantity` int(10) unsigned NOT NULL DEFAULT '1',
+ `available_date` date NOT NULL DEFAULT '0000-00-00',
+ PRIMARY KEY (`id_product_attribute`, `id_shop`),
+ UNIQUE KEY `id_product` (`id_product`, `id_shop`, `default_on`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_product_attribute_combination` (
+ `id_attribute` int(10) unsigned NOT NULL,
+ `id_product_attribute` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_attribute`,`id_product_attribute`),
+ KEY `id_product_attribute` (`id_product_attribute`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_product_attribute_image` (
+ `id_product_attribute` int(10) unsigned NOT NULL,
+ `id_image` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_product_attribute`,`id_image`),
+ KEY `id_image` (`id_image`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_product_download` (
+ `id_product_download` int(10) unsigned NOT NULL AUTO_INCREMENT,
+ `id_product` int(10) unsigned NOT NULL,
+ `display_filename` varchar(255) DEFAULT NULL,
+ `filename` varchar(255) DEFAULT NULL,
+ `date_add` datetime NOT NULL,
+ `date_expiration` datetime DEFAULT NULL,
+ `nb_days_accessible` int(10) unsigned DEFAULT NULL,
+ `nb_downloadable` int(10) unsigned DEFAULT '1',
+ `active` tinyint(1) unsigned NOT NULL DEFAULT '1',
+ `is_shareable` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_product_download`),
+ KEY `product_active` (`id_product`,`active`),
+ UNIQUE KEY `id_product` (`id_product`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_product_lang` (
+ `id_product` int(10) unsigned NOT NULL,
+ `id_shop` INT( 11 ) UNSIGNED NOT NULL DEFAULT '1',
+ `id_lang` int(10) unsigned NOT NULL,
+ `description` text,
+ `description_short` text,
+ `link_rewrite` varchar(128) NOT NULL,
+ `meta_description` varchar(255) DEFAULT NULL,
+ `meta_keywords` varchar(255) DEFAULT NULL,
+ `meta_title` varchar(128) DEFAULT NULL,
+ `name` varchar(128) NOT NULL,
+ `available_now` varchar(255) DEFAULT NULL,
+ `available_later` varchar(255) DEFAULT NULL,
+ PRIMARY KEY (`id_product`, `id_shop` , `id_lang`),
+ KEY `id_lang` (`id_lang`),
+ KEY `name` (`name`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_product_sale` (
+ `id_product` int(10) unsigned NOT NULL,
+ `quantity` int(10) unsigned NOT NULL DEFAULT '0',
+ `sale_nbr` int(10) unsigned NOT NULL DEFAULT '0',
+ `date_upd` date NOT NULL,
+ PRIMARY KEY (`id_product`),
+ KEY `quantity` (`quantity`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_product_tag` (
+ `id_product` int(10) unsigned NOT NULL,
+ `id_tag` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_product`,`id_tag`),
+ KEY `id_tag` (`id_tag`),
+ KEY `id_lang` (`id_lang`,`id_tag`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_profile` (
+ `id_profile` int(10) unsigned NOT NULL auto_increment,
+ PRIMARY KEY (`id_profile`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_profile_lang` (
+ `id_lang` int(10) unsigned NOT NULL,
+ `id_profile` int(10) unsigned NOT NULL,
+ `name` varchar(128) NOT NULL,
+ PRIMARY KEY (`id_profile`,`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_quick_access` (
+ `id_quick_access` int(10) unsigned NOT NULL auto_increment,
+ `new_window` tinyint(1) NOT NULL DEFAULT '0',
+ `link` varchar(255) NOT NULL,
+ PRIMARY KEY (`id_quick_access`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_quick_access_lang` (
+ `id_quick_access` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(32) NOT NULL,
+ PRIMARY KEY (`id_quick_access`,`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_range_price` (
+ `id_range_price` int(10) unsigned NOT NULL auto_increment,
+ `id_carrier` int(10) unsigned NOT NULL,
+ `delimiter1` decimal(20,6) NOT NULL,
+ `delimiter2` decimal(20,6) NOT NULL,
+ PRIMARY KEY (`id_range_price`),
+ UNIQUE KEY `id_carrier` (`id_carrier`,`delimiter1`,`delimiter2`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_range_weight` (
+ `id_range_weight` int(10) unsigned NOT NULL auto_increment,
+ `id_carrier` int(10) unsigned NOT NULL,
+ `delimiter1` decimal(20,6) NOT NULL,
+ `delimiter2` decimal(20,6) NOT NULL,
+ PRIMARY KEY (`id_range_weight`),
+ UNIQUE KEY `id_carrier` (`id_carrier`,`delimiter1`,`delimiter2`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_referrer` (
+ `id_referrer` int(10) unsigned NOT NULL auto_increment,
+ `name` varchar(64) NOT NULL,
+ `passwd` varchar(32) DEFAULT NULL,
+ `http_referer_regexp` varchar(64) DEFAULT NULL,
+ `http_referer_like` varchar(64) DEFAULT NULL,
+ `request_uri_regexp` varchar(64) DEFAULT NULL,
+ `request_uri_like` varchar(64) DEFAULT NULL,
+ `http_referer_regexp_not` varchar(64) DEFAULT NULL,
+ `http_referer_like_not` varchar(64) DEFAULT NULL,
+ `request_uri_regexp_not` varchar(64) DEFAULT NULL,
+ `request_uri_like_not` varchar(64) DEFAULT NULL,
+ `base_fee` decimal(5,2) NOT NULL DEFAULT '0.00',
+ `percent_fee` decimal(5,2) NOT NULL DEFAULT '0.00',
+ `click_fee` decimal(5,2) NOT NULL DEFAULT '0.00',
+ `date_add` datetime NOT NULL,
+ PRIMARY KEY (`id_referrer`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_referrer_cache` (
+ `id_connections_source` int(11) unsigned NOT NULL,
+ `id_referrer` int(11) unsigned NOT NULL,
+ PRIMARY KEY (`id_connections_source`, `id_referrer`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_referrer_shop` (
+ `id_referrer` int(10) unsigned NOT NULL auto_increment,
+ `id_shop` int(10) unsigned NOT NULL DEFAULT '1',
+ `cache_visitors` int(11) DEFAULT NULL,
+ `cache_visits` int(11) DEFAULT NULL,
+ `cache_pages` int(11) DEFAULT NULL,
+ `cache_registrations` int(11) DEFAULT NULL,
+ `cache_orders` int(11) DEFAULT NULL,
+ `cache_sales` decimal(17,2) DEFAULT NULL,
+ `cache_reg_rate` decimal(5,4) DEFAULT NULL,
+ `cache_order_rate` decimal(5,4) DEFAULT NULL,
+ PRIMARY KEY (`id_referrer`, `id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE IF NOT EXISTS `PREFIX_request_sql` (
+ `id_request_sql` int(11) NOT NULL AUTO_INCREMENT,
+ `name` varchar(200) NOT NULL,
+ `sql` text NOT NULL,
+ PRIMARY KEY (`id_request_sql`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_scene` (
+ `id_scene` int(10) unsigned NOT NULL auto_increment,
+ `active` tinyint(1) NOT NULL DEFAULT '1',
+ PRIMARY KEY (`id_scene`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_scene_category` (
+ `id_scene` int(10) unsigned NOT NULL,
+ `id_category` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_scene`,`id_category`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_scene_lang` (
+ `id_scene` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(100) NOT NULL,
+ PRIMARY KEY (`id_scene`,`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_scene_products` (
+ `id_scene` int(10) unsigned NOT NULL,
+ `id_product` int(10) unsigned NOT NULL,
+ `x_axis` int(4) NOT NULL,
+ `y_axis` int(4) NOT NULL,
+ `zone_width` int(3) NOT NULL,
+ `zone_height` int(3) NOT NULL,
+ PRIMARY KEY (`id_scene`, `id_product`, `x_axis`, `y_axis`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_search_engine` (
+ `id_search_engine` int(10) unsigned NOT NULL auto_increment,
+ `server` varchar(64) NOT NULL,
+ `getvar` varchar(16) NOT NULL,
+ PRIMARY KEY (`id_search_engine`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_search_index` (
+ `id_product` int(11) unsigned NOT NULL,
+ `id_word` int(11) unsigned NOT NULL,
+ `weight` smallint(4) unsigned NOT NULL DEFAULT 1,
+ PRIMARY KEY (`id_word`, `id_product`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_search_word` (
+ `id_word` int(10) unsigned NOT NULL auto_increment,
+ `id_shop` int(11) unsigned NOT NULL DEFAULT 1,
+ `id_lang` int(10) unsigned NOT NULL,
+ `word` varchar(15) NOT NULL,
+ PRIMARY KEY (`id_word`),
+ UNIQUE KEY `id_lang` (`id_lang`,`id_shop`, `word`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_specific_price` (
+ `id_specific_price` INT UNSIGNED NOT NULL AUTO_INCREMENT,
+ `id_specific_price_rule` INT(11) UNSIGNED NOT NULL,
+ `id_cart` INT(11) UNSIGNED NOT NULL,
+ `id_product` INT UNSIGNED NOT NULL,
+ `id_shop` INT(11) UNSIGNED NOT NULL DEFAULT '1',
+ `id_shop_group` INT(11) UNSIGNED NOT NULL,
+ `id_currency` INT UNSIGNED NOT NULL,
+ `id_country` INT UNSIGNED NOT NULL,
+ `id_group` INT UNSIGNED NOT NULL,
+ `id_customer` INT UNSIGNED NOT NULL,
+ `id_product_attribute` INT UNSIGNED NOT NULL,
+ `price` DECIMAL(20, 6) NOT NULL,
+ `from_quantity` mediumint(8) UNSIGNED NOT NULL,
+ `reduction` DECIMAL(20, 6) NOT NULL,
+ `reduction_tax` tinyint(1) NOT NULL DEFAULT 1,
+ `reduction_type` ENUM('amount', 'percentage') NOT NULL,
+ `from` DATETIME NOT NULL,
+ `to` DATETIME NOT NULL,
+ PRIMARY KEY (`id_specific_price`),
+ KEY (`id_product`, `id_shop`, `id_currency`, `id_country`, `id_group`, `id_customer`, `from_quantity`, `from`, `to`),
+ KEY `from_quantity` (`from_quantity`),
+ KEY (`id_specific_price_rule`),
+ KEY (`id_cart`),
+ UNIQUE KEY `id_product_2` (`id_product`,`id_shop`,`id_shop_group`,`id_currency`,`id_country`,`id_group`,`id_customer`,`id_product_attribute`,`from_quantity`,`id_specific_price_rule`,`from`,`to`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_state` (
+ `id_state` int(10) unsigned NOT NULL auto_increment,
+ `id_country` int(11) unsigned NOT NULL,
+ `id_zone` int(11) unsigned NOT NULL,
+ `name` varchar(64) NOT NULL,
+ `iso_code` varchar(7) NOT NULL,
+ `tax_behavior` smallint(1) NOT NULL DEFAULT '0',
+ `active` tinyint(1) NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_state`),
+ KEY `id_country` (`id_country`),
+ KEY `name` (`name`),
+ KEY `id_zone` (`id_zone`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+
+CREATE TABLE `PREFIX_supplier` (
+ `id_supplier` int(10) unsigned NOT NULL auto_increment,
+ `name` varchar(64) NOT NULL,
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ `active` tinyint(1) NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_supplier`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_supplier_lang` (
+ `id_supplier` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `description` text,
+ `meta_title` varchar(128) DEFAULT NULL,
+ `meta_keywords` varchar(255) DEFAULT NULL,
+ `meta_description` varchar(255) DEFAULT NULL,
+ PRIMARY KEY (`id_supplier`,`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_tab` (
+ `id_tab` int(10) unsigned NOT NULL auto_increment,
+ `id_parent` int(11) NOT NULL,
+ `class_name` varchar(64) NOT NULL,
+ `module` varchar(64) NULL,
+ `position` int(10) unsigned NOT NULL,
+ `active` tinyint(1) NOT NULL DEFAULT 1,
+ `hide_host_mode` tinyint(1) NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_tab`),
+ KEY `class_name` (`class_name`),
+ KEY `id_parent` (`id_parent`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_tab_lang` (
+ `id_tab` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(64) DEFAULT NULL,
+ PRIMARY KEY (`id_tab`,`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_tag` (
+ `id_tag` int(10) unsigned NOT NULL auto_increment,
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(32) NOT NULL,
+ PRIMARY KEY (`id_tag`),
+ KEY `tag_name` (`name`),
+ KEY `id_lang` (`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_tag_count` (
+ `id_group` int(10) unsigned NOT NULL DEFAULT 0,
+ `id_tag` int(10) unsigned NOT NULL DEFAULT 0,
+ `id_lang` int(10) unsigned NOT NULL DEFAULT 0,
+ `id_shop` int(11) unsigned NOT NULL DEFAULT 0,
+ `counter` int(10) unsigned NOT NULL DEFAULT 0,
+ PRIMARY KEY (`id_group`, `id_tag`),
+ KEY (`id_group`, `id_lang`, `id_shop`, `counter`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_tax` (
+ `id_tax` int(10) unsigned NOT NULL auto_increment,
+ `rate` DECIMAL(10, 3) NOT NULL,
+ `active` tinyint(1) unsigned NOT NULL DEFAULT '1',
+ `deleted` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_tax`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_tax_lang` (
+ `id_tax` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(32) NOT NULL,
+ PRIMARY KEY (`id_tax`,`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_timezone` (
+ id_timezone int(10) unsigned NOT NULL auto_increment,
+ name VARCHAR(32) NOT NULL,
+ PRIMARY KEY (`id_timezone`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_web_browser` (
+ `id_web_browser` int(10) unsigned NOT NULL auto_increment,
+ `name` varchar(64) DEFAULT NULL,
+ PRIMARY KEY (`id_web_browser`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_zone` (
+ `id_zone` int(10) unsigned NOT NULL auto_increment,
+ `name` varchar(64) NOT NULL,
+ `active` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_zone`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_carrier_group` (
+ `id_carrier` int(10) unsigned NOT NULL,
+ `id_group` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_carrier`,`id_group`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_store` (
+ `id_store` int(10) unsigned NOT NULL AUTO_INCREMENT,
+ `id_country` int(10) unsigned NOT NULL,
+ `id_state` int(10) unsigned DEFAULT NULL,
+ `name` varchar(128) NOT NULL,
+ `address1` varchar(128) NOT NULL,
+ `address2` varchar(128) DEFAULT NULL,
+ `city` varchar(64) NOT NULL,
+ `postcode` varchar(12) NOT NULL,
+ `latitude` decimal(13,8) DEFAULT NULL,
+ `longitude` decimal(13,8) DEFAULT NULL,
+ `hours` varchar(254) DEFAULT NULL,
+ `phone` varchar(16) DEFAULT NULL,
+ `fax` varchar(16) DEFAULT NULL,
+ `email` varchar(128) DEFAULT NULL,
+ `note` text,
+ `active` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ PRIMARY KEY (`id_store`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_webservice_account` (
+ `id_webservice_account` int(11) NOT NULL AUTO_INCREMENT,
+ `key` varchar(32) NOT NULL,
+ `description` text NULL,
+ `class_name` VARCHAR( 50 ) NOT NULL DEFAULT 'WebserviceRequest',
+ `is_module` TINYINT( 2 ) NOT NULL DEFAULT '0',
+ `module_name` VARCHAR( 50 ) NULL DEFAULT NULL,
+ `active` tinyint(2) NOT NULL,
+ PRIMARY KEY (`id_webservice_account`),
+ KEY `key` (`key`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_webservice_permission` (
+ `id_webservice_permission` int(11) NOT NULL AUTO_INCREMENT,
+ `resource` varchar(50) NOT NULL,
+ `method` enum('GET','POST','PUT','DELETE','HEAD') NOT NULL,
+ `id_webservice_account` int(11) NOT NULL,
+ PRIMARY KEY (`id_webservice_permission`),
+ UNIQUE KEY `resource_2` (`resource`,`method`,`id_webservice_account`),
+ KEY `resource` (`resource`),
+ KEY `method` (`method`),
+ KEY `id_webservice_account` (`id_webservice_account`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_required_field` (
+ `id_required_field` int(11) NOT NULL AUTO_INCREMENT,
+ `object_name` varchar(32) NOT NULL,
+ `field_name` varchar(32) NOT NULL,
+ PRIMARY KEY (`id_required_field`),
+ KEY `object_name` (`object_name`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_memcached_servers` (
+`id_memcached_server` INT(11) UNSIGNED NOT NULL AUTO_INCREMENT PRIMARY KEY ,
+`ip` VARCHAR( 254 ) NOT NULL ,
+`port` INT(11) UNSIGNED NOT NULL ,
+`weight` INT(11) UNSIGNED NOT NULL
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_product_country_tax` (
+ `id_product` int(11) NOT NULL,
+ `id_country` int(11) NOT NULL,
+ `id_tax` int(11) NOT NULL,
+ PRIMARY KEY (`id_product`,`id_country`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_tax_rule` (
+ `id_tax_rule` int(11) NOT NULL AUTO_INCREMENT,
+ `id_tax_rules_group` int(11) NOT NULL,
+ `id_country` int(11) NOT NULL,
+ `id_state` int(11) NOT NULL,
+ `zipcode_from` VARCHAR(12) NOT NULL,
+ `zipcode_to` VARCHAR(12) NOT NULL,
+ `id_tax` int(11) NOT NULL,
+ `behavior` int(11) NOT NULL,
+ `description` VARCHAR( 100 ) NOT NULL,
+ PRIMARY KEY (`id_tax_rule`),
+ KEY `id_tax_rules_group` (`id_tax_rules_group`),
+ KEY `id_tax` (`id_tax`),
+ KEY `category_getproducts` ( `id_tax_rules_group` , `id_country` , `id_state` , `zipcode_from` )
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_tax_rules_group` (
+`id_tax_rules_group` INT NOT NULL AUTO_INCREMENT PRIMARY KEY,
+`name` VARCHAR( 50 ) NOT NULL,
+`active` INT NOT NULL,
+`deleted` TINYINT(1) UNSIGNED NOT NULL,
+`date_add` DATETIME NOT NULL,
+`date_upd` DATETIME NOT NULL
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_specific_price_priority` (
+ `id_specific_price_priority` INT NOT NULL AUTO_INCREMENT ,
+ `id_product` INT NOT NULL ,
+ `priority` VARCHAR( 80 ) NOT NULL ,
+ PRIMARY KEY ( `id_specific_price_priority` , `id_product` ),
+ UNIQUE KEY `id_product` (`id_product`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_log` (
+ `id_log` int(10) unsigned NOT NULL AUTO_INCREMENT,
+ `severity` tinyint(1) NOT NULL,
+ `error_code` int(11) DEFAULT NULL,
+ `message` text NOT NULL,
+ `object_type` varchar(32) DEFAULT NULL,
+ `object_id` int(10) unsigned DEFAULT NULL,
+ `id_employee` int(10) unsigned DEFAULT NULL,
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ PRIMARY KEY (`id_log`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_import_match` (
+ `id_import_match` int(10) NOT NULL AUTO_INCREMENT,
+ `name` varchar(32) NOT NULL,
+ `match` text NOT NULL,
+ `skip` int(2) NOT NULL,
+ PRIMARY KEY (`id_import_match`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE IF NOT EXISTS `PREFIX_shop_group` (
+ `id_shop_group` int(11) unsigned NOT NULL AUTO_INCREMENT,
+ `name` varchar(64) CHARACTER SET utf8 NOT NULL,
+ `share_customer` TINYINT(1) NOT NULL,
+ `share_order` TINYINT(1) NOT NULL,
+ `share_stock` TINYINT(1) NOT NULL,
+ `active` tinyint(1) NOT NULL DEFAULT '1',
+ `deleted` tinyint(1) NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_shop_group`),
+ KEY `deleted` (`deleted`, `name`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE IF NOT EXISTS `PREFIX_shop` (
+ `id_shop` int(11) unsigned NOT NULL AUTO_INCREMENT,
+ `id_shop_group` int(11) unsigned NOT NULL,
+ `name` varchar(64) CHARACTER SET utf8 NOT NULL,
+ `id_category` INT(11) UNSIGNED NOT NULL DEFAULT '1',
+ `id_theme` INT(1) UNSIGNED NOT NULL,
+ `active` tinyint(1) NOT NULL DEFAULT '1',
+ `deleted` tinyint(1) NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_shop`),
+ KEY `id_shop_group` (`id_shop_group`, `deleted`),
+ KEY `id_category` (`id_category`),
+ KEY `id_theme` (`id_theme`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE IF NOT EXISTS `PREFIX_shop_url` (
+ `id_shop_url` int(11) unsigned NOT NULL AUTO_INCREMENT,
+ `id_shop` int(11) unsigned NOT NULL,
+ `domain` varchar(150) NOT NULL,
+ `domain_ssl` varchar(150) NOT NULL,
+ `physical_uri` varchar(64) NOT NULL,
+ `virtual_uri` varchar(64) NOT NULL,
+ `main` TINYINT(1) NOT NULL,
+ `active` TINYINT(1) NOT NULL,
+ PRIMARY KEY (`id_shop_url`),
+ KEY `id_shop` (`id_shop`, `main`),
+ UNIQUE KEY `full_shop_url` (`domain`, `physical_uri`, `virtual_uri`),
+ UNIQUE KEY `full_shop_url_ssl` (`domain_ssl`, `physical_uri`, `virtual_uri`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE IF NOT EXISTS `PREFIX_theme` (
+ `id_theme` int(11) NOT NULL AUTO_INCREMENT,
+ `name` varchar(64) NOT NULL,
+ `directory` varchar(64) NOT NULL,
+ `responsive` tinyint(1) NOT NULL DEFAULT '0',
+ `default_left_column` tinyint(1) NOT NULL DEFAULT '0',
+ `default_right_column` tinyint(1) NOT NULL DEFAULT '0',
+ `product_per_page` int(10) unsigned NOT NULL,
+ PRIMARY KEY (`id_theme`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE IF NOT EXISTS `PREFIX_theme_meta` (
+ `id_theme_meta` int(11) NOT NULL AUTO_INCREMENT,
+ `id_theme` int(11) NOT NULL,
+ `id_meta` int(10) unsigned NOT NULL,
+ `left_column` tinyint(1) NOT NULL DEFAULT '1',
+ `right_column` tinyint(1) NOT NULL DEFAULT '1',
+ PRIMARY KEY (`id_theme_meta`),
+ UNIQUE KEY `id_theme_2` (`id_theme`,`id_meta`),
+ KEY `id_theme` (`id_theme`),
+ KEY `id_meta` (`id_meta`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 AUTO_INCREMENT=1;
+
+CREATE TABLE IF NOT EXISTS `PREFIX_theme_specific` (
+ `id_theme` int(11) unsigned NOT NULL,
+ `id_shop` INT(11) UNSIGNED NOT NULL,
+ `entity` int(11) unsigned NOT NULL,
+ `id_object` int(11) unsigned NOT NULL,
+ PRIMARY KEY (`id_theme`,`id_shop`, `entity`,`id_object`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_country_shop` (
+`id_country` INT( 11 ) UNSIGNED NOT NULL,
+`id_shop` INT( 11 ) UNSIGNED NOT NULL ,
+ PRIMARY KEY (`id_country`, `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_carrier_shop` (
+`id_carrier` INT( 11 ) UNSIGNED NOT NULL ,
+`id_shop` INT( 11 ) UNSIGNED NOT NULL ,
+PRIMARY KEY (`id_carrier`, `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_address_format` (
+ `id_country` int(10) unsigned NOT NULL,
+ `format` varchar(255) NOT NULL DEFAULT '',
+ PRIMARY KEY (`id_country`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_cms_shop` (
+`id_cms` INT( 11 ) UNSIGNED NOT NULL,
+`id_shop` INT( 11 ) UNSIGNED NOT NULL ,
+ PRIMARY KEY (`id_cms`, `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_lang_shop` (
+`id_lang` INT( 11 ) UNSIGNED NOT NULL,
+`id_shop` INT( 11 ) UNSIGNED NOT NULL,
+ PRIMARY KEY (`id_lang`, `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_currency_shop` (
+`id_currency` INT( 11 ) UNSIGNED NOT NULL,
+`id_shop` INT( 11 ) UNSIGNED NOT NULL,
+`conversion_rate` decimal(13,6) NOT NULL,
+ PRIMARY KEY (`id_currency`, `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_contact_shop` (
+ `id_contact` INT(11) UNSIGNED NOT NULL,
+ `id_shop` INT(11) UNSIGNED NOT NULL,
+ PRIMARY KEY (`id_contact`, `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_image_shop` (
+ `id_product` int(10) unsigned NOT NULL,
+ `id_image` INT( 11 ) UNSIGNED NOT NULL,
+ `id_shop` INT( 11 ) UNSIGNED NOT NULL,
+ `cover` tinyint(1) UNSIGNED NULL DEFAULT NULL,
+ PRIMARY KEY (`id_image`, `id_shop`),
+ UNIQUE KEY `id_product` (`id_product`, `id_shop`, `cover`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_attribute_shop` (
+`id_attribute` INT(11) UNSIGNED NOT NULL,
+`id_shop` INT(11) UNSIGNED NOT NULL,
+ PRIMARY KEY (`id_attribute`, `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_feature_shop` (
+`id_feature` INT(11) UNSIGNED NOT NULL,
+`id_shop` INT(11) UNSIGNED NOT NULL ,
+ PRIMARY KEY (`id_feature`, `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_group_shop` (
+`id_group` INT( 11 ) UNSIGNED NOT NULL,
+`id_shop` INT( 11 ) UNSIGNED NOT NULL,
+ PRIMARY KEY (`id_group`, `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_attribute_group_shop` (
+`id_attribute_group` INT( 11 ) UNSIGNED NOT NULL ,
+`id_shop` INT( 11 ) UNSIGNED NOT NULL ,
+ PRIMARY KEY (`id_attribute_group`, `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_tax_rules_group_shop` (
+ `id_tax_rules_group` INT( 11 ) UNSIGNED NOT NULL,
+ `id_shop` INT( 11 ) UNSIGNED NOT NULL,
+ PRIMARY KEY (`id_tax_rules_group`, `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_zone_shop` (
+`id_zone` INT( 11 ) UNSIGNED NOT NULL ,
+`id_shop` INT( 11 ) UNSIGNED NOT NULL ,
+ PRIMARY KEY (`id_zone`, `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_manufacturer_shop` (
+`id_manufacturer` INT( 11 ) UNSIGNED NOT NULL ,
+`id_shop` INT( 11 ) UNSIGNED NOT NULL ,
+ PRIMARY KEY (`id_manufacturer`, `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_supplier_shop` (
+`id_supplier` INT( 11 ) UNSIGNED NOT NULL,
+`id_shop` INT( 11 ) UNSIGNED NOT NULL,
+PRIMARY KEY (`id_supplier`, `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_store_shop` (
+`id_store` INT( 11 ) UNSIGNED NOT NULL ,
+`id_shop` INT( 11 ) UNSIGNED NOT NULL,
+PRIMARY KEY (`id_store`, `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_module_shop` (
+`id_module` INT( 11 ) UNSIGNED NOT NULL,
+`id_shop` INT( 11 ) UNSIGNED NOT NULL,
+`enable_device` TINYINT(1) NOT NULL DEFAULT '7',
+PRIMARY KEY (`id_module` , `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_webservice_account_shop` (
+`id_webservice_account` INT( 11 ) UNSIGNED NOT NULL,
+`id_shop` INT( 11 ) UNSIGNED NOT NULL,
+PRIMARY KEY (`id_webservice_account` , `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_scene_shop` (
+`id_scene` INT( 11 ) UNSIGNED NOT NULL ,
+`id_shop` INT( 11 ) UNSIGNED NOT NULL,
+PRIMARY KEY (`id_scene`, `id_shop`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_stock_mvt` (
+ `id_stock_mvt` BIGINT UNSIGNED NOT NULL AUTO_INCREMENT,
+ `id_stock` INT(11) UNSIGNED NOT NULL,
+ `id_order` INT(11) UNSIGNED DEFAULT NULL,
+ `id_supply_order` INT(11) UNSIGNED DEFAULT NULL,
+ `id_stock_mvt_reason` INT(11) UNSIGNED NOT NULL,
+ `id_employee` INT(11) UNSIGNED NOT NULL,
+ `employee_lastname` varchar(32) DEFAULT '',
+ `employee_firstname` varchar(32) DEFAULT '',
+ `physical_quantity` INT(11) UNSIGNED NOT NULL,
+ `date_add` DATETIME NOT NULL,
+ `sign` tinyint(1) NOT NULL DEFAULT 1,
+ `price_te` DECIMAL(20,6) DEFAULT '0.000000',
+ `last_wa` DECIMAL(20,6) DEFAULT '0.000000',
+ `current_wa` DECIMAL(20,6) DEFAULT '0.000000',
+ `referer` bigint UNSIGNED DEFAULT NULL,
+ PRIMARY KEY (`id_stock_mvt`),
+ KEY `id_stock` (`id_stock`),
+ KEY `id_stock_mvt_reason` (`id_stock_mvt_reason`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_stock_mvt_reason` (
+ `id_stock_mvt_reason` INT(11) UNSIGNED NOT NULL AUTO_INCREMENT,
+ `sign` tinyint(1) NOT NULL DEFAULT 1,
+ `date_add` datetime NOT NULL,
+ `date_upd` datetime NOT NULL,
+ `deleted` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_stock_mvt_reason`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_stock_mvt_reason_lang` (
+ `id_stock_mvt_reason` INT(11) UNSIGNED NOT NULL,
+ `id_lang` INT(11) UNSIGNED NOT NULL,
+ `name` VARCHAR(255) CHARACTER SET utf8 NOT NULL,
+ PRIMARY KEY (`id_stock_mvt_reason`,`id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_stock` (
+`id_stock` INT(11) UNSIGNED NOT NULL AUTO_INCREMENT,
+`id_warehouse` INT(11) UNSIGNED NOT NULL,
+`id_product` INT(11) UNSIGNED NOT NULL,
+`id_product_attribute` INT(11) UNSIGNED NOT NULL,
+`reference` VARCHAR(32) NOT NULL,
+`ean13` VARCHAR(13) DEFAULT NULL,
+`upc` VARCHAR(12) DEFAULT NULL,
+`physical_quantity` INT(11) UNSIGNED NOT NULL,
+`usable_quantity` INT(11) UNSIGNED NOT NULL,
+`price_te` DECIMAL(20,6) DEFAULT '0.000000',
+ PRIMARY KEY (`id_stock`),
+ KEY `id_warehouse` (`id_warehouse`),
+ KEY `id_product` (`id_product`),
+ KEY `id_product_attribute` (`id_product_attribute`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_warehouse` (
+`id_warehouse` INT(11) UNSIGNED NOT NULL AUTO_INCREMENT,
+`id_currency` INT(11) UNSIGNED NOT NULL,
+`id_address` INT(11) UNSIGNED NOT NULL,
+`id_employee` INT(11) UNSIGNED NOT NULL,
+`reference` VARCHAR(32) DEFAULT NULL,
+`name` VARCHAR(45) NOT NULL,
+`management_type` ENUM('WA', 'FIFO', 'LIFO') NOT NULL DEFAULT 'WA',
+`deleted` tinyint(1) unsigned NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_warehouse`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_warehouse_product_location` (
+ `id_warehouse_product_location` int(11) unsigned NOT NULL AUTO_INCREMENT,
+ `id_product` int(11) unsigned NOT NULL,
+ `id_product_attribute` int(11) unsigned NOT NULL,
+ `id_warehouse` int(11) unsigned NOT NULL,
+ `location` varchar(64) DEFAULT NULL,
+ PRIMARY KEY (`id_warehouse_product_location`),
+ UNIQUE KEY `id_product` (`id_product`,`id_product_attribute`,`id_warehouse`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_warehouse_shop` (
+`id_shop` INT(11) UNSIGNED NOT NULL,
+`id_warehouse` INT(11) UNSIGNED NOT NULL,
+ PRIMARY KEY (`id_warehouse`, `id_shop`),
+ KEY `id_warehouse` (`id_warehouse`),
+ KEY `id_shop` (`id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_warehouse_carrier` (
+`id_carrier` INT(11) UNSIGNED NOT NULL,
+`id_warehouse` INT(11) UNSIGNED NOT NULL,
+ PRIMARY KEY (`id_warehouse`, `id_carrier`),
+ KEY `id_warehouse` (`id_warehouse`),
+ KEY `id_carrier` (`id_carrier`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_stock_available` (
+`id_stock_available` INT(11) UNSIGNED NOT NULL AUTO_INCREMENT,
+`id_product` INT(11) UNSIGNED NOT NULL,
+`id_product_attribute` INT(11) UNSIGNED NOT NULL,
+`id_shop` INT(11) UNSIGNED NOT NULL,
+`id_shop_group` INT(11) UNSIGNED NOT NULL,
+`quantity` INT(10) NOT NULL DEFAULT '0',
+`depends_on_stock` TINYINT(1) UNSIGNED NOT NULL DEFAULT '0',
+`out_of_stock` TINYINT(1) UNSIGNED NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_stock_available`),
+ KEY `id_shop` (`id_shop`),
+ KEY `id_shop_group` (`id_shop_group`),
+ KEY `id_product` (`id_product`),
+ KEY `id_product_attribute` (`id_product_attribute`),
+ UNIQUE `product_sqlstock` (`id_product` , `id_product_attribute` , `id_shop`, `id_shop_group`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_supply_order` (
+`id_supply_order` INT(11) UNSIGNED NOT NULL AUTO_INCREMENT,
+`id_supplier` INT(11) UNSIGNED NOT NULL,
+`supplier_name` VARCHAR(64) NOT NULL,
+`id_lang` INT(11) UNSIGNED NOT NULL,
+`id_warehouse` INT(11) UNSIGNED NOT NULL,
+`id_supply_order_state` INT(11) UNSIGNED NOT NULL,
+`id_currency` INT(11) UNSIGNED NOT NULL,
+`id_ref_currency` INT(11) UNSIGNED NOT NULL,
+`reference` VARCHAR(64) NOT NULL,
+`date_add` DATETIME NOT NULL,
+`date_upd` DATETIME NOT NULL,
+`date_delivery_expected` DATETIME DEFAULT NULL,
+`total_te` DECIMAL(20,6) DEFAULT '0.000000',
+`total_with_discount_te` DECIMAL(20,6) DEFAULT '0.000000',
+`total_tax` DECIMAL(20,6) DEFAULT '0.000000',
+`total_ti` DECIMAL(20,6) DEFAULT '0.000000',
+`discount_rate` DECIMAL(20,6) DEFAULT '0.000000',
+`discount_value_te` DECIMAL(20,6) DEFAULT '0.000000',
+`is_template` tinyint(1) DEFAULT '0',
+ PRIMARY KEY (`id_supply_order`),
+ KEY `id_supplier` (`id_supplier`),
+ KEY `id_warehouse` (`id_warehouse`),
+ KEY `reference` (`reference`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_supply_order_detail` (
+`id_supply_order_detail` INT(11) UNSIGNED NOT NULL AUTO_INCREMENT,
+`id_supply_order` INT(11) UNSIGNED NOT NULL,
+`id_currency` INT(11) UNSIGNED NOT NULL,
+`id_product` INT(11) UNSIGNED NOT NULL,
+`id_product_attribute` INT(11) UNSIGNED NOT NULL,
+`reference` VARCHAR(32) NOT NULL,
+`supplier_reference` VARCHAR(32) NOT NULL,
+`name` varchar(128) NOT NULL,
+`ean13` VARCHAR(13) DEFAULT NULL,
+`upc` VARCHAR(12) DEFAULT NULL,
+`exchange_rate` DECIMAL(20,6) DEFAULT '0.000000',
+`unit_price_te` DECIMAL(20,6) DEFAULT '0.000000',
+`quantity_expected` INT(11) UNSIGNED NOT NULL,
+`quantity_received` INT(11) UNSIGNED NOT NULL,
+`price_te` DECIMAL(20,6) DEFAULT '0.000000',
+`discount_rate` DECIMAL(20,6) DEFAULT '0.000000',
+`discount_value_te` DECIMAL(20,6) DEFAULT '0.000000',
+`price_with_discount_te` DECIMAL(20,6) DEFAULT '0.000000',
+`tax_rate` DECIMAL(20,6) DEFAULT '0.000000',
+`tax_value` DECIMAL(20,6) DEFAULT '0.000000',
+`price_ti` DECIMAL(20,6) DEFAULT '0.000000',
+`tax_value_with_order_discount` DECIMAL(20,6) DEFAULT '0.000000',
+`price_with_order_discount_te` DECIMAL(20,6) DEFAULT '0.000000',
+ PRIMARY KEY (`id_supply_order_detail`),
+ KEY `id_supply_order` (`id_supply_order`, `id_product`),
+ KEY `id_product_attribute` (`id_product_attribute`),
+ KEY `id_product_product_attribute` (`id_product`, `id_product_attribute`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_supply_order_history` (
+`id_supply_order_history` INT(11) UNSIGNED NOT NULL AUTO_INCREMENT,
+`id_supply_order` INT(11) UNSIGNED NOT NULL,
+`id_employee` INT(11) UNSIGNED NOT NULL,
+`employee_lastname` varchar(32) DEFAULT '',
+`employee_firstname` varchar(32) DEFAULT '',
+`id_state` INT(11) UNSIGNED NOT NULL,
+`date_add` DATETIME NOT NULL,
+ PRIMARY KEY (`id_supply_order_history`),
+ KEY `id_supply_order` (`id_supply_order`),
+ KEY `id_employee` (`id_employee`),
+ KEY `id_state` (`id_state`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_supply_order_state` (
+`id_supply_order_state` INT(11) UNSIGNED NOT NULL AUTO_INCREMENT,
+`delivery_note` tinyint(1) NOT NULL DEFAULT '0',
+`editable` tinyint(1) NOT NULL DEFAULT '0',
+`receipt_state` tinyint(1) NOT NULL DEFAULT '0',
+`pending_receipt` tinyint(1) NOT NULL DEFAULT '0',
+`enclosed` tinyint(1) NOT NULL DEFAULT '0',
+`color` VARCHAR(32) DEFAULT NULL,
+ PRIMARY KEY (`id_supply_order_state`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_supply_order_state_lang` (
+`id_supply_order_state` INT(11) UNSIGNED NOT NULL,
+`id_lang` INT(11) UNSIGNED NOT NULL,
+`name` VARCHAR(128) DEFAULT NULL,
+ PRIMARY KEY (`id_supply_order_state`, `id_lang`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_supply_order_receipt_history` (
+`id_supply_order_receipt_history` INT(11) UNSIGNED NOT NULL AUTO_INCREMENT,
+`id_supply_order_detail` INT(11) UNSIGNED NOT NULL,
+`id_employee` INT(11) UNSIGNED NOT NULL,
+`employee_lastname` varchar(32) DEFAULT '',
+`employee_firstname` varchar(32) DEFAULT '',
+`id_supply_order_state` INT(11) UNSIGNED NOT NULL,
+`quantity` INT(11) UNSIGNED NOT NULL,
+`date_add` DATETIME NOT NULL,
+ PRIMARY KEY (`id_supply_order_receipt_history`),
+ KEY `id_supply_order_detail` (`id_supply_order_detail`),
+ KEY `id_supply_order_state` (`id_supply_order_state`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_product_supplier` (
+ `id_product_supplier` int(11) UNSIGNED NOT NULL AUTO_INCREMENT,
+ `id_product` int(11) UNSIGNED NOT NULL,
+ `id_product_attribute` int(11) UNSIGNED NOT NULL DEFAULT '0',
+ `id_supplier` int(11) UNSIGNED NOT NULL,
+ `product_supplier_reference` varchar(32) DEFAULT NULL,
+ `product_supplier_price_te` decimal(20,6) NOT NULL DEFAULT '0.000000',
+ `id_currency` int(11) unsigned NOT NULL,
+ PRIMARY KEY (`id_product_supplier`),
+ UNIQUE KEY `id_product` (`id_product`,`id_product_attribute`,`id_supplier`),
+ KEY `id_supplier` (`id_supplier`,`id_product`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_order_carrier` (
+ `id_order_carrier` int(11) NOT NULL AUTO_INCREMENT,
+ `id_order` int(11) unsigned NOT NULL,
+ `id_carrier` int(11) unsigned NOT NULL,
+ `id_order_invoice` int(11) unsigned DEFAULT NULL,
+ `weight` DECIMAL(20,6) DEFAULT NULL,
+ `shipping_cost_tax_excl` decimal(20,6) DEFAULT NULL,
+ `shipping_cost_tax_incl` decimal(20,6) DEFAULT NULL,
+ `tracking_number` varchar(64) DEFAULT NULL,
+ `date_add` datetime NOT NULL,
+ PRIMARY KEY (`id_order_carrier`),
+ KEY `id_order` (`id_order`),
+ KEY `id_carrier` (`id_carrier`),
+ KEY `id_order_invoice` (`id_order_invoice`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE IF NOT EXISTS `PREFIX_specific_price_rule` (
+ `id_specific_price_rule` int(10) unsigned NOT NULL AUTO_INCREMENT,
+ `name` VARCHAR(255) NOT NULL,
+ `id_shop` int(11) unsigned NOT NULL DEFAULT '1',
+ `id_currency` int(10) unsigned NOT NULL,
+ `id_country` int(10) unsigned NOT NULL,
+ `id_group` int(10) unsigned NOT NULL,
+ `from_quantity` mediumint(8) unsigned NOT NULL,
+ `price` DECIMAL(20,6),
+ `reduction` decimal(20,6) NOT NULL,
+ `reduction_tax` tinyint(1) NOT NULL DEFAULT 1,
+ `reduction_type` enum('amount','percentage') NOT NULL,
+ `from` datetime NOT NULL,
+ `to` datetime NOT NULL,
+ PRIMARY KEY (`id_specific_price_rule`),
+ KEY `id_product` (`id_shop`,`id_currency`,`id_country`,`id_group`,`from_quantity`,`from`,`to`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_specific_price_rule_condition_group` (
+ `id_specific_price_rule_condition_group` INT(11) UNSIGNED NOT NULL AUTO_INCREMENT,
+ `id_specific_price_rule` INT(11) UNSIGNED NOT NULL,
+ PRIMARY KEY ( `id_specific_price_rule_condition_group`, `id_specific_price_rule` )
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_specific_price_rule_condition` (
+ `id_specific_price_rule_condition` INT(11) UNSIGNED NOT NULL AUTO_INCREMENT,
+ `id_specific_price_rule_condition_group` INT(11) UNSIGNED NOT NULL,
+ `type` VARCHAR(255) NOT NULL,
+ `value` VARCHAR(255) NOT NULL,
+PRIMARY KEY (`id_specific_price_rule_condition`),
+INDEX (`id_specific_price_rule_condition_group`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE IF NOT EXISTS `PREFIX_risk` (
+ `id_risk` int(11) unsigned NOT NULL AUTO_INCREMENT,
+ `percent` tinyint(3) NOT NULL,
+ `color` varchar(32) NULL,
+ PRIMARY KEY (`id_risk`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE IF NOT EXISTS `PREFIX_risk_lang` (
+ `id_risk` int(10) unsigned NOT NULL,
+ `id_lang` int(10) unsigned NOT NULL,
+ `name` varchar(20) NOT NULL,
+ PRIMARY KEY (`id_risk`,`id_lang`),
+ KEY `id_risk` (`id_risk`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_category_shop` (
+ `id_category` int(11) NOT NULL,
+ `id_shop` int(11) NOT NULL,
+ `position` int(10) unsigned NOT NULL DEFAULT '0',
+ PRIMARY KEY (`id_category`, `id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_module_preference` (
+ `id_module_preference` int(11) NOT NULL auto_increment,
+ `id_employee` int(11) NOT NULL,
+ `module` varchar(255) NOT NULL,
+ `interest` tinyint(1) DEFAULT NULL,
+ `favorite` tinyint(1) DEFAULT NULL,
+ PRIMARY KEY (`id_module_preference`),
+ UNIQUE KEY `employee_module` (`id_employee`, `module`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_tab_module_preference` (
+ `id_tab_module_preference` int(11) NOT NULL auto_increment,
+ `id_employee` int(11) NOT NULL,
+ `id_tab` int(11) NOT NULL,
+ `module` varchar(255) NOT NULL,
+ PRIMARY KEY (`id_tab_module_preference`),
+ UNIQUE KEY `employee_module` (`id_employee`, `id_tab`, `module`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+ CREATE TABLE `PREFIX_carrier_tax_rules_group_shop` (
+ `id_carrier` int( 11 ) unsigned NOT NULL,
+ `id_tax_rules_group` int(11) unsigned NOT NULL,
+ `id_shop` int(11) unsigned NOT NULL,
+ PRIMARY KEY (`id_carrier`, `id_tax_rules_group`, `id_shop`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_order_invoice_payment` (
+ `id_order_invoice` int(11) unsigned NOT NULL,
+ `id_order_payment` int(11) unsigned NOT NULL,
+ `id_order` int(11) unsigned NOT NULL,
+ PRIMARY KEY (`id_order_invoice`,`id_order_payment`),
+ KEY `order_payment` (`id_order_payment`),
+ KEY `id_order` (`id_order`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_smarty_cache` (
+ `id_smarty_cache` char(40) NOT NULL,
+ `name` char(40) NOT NULL,
+ `cache_id` varchar(254) DEFAULT NULL,
+ `modified` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,
+ `content` longtext NOT NULL,
+ PRIMARY KEY (`id_smarty_cache`),
+ KEY `name` (`name`),
+ KEY `cache_id` (`cache_id`),
+ KEY `modified` (`modified`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE IF NOT EXISTS `PREFIX_order_slip_detail_tax` (
+ `id_order_slip_detail` int(11) unsigned NOT NULL,
+ `id_tax` int(11) unsigned NOT NULL,
+ `unit_amount` decimal(16,6) NOT NULL DEFAULT '0.000000',
+ `total_amount` decimal(16,6) NOT NULL DEFAULT '0.000000',
+ KEY (`id_order_slip_detail`),
+ KEY `id_tax` (`id_tax`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE IF NOT EXISTS `PREFIX_mail` (
+ `id_mail` int(11) unsigned NOT NULL AUTO_INCREMENT,
+ `recipient` varchar(126) NOT NULL,
+ `template` varchar(62) NOT NULL,
+ `subject` varchar(254) NOT NULL,
+ `id_lang` int(11) unsigned NOT NULL,
+ `date_add` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,
+ PRIMARY KEY (`id_mail`),
+ KEY `recipient` (`recipient`(10))
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8 COLLATION;
+
+CREATE TABLE `PREFIX_smarty_lazy_cache` (
+ `template_hash` varchar(32) NOT NULL DEFAULT '',
+ `cache_id` varchar(255) NOT NULL DEFAULT '',
+ `compile_id` varchar(32) NOT NULL DEFAULT '',
+ `filepath` varchar(255) NOT NULL DEFAULT '',
+ `last_update` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
+ PRIMARY KEY (`template_hash`, `cache_id`, `compile_id`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8;
+
+CREATE TABLE `PREFIX_smarty_last_flush` (
+ `type` ENUM('compile', 'template'),
+ `last_flush` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
+ PRIMARY KEY (`type`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8;
+
+CREATE TABLE `PREFIX_modules_perfs` (
+ `id_modules_perfs` int(11) unsigned NOT NULL AUTO_INCREMENT,
+ `session` int(11) unsigned NOT NULL,
+ `module` varchar(62) NOT NULL,
+ `method` varchar(126) NOT NULL,
+ `time_start` double unsigned NOT NULL,
+ `time_end` double unsigned NOT NULL,
+ `memory_start` int unsigned NOT NULL,
+ `memory_end` int unsigned NOT NULL,
+ PRIMARY KEY (`id_modules_perfs`),
+ KEY (`session`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8;
+
+CREATE TABLE IF NOT EXISTS `PREFIX_cms_role` (
+ `id_cms_role` int(11) unsigned NOT NULL AUTO_INCREMENT,
+ `name` varchar(50) NOT NULL,
+ `id_cms` int(11) unsigned NOT NULL,
+ PRIMARY KEY (`id_cms_role`, `id_cms`),
+ UNIQUE KEY `name` (`name`)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8;
+
+CREATE TABLE IF NOT EXISTS `PREFIX_cms_role_lang` (
+ `id_cms_role` int(11) unsigned NOT NULL,
+ `id_lang` int(11) unsigned NOT NULL,
+ `id_shop` int(11) unsigned NOT NULL,
+ `name` varchar(128) DEFAULT NULL,
+ PRIMARY KEY (`id_cms_role`,`id_lang`, id_shop)
+) ENGINE=ENGINE_TYPE DEFAULT CHARSET=utf8;
diff --git a/_install/data/img/genders/Mr.jpg b/_install/data/img/genders/Mr.jpg
new file mode 100644
index 00000000..09ef648c
Binary files /dev/null and b/_install/data/img/genders/Mr.jpg differ
diff --git a/_install/data/img/genders/Mrs.jpg b/_install/data/img/genders/Mrs.jpg
new file mode 100644
index 00000000..4df662a0
Binary files /dev/null and b/_install/data/img/genders/Mrs.jpg differ
diff --git a/_install/data/img/genders/Unknown.jpg b/_install/data/img/genders/Unknown.jpg
new file mode 100644
index 00000000..237d3c6d
Binary files /dev/null and b/_install/data/img/genders/Unknown.jpg differ
diff --git a/_install/data/img/genders/index.php b/_install/data/img/genders/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/data/img/genders/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/data/img/index.php b/_install/data/img/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/data/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/data/img/os/Awaiting_PayPal_payment.gif b/_install/data/img/os/Awaiting_PayPal_payment.gif
new file mode 100644
index 00000000..57abc204
Binary files /dev/null and b/_install/data/img/os/Awaiting_PayPal_payment.gif differ
diff --git a/_install/data/img/os/Awaiting_bank_wire_payment.gif b/_install/data/img/os/Awaiting_bank_wire_payment.gif
new file mode 100644
index 00000000..2780d81e
Binary files /dev/null and b/_install/data/img/os/Awaiting_bank_wire_payment.gif differ
diff --git a/_install/data/img/os/Awaiting_cheque_payment.gif b/_install/data/img/os/Awaiting_cheque_payment.gif
new file mode 100644
index 00000000..a0438cf2
Binary files /dev/null and b/_install/data/img/os/Awaiting_cheque_payment.gif differ
diff --git a/_install/data/img/os/Awaiting_cod_validation.gif b/_install/data/img/os/Awaiting_cod_validation.gif
new file mode 100644
index 00000000..2780d81e
Binary files /dev/null and b/_install/data/img/os/Awaiting_cod_validation.gif differ
diff --git a/_install/data/img/os/Canceled.gif b/_install/data/img/os/Canceled.gif
new file mode 100644
index 00000000..a916b9e3
Binary files /dev/null and b/_install/data/img/os/Canceled.gif differ
diff --git a/_install/data/img/os/Delivered.gif b/_install/data/img/os/Delivered.gif
new file mode 100644
index 00000000..0fb43804
Binary files /dev/null and b/_install/data/img/os/Delivered.gif differ
diff --git a/_install/data/img/os/On_backorder_paid.gif b/_install/data/img/os/On_backorder_paid.gif
new file mode 100644
index 00000000..b8224b98
Binary files /dev/null and b/_install/data/img/os/On_backorder_paid.gif differ
diff --git a/_install/data/img/os/On_backorder_unpaid.gif b/_install/data/img/os/On_backorder_unpaid.gif
new file mode 100644
index 00000000..b8224b98
Binary files /dev/null and b/_install/data/img/os/On_backorder_unpaid.gif differ
diff --git a/_install/data/img/os/Payment_accepted.gif b/_install/data/img/os/Payment_accepted.gif
new file mode 100644
index 00000000..19282958
Binary files /dev/null and b/_install/data/img/os/Payment_accepted.gif differ
diff --git a/_install/data/img/os/Payment_error.gif b/_install/data/img/os/Payment_error.gif
new file mode 100644
index 00000000..80e916a4
Binary files /dev/null and b/_install/data/img/os/Payment_error.gif differ
diff --git a/_install/data/img/os/Payment_remotely_accepted.gif b/_install/data/img/os/Payment_remotely_accepted.gif
new file mode 100644
index 00000000..0f2e46ec
Binary files /dev/null and b/_install/data/img/os/Payment_remotely_accepted.gif differ
diff --git a/_install/data/img/os/Preparation_in_progress.gif b/_install/data/img/os/Preparation_in_progress.gif
new file mode 100644
index 00000000..56d6cefc
Binary files /dev/null and b/_install/data/img/os/Preparation_in_progress.gif differ
diff --git a/_install/data/img/os/Refund.gif b/_install/data/img/os/Refund.gif
new file mode 100644
index 00000000..3901dddb
Binary files /dev/null and b/_install/data/img/os/Refund.gif differ
diff --git a/_install/data/img/os/Shipped.gif b/_install/data/img/os/Shipped.gif
new file mode 100644
index 00000000..cbd0fea4
Binary files /dev/null and b/_install/data/img/os/Shipped.gif differ
diff --git a/_install/data/img/os/index.php b/_install/data/img/os/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/data/img/os/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/data/img/os/order_state_1.gif b/_install/data/img/os/order_state_1.gif
new file mode 100644
index 00000000..a0438cf2
Binary files /dev/null and b/_install/data/img/os/order_state_1.gif differ
diff --git a/_install/data/img/os/order_state_10.gif b/_install/data/img/os/order_state_10.gif
new file mode 100644
index 00000000..2780d81e
Binary files /dev/null and b/_install/data/img/os/order_state_10.gif differ
diff --git a/_install/data/img/os/order_state_11.gif b/_install/data/img/os/order_state_11.gif
new file mode 100644
index 00000000..57abc204
Binary files /dev/null and b/_install/data/img/os/order_state_11.gif differ
diff --git a/_install/data/img/os/order_state_12.gif b/_install/data/img/os/order_state_12.gif
new file mode 100644
index 00000000..0f2e46ec
Binary files /dev/null and b/_install/data/img/os/order_state_12.gif differ
diff --git a/_install/data/img/os/order_state_2.gif b/_install/data/img/os/order_state_2.gif
new file mode 100644
index 00000000..19282958
Binary files /dev/null and b/_install/data/img/os/order_state_2.gif differ
diff --git a/_install/data/img/os/order_state_3.gif b/_install/data/img/os/order_state_3.gif
new file mode 100644
index 00000000..56d6cefc
Binary files /dev/null and b/_install/data/img/os/order_state_3.gif differ
diff --git a/_install/data/img/os/order_state_4.gif b/_install/data/img/os/order_state_4.gif
new file mode 100644
index 00000000..cbd0fea4
Binary files /dev/null and b/_install/data/img/os/order_state_4.gif differ
diff --git a/_install/data/img/os/order_state_5.gif b/_install/data/img/os/order_state_5.gif
new file mode 100644
index 00000000..0fb43804
Binary files /dev/null and b/_install/data/img/os/order_state_5.gif differ
diff --git a/_install/data/img/os/order_state_6.gif b/_install/data/img/os/order_state_6.gif
new file mode 100644
index 00000000..a916b9e3
Binary files /dev/null and b/_install/data/img/os/order_state_6.gif differ
diff --git a/_install/data/img/os/order_state_7.gif b/_install/data/img/os/order_state_7.gif
new file mode 100644
index 00000000..3901dddb
Binary files /dev/null and b/_install/data/img/os/order_state_7.gif differ
diff --git a/_install/data/img/os/order_state_8.gif b/_install/data/img/os/order_state_8.gif
new file mode 100644
index 00000000..80e916a4
Binary files /dev/null and b/_install/data/img/os/order_state_8.gif differ
diff --git a/_install/data/img/os/order_state_9.gif b/_install/data/img/os/order_state_9.gif
new file mode 100644
index 00000000..b8224b98
Binary files /dev/null and b/_install/data/img/os/order_state_9.gif differ
diff --git a/_install/data/index.php b/_install/data/index.php
new file mode 100644
index 00000000..c642967a
--- /dev/null
+++ b/_install/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/data/iso_to_timezone.xml b/_install/data/iso_to_timezone.xml
new file mode 100644
index 00000000..c2a1fa96
--- /dev/null
+++ b/_install/data/iso_to_timezone.xml
@@ -0,0 +1,244 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/data/theme.sql b/_install/data/theme.sql
new file mode 100644
index 00000000..f5a1d396
--- /dev/null
+++ b/_install/data/theme.sql
@@ -0,0 +1,190 @@
+SET NAMES 'utf8';
+
+UPDATE `PREFIX_configuration` SET value = '1' WHERE name = 'PS_CONDITIONS';
+UPDATE `PREFIX_configuration` SET value = '12' WHERE name = 'PS_PRODUCTS_PER_PAGE';
+UPDATE `PREFIX_configuration` SET value = '0' WHERE name = 'PS_PRODUCTS_ORDER_WAY';
+UPDATE `PREFIX_configuration` SET value = '4' WHERE name = 'PS_PRODUCTS_ORDER_BY';
+UPDATE `PREFIX_configuration` SET value = '1' WHERE name = 'PS_DISPLAY_QTIES';
+UPDATE `PREFIX_configuration` SET value = '20' WHERE name = 'PS_NB_DAYS_NEW_PRODUCT';
+UPDATE `PREFIX_configuration` SET value = '1' WHERE name = 'PS_BLOCK_CART_AJAX';
+UPDATE `PREFIX_configuration` SET value = '8388608' WHERE name = 'PS_PRODUCT_PICTURE_MAX_SIZE';
+UPDATE `PREFIX_configuration` SET value = '64' WHERE name = 'PS_PRODUCT_PICTURE_WIDTH';
+UPDATE `PREFIX_configuration` SET value = '64' WHERE name = 'PS_PRODUCT_PICTURE_HEIGHT';
+UPDATE `PREFIX_configuration` SET value = '3' WHERE name = 'PS_SEARCH_MINWORDLEN';
+UPDATE `PREFIX_configuration` SET value = '6' WHERE name = 'PS_SEARCH_WEIGHT_PNAME';
+UPDATE `PREFIX_configuration` SET value = '10' WHERE name = 'PS_SEARCH_WEIGHT_REF';
+UPDATE `PREFIX_configuration` SET value = '1' WHERE name = 'PS_SEARCH_WEIGHT_SHORTDESC';
+UPDATE `PREFIX_configuration` SET value = '1' WHERE name = 'PS_SEARCH_WEIGHT_DESC';
+UPDATE `PREFIX_configuration` SET value = '3' WHERE name = 'PS_SEARCH_WEIGHT_CNAME';
+UPDATE `PREFIX_configuration` SET value = '3' WHERE name = 'PS_SEARCH_WEIGHT_MNAME';
+UPDATE `PREFIX_configuration` SET value = '4' WHERE name = 'PS_SEARCH_WEIGHT_TAG';
+UPDATE `PREFIX_configuration` SET value = '2' WHERE name = 'PS_SEARCH_WEIGHT_ATTRIBUTE';
+UPDATE `PREFIX_configuration` SET value = '2' WHERE name = 'PS_SEARCH_WEIGHT_FEATURE';
+UPDATE `PREFIX_configuration` SET value = '1' WHERE name = 'PS_SEARCH_AJAX';
+UPDATE `PREFIX_configuration` SET value = '0' WHERE name = 'PS_DISPLAY_JQZOOM';
+UPDATE `PREFIX_configuration` SET value = '0' WHERE name = 'PS_BLOCK_BESTSELLERS_DISPLAY';
+UPDATE `PREFIX_configuration` SET value = '0' WHERE name = 'PS_BLOCK_NEWPRODUCTS_DISPLAY';
+UPDATE `PREFIX_configuration` SET value = '0' WHERE name = 'PS_BLOCK_SPECIALS_DISPLAY';
+UPDATE `PREFIX_configuration` SET value = '1' WHERE name = 'PS_STORES_DISPLAY_CMS';
+UPDATE `PREFIX_configuration` SET value = '1' WHERE name = 'PS_STORES_DISPLAY_FOOTER';
+UPDATE `PREFIX_configuration` SET value = '350' WHERE name = 'SHOP_LOGO_WIDTH';
+UPDATE `PREFIX_configuration` SET value = '99' WHERE name = 'SHOP_LOGO_HEIGHT';
+UPDATE `PREFIX_configuration` SET value = '1' WHERE name = 'PS_DISPLAY_SUPPLIERS';
+UPDATE `PREFIX_configuration` SET value = '1' WHERE name = 'PS_DISPLAY_BEST_SELLERS';
+UPDATE `PREFIX_configuration` SET value = '0' WHERE name = 'PS_LEGACY_IMAGES';
+UPDATE `PREFIX_configuration` SET value = 'jpg' WHERE name = 'PS_IMAGE_QUALITY';
+UPDATE `PREFIX_configuration` SET value = '7' WHERE name = 'PS_PNG_QUALITY';
+UPDATE `PREFIX_configuration` SET value = '90' WHERE name = 'PS_JPEG_QUALITY';
+UPDATE `PREFIX_configuration` SET value = '2' WHERE name = 'PRODUCTS_VIEWED_NBR';
+UPDATE `PREFIX_configuration` SET value = '1' WHERE name = 'BLOCK_CATEG_DHTML';
+UPDATE `PREFIX_configuration` SET value = '4' WHERE name = 'BLOCK_CATEG_MAX_DEPTH';
+UPDATE `PREFIX_configuration` SET value = '1' WHERE name = 'MANUFACTURER_DISPLAY_FORM';
+UPDATE `PREFIX_configuration` SET value = '1' WHERE name = 'MANUFACTURER_DISPLAY_TEXT';
+UPDATE `PREFIX_configuration` SET value = '5' WHERE name = 'MANUFACTURER_DISPLAY_TEXT_NB';
+UPDATE `PREFIX_configuration` SET value = '8' WHERE name = 'NEW_PRODUCTS_NBR';
+UPDATE `PREFIX_configuration` SET value = '10' WHERE name = 'BLOCKTAGS_NBR';
+UPDATE `PREFIX_configuration` SET value = '0_3|0_4' WHERE name = 'FOOTER_CMS';
+UPDATE `PREFIX_configuration` SET value = '0_3|0_4' WHERE name = 'FOOTER_BLOCK_ACTIVATION';
+UPDATE `PREFIX_configuration` SET value = '1' WHERE name = 'FOOTER_POWEREDBY';
+UPDATE `PREFIX_configuration` SET value = 'http://www.prestashop.com' WHERE name = 'BLOCKADVERT_LINK';
+UPDATE `PREFIX_configuration` SET value = 'store.jpg' WHERE name = 'BLOCKSTORE_IMG';
+UPDATE `PREFIX_configuration` SET value = 'jpg' WHERE name = 'BLOCKADVERT_IMG_EXT';
+UPDATE `PREFIX_configuration` SET value = 'CAT3,CAT8,CAT5,LNK1' WHERE name = 'MOD_BLOCKTOPMENU_ITEMS';
+UPDATE `PREFIX_configuration` SET value = '0' WHERE name = 'MOD_BLOCKTOPMENU_SEARCH';
+UPDATE `PREFIX_configuration` SET value = 'http://www.facebook.com/prestashop' WHERE name = 'BLOCKSOCIAL_FACEBOOK';
+UPDATE `PREFIX_configuration` SET value = 'http://www.twitter.com/prestashop' WHERE name = 'BLOCKSOCIAL_TWITTER';
+UPDATE `PREFIX_configuration` SET value = 'http://www.prestashop.com/blog/en/' WHERE name = 'BLOCKSOCIAL_RSS';
+UPDATE `PREFIX_configuration` SET value = 'https://www.google.com/+prestashop' WHERE name = 'BLOCKSOCIAL_GOOGLE_PLUS';
+UPDATE `PREFIX_configuration` SET value = 'My Company' WHERE name = 'BLOCKCONTACTINFOS_COMPANY';
+UPDATE `PREFIX_configuration` SET value = '42 avenue des Champs Elysées\n75000 Paris\nFrance' WHERE name = 'BLOCKCONTACTINFOS_ADDRESS';
+UPDATE `PREFIX_configuration` SET value = '0123-456-789' WHERE name = 'BLOCKCONTACTINFOS_PHONE';
+UPDATE `PREFIX_configuration` SET value = 'sales@yourcompany.com' WHERE name = 'BLOCKCONTACTINFOS_EMAIL';
+UPDATE `PREFIX_configuration` SET value = '0123-456-789' WHERE name = 'BLOCKCONTACT_TELNUMBER';
+UPDATE `PREFIX_configuration` SET value = 'sales@yourcompany.com' WHERE name = 'BLOCKCONTACT_EMAIL';
+UPDATE `PREFIX_configuration` SET value = '1' WHERE name = 'SUPPLIER_DISPLAY_TEXT';
+UPDATE `PREFIX_configuration` SET value = '5' WHERE name = 'SUPPLIER_DISPLAY_TEXT_NB';
+UPDATE `PREFIX_configuration` SET value = '1' WHERE name = 'SUPPLIER_DISPLAY_FORM';
+UPDATE `PREFIX_configuration` SET value = '1' WHERE name = 'BLOCK_CATEG_NBR_COLUMN_FOOTER';
+UPDATE `PREFIX_configuration` SET value = '' WHERE name = 'UPGRADER_BACKUPDB_FILENAME';
+UPDATE `PREFIX_configuration` SET value = '' WHERE name = 'UPGRADER_BACKUPFILES_FILENAME';
+UPDATE `PREFIX_configuration` SET value = '40' WHERE name = 'CONF_AVERAGE_PRODUCT_MARGIN';
+UPDATE `PREFIX_configuration` SET value = '1' WHERE name = 'PS_DASHBOARD_SIMULATION';
+
+/* No right column */
+DELETE FROM `PREFIX_hook_module` WHERE id_hook = (SELECT id_hook FROM `PREFIX_hook` WHERE name = 'displayRightColumn');
+
+/* displayHome */
+SET @id_hook = (SELECT id_hook FROM `PREFIX_hook` WHERE name = 'displayHome');
+UPDATE `PREFIX_hook_module` SET position = 1
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'themeconfigurator')
+AND id_hook = @id_hook;
+
+UPDATE `PREFIX_hook_module` SET position = 2
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blockfacebook')
+AND id_hook = @id_hook;
+
+UPDATE `PREFIX_hook_module` SET position = 3
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blockcmsinfo')
+AND id_hook = @id_hook;
+
+/* displayNav */
+SET @id_hook = (SELECT id_hook FROM `PREFIX_hook` WHERE name = 'displayNav');
+UPDATE `PREFIX_hook_module` SET position = 1
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blockuserinfo')
+AND id_hook = @id_hook;
+
+UPDATE `PREFIX_hook_module` SET position = 2
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blockcurrencies')
+AND id_hook = @id_hook;
+
+UPDATE `PREFIX_hook_module` SET position = 3
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blocklanguages')
+AND id_hook = @id_hook;
+
+UPDATE `PREFIX_hook_module` SET position = 4
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blockcontact')
+AND id_hook = @id_hook;
+
+/* displayTop */
+SET @id_hook = (SELECT id_hook FROM `PREFIX_hook` WHERE name = 'displayTop');
+UPDATE `PREFIX_hook_module` SET position = 1
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blocksearch')
+AND id_hook = @id_hook;
+
+UPDATE `PREFIX_hook_module` SET position = 2
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blockcart')
+AND id_hook = @id_hook;
+
+UPDATE `PREFIX_hook_module` SET position = 3
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blocktopmenu')
+AND id_hook = @id_hook;
+
+UPDATE `PREFIX_hook_module` SET position = 4
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'themeconfigurator')
+AND id_hook = @id_hook;
+
+UPDATE `PREFIX_hook_module` SET position = 5
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blockwhislist')
+AND id_hook = @id_hook;
+
+/* displayHomeTab && displayHomeTabContent */
+SET @id_hook = (SELECT id_hook FROM `PREFIX_hook` WHERE name = 'displayHomeTab');
+SET @id_hook2 = (SELECT id_hook FROM `PREFIX_hook` WHERE name = 'displayHomeTabContent');
+
+UPDATE `PREFIX_hook_module` SET position = 1
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blocknewproducts')
+AND id_hook IN (@id_hook, @id_hook2);
+
+UPDATE `PREFIX_hook_module` SET position = 2
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'homefeatured')
+AND id_hook IN (@id_hook, @id_hook2);
+
+UPDATE `PREFIX_hook_module` SET position = 3
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blockbestsellers')
+AND id_hook IN (@id_hook, @id_hook2);
+
+/* displayFooter */
+SET @id_hook = (SELECT id_hook FROM `PREFIX_hook` WHERE name = 'displayFooter');
+UPDATE `PREFIX_hook_module` SET position = 1
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blocknewsletter')
+AND id_hook = @id_hook;
+
+UPDATE `PREFIX_hook_module` SET position = 2
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blocksocial')
+AND id_hook = @id_hook;
+
+UPDATE `PREFIX_hook_module` SET position = 3
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blockcategories')
+AND id_hook = @id_hook;
+
+UPDATE `PREFIX_hook_module` SET position = 4
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blockcms')
+AND id_hook = @id_hook;
+
+UPDATE `PREFIX_hook_module` SET position = 5
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blockmyaccountfooter')
+AND id_hook = @id_hook;
+
+UPDATE `PREFIX_hook_module` SET position = 6
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blockcontactinfos')
+AND id_hook = @id_hook;
+
+/* displayProductButtons */
+SET @id_hook = (SELECT id_hook FROM `PREFIX_hook` WHERE name = 'displayProductButtons');
+UPDATE `PREFIX_hook_module` SET position = 1
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'blockwishlist')
+AND id_hook = @id_hook;
+UPDATE `PREFIX_hook_module` SET position = 2
+WHERE id_module = (SELECT id_module FROM `PREFIX_module` WHERE name = 'productpaymentlogos')
+AND id_hook = @id_hook;
+
+INSERT INTO `PREFIX_hook_module_exceptions` (`id_shop`, `id_module`, `id_hook`, `file_name`)
+(
+ SELECT 1, m.id_module, h.id_hook, 'category'
+ FROM `PREFIX_hook` h
+ JOIN `PREFIX_hook_module` hm ON (hm.id_hook = h.id_hook)
+ JOIN `PREFIX_module` m ON (m.id_module = hm.id_module)
+ WHERE
+ h.name='displayLeftColumn' AND m.name IN ('blockbestsellers', 'blockmanufacturer', 'blocksupplier', 'blockmyaccount', 'blockpaymentlogo')
+ GROUP BY m.id_module
+);
diff --git a/_install/data/xml/access.xml b/_install/data/xml/access.xml
new file mode 100644
index 00000000..3e510734
--- /dev/null
+++ b/_install/data/xml/access.xml
@@ -0,0 +1,102 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/address_format.xml b/_install/data/xml/address_format.xml
new file mode 100644
index 00000000..53107b78
--- /dev/null
+++ b/_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/_install/data/xml/carrier.xml b/_install/data/xml/carrier.xml
new file mode 100644
index 00000000..f2e9be67
--- /dev/null
+++ b/_install/data/xml/carrier.xml
@@ -0,0 +1,27 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ 0
+
+
+
+
diff --git a/_install/data/xml/carrier_group.xml b/_install/data/xml/carrier_group.xml
new file mode 100644
index 00000000..94cce906
--- /dev/null
+++ b/_install/data/xml/carrier_group.xml
@@ -0,0 +1,12 @@
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/carrier_tax_rules_group_shop.xml b/_install/data/xml/carrier_tax_rules_group_shop.xml
new file mode 100644
index 00000000..371a5462
--- /dev/null
+++ b/_install/data/xml/carrier_tax_rules_group_shop.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/carrier_zone.xml b/_install/data/xml/carrier_zone.xml
new file mode 100644
index 00000000..eba14abc
--- /dev/null
+++ b/_install/data/xml/carrier_zone.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/category.xml b/_install/data/xml/category.xml
new file mode 100644
index 00000000..8e1562d8
--- /dev/null
+++ b/_install/data/xml/category.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/category_group.xml b/_install/data/xml/category_group.xml
new file mode 100644
index 00000000..3de4adcf
--- /dev/null
+++ b/_install/data/xml/category_group.xml
@@ -0,0 +1,12 @@
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/cms.xml b/_install/data/xml/cms.xml
new file mode 100644
index 00000000..b8ca83e1
--- /dev/null
+++ b/_install/data/xml/cms.xml
@@ -0,0 +1,14 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/cms_category.xml b/_install/data/xml/cms_category.xml
new file mode 100644
index 00000000..33d4e3d2
--- /dev/null
+++ b/_install/data/xml/cms_category.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/configuration.xml b/_install/data/xml/configuration.xml
new file mode 100644
index 00000000..db0eb60e
--- /dev/null
+++ b/_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":["vat_number","phone","phone_mobile"]}
+
+
+ {"avoid":["vat_number","phone","phone_mobile"]}
+
+
+ #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
+
+
+ 1
+
+
+ km
+
+
+ 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
+
+
+ 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
+
+
+
+
+
+ http://www.prestashop.com
+
+
+ store.jpg
+
+
+ jpg
+
+
+
+
+ http://www.facebook.com/prestashop
+
+
+
+
+ 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
+
+
+ logo.jpg
+
+
+ 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/_install/data/xml/contact.xml b/_install/data/xml/contact.xml
new file mode 100644
index 00000000..9f803439
--- /dev/null
+++ b/_install/data/xml/contact.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/country.xml b/_install/data/xml/country.xml
new file mode 100644
index 00000000..62f91e8e
--- /dev/null
+++ b/_install/data/xml/country.xml
@@ -0,0 +1,260 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/delivery.xml b/_install/data/xml/delivery.xml
new file mode 100644
index 00000000..093f666a
--- /dev/null
+++ b/_install/data/xml/delivery.xml
@@ -0,0 +1,13 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/gender.xml b/_install/data/xml/gender.xml
new file mode 100644
index 00000000..6e963492
--- /dev/null
+++ b/_install/data/xml/gender.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/group.xml b/_install/data/xml/group.xml
new file mode 100644
index 00000000..32324b59
--- /dev/null
+++ b/_install/data/xml/group.xml
@@ -0,0 +1,13 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/hook.xml b/_install/data/xml/hook.xml
new file mode 100644
index 00000000..80106b2c
--- /dev/null
+++ b/_install/data/xml/hook.xml
@@ -0,0 +1,329 @@
+
+
+
+
+
+
+
+
+
+
+ displayPayment Payment This hook displays new elements on the payment page
+
+
+ actionValidateOrder New orders
+
+
+ displayMaintenance Maintenance Page This hook displays new elements on the maintenance page
+
+
+ actionPaymentConfirmation Payment confirmation This hook displays new elements after the payment is validated
+
+
+ displayPaymentReturn Payment return
+
+
+ actionUpdateQuantity Quantity update Quantity is updated only when a customer effectively places their order
+
+
+ displayRightColumn Right column blocks This hook displays new elements in the right-hand column
+
+
+ displayLeftColumn Left column blocks This hook displays new elements in the left-hand column
+
+
+ displayHome Homepage content This hook displays new elements on the homepage
+
+
+
+ actionCartSave Cart creation and update This hook is displayed when a product is added to the cart or if the cart's content is modified
+
+
+ actionAuthentication Successful customer authentication This hook is displayed after a customer successfully signs in
+
+
+ actionProductAdd Product creation This hook is displayed after a product is created
+
+
+ actionProductUpdate Product update This hook is displayed after a product has been updated
+
+
+ displayTop Top of pages This hook displays additional elements at the top of your pages
+
+
+ displayRightColumnProduct New elements on the product page (right column) This hook displays new elements in the right-hand column of the product page
+
+
+ actionProductDelete Product deletion This hook is called when a product is deleted
+
+
+
+ displayInvoice Invoice This hook displays new blocks on the invoice (order)
+
+
+ actionOrderStatusUpdate Order status update - Event This hook launches modules when the status of an order changes.
+
+
+ displayAdminOrder Display new elements in the Back Office, tab AdminOrder This hook launches modules when the AdminOrder tab is displayed in the Back Office
+
+
+ displayAdminOrderTabOrder Display new elements in Back Office, AdminOrder, panel Order This hook launches modules when the AdminOrder tab is displayed in the Back Office and extends / override Order panel tabs
+
+
+ displayAdminOrderTabShip Display new elements in Back Office, AdminOrder, panel Shipping This hook launches modules when the AdminOrder tab is displayed in the Back Office and extends / override Shipping panel tabs
+
+
+ displayAdminOrderContentOrder Display new elements in Back Office, AdminOrder, panel Order This hook launches modules when the AdminOrder tab is displayed in the Back Office and extends / override Order panel content
+
+
+ displayAdminOrderContentShip Display new elements in Back Office, AdminOrder, panel Shipping This hook launches modules when the AdminOrder tab is displayed in the Back Office and extends / override Shipping panel content
+
+
+
+ displayPDFInvoice PDF Invoice This hook allows you to display additional information on PDF invoices
+
+
+ displayInvoiceLegalFreeText PDF Invoice - Legal Free Text This hook allows you to modify the legal free text on PDF invoices
+
+
+ displayAdminCustomers Display new elements in the Back Office, tab AdminCustomers This hook launches modules when the AdminCustomers tab is displayed in the Back Office
+
+
+ displayOrderConfirmation Order confirmation page This hook is called within an order's confirmation page
+
+
+ actionCustomerAccountAdd Successful customer account creation This hook is called when a new customer creates an account successfully
+
+
+ displayCustomerAccount Customer account displayed in Front Office This hook displays new elements on the customer account page
+
+
+ displayCustomerIdentityForm Customer identity form displayed in Front Office This hook displays new elements on the form to update a customer identity
+
+
+ actionOrderSlipAdd Order slip creation This hook is called when a new credit slip is added regarding client order
+
+
+ displayProductTab Tabs on product page This hook is called on the product page's tab
+
+
+ displayProductTabContent Tabs content on the product page This hook is called on the product page's tab
+
+
+
+ displayCustomerAccountForm Customer account creation form This hook displays some information on the form to create a customer account
+
+
+ displayAdminStatsModules Stats - Modules
+
+
+ displayAdminStatsGraphEngine Graph engines
+
+
+ actionOrderReturn Returned product This hook is displayed when a customer returns a product
+
+
+ displayProductButtons Product page actions This hook adds new action buttons on the product page
+
+
+ displayBackOfficeHome Administration panel homepage This hook is displayed on the admin panel's homepage
+
+
+ displayAdminStatsGridEngine Grid engines
+
+
+ actionWatermark Watermark
+
+
+ actionProductCancel Product cancelled This hook is called when you cancel a product in an order
+
+
+ displayLeftColumnProduct New elements on the product page (left column) This hook displays new elements in the left-hand column of the product page
+
+
+ actionProductOutOfStock Out-of-stock product This hook displays new action buttons if a product is out of stock
+
+
+ actionProductAttributeUpdate Product attribute update This hook is displayed when a product's attribute is updated
+
+
+ displayCarrierList Extra carrier (module mode)
+
+
+ displayShoppingCart Shopping cart - Additional button This hook displays new action buttons within the shopping cart
+
+
+ actionSearch Search
+
+
+ displayBeforePayment Redirect during the order process This hook redirects the user to the module instead of displaying payment modules
+
+
+ actionCarrierUpdate Carrier Update This hook is called when a carrier is updated
+
+
+ actionOrderStatusPostUpdate Post update of order status
+
+
+ displayCustomerAccountFormTop Block above the form for create an account This hook is displayed above the customer's account creation form
+
+
+
+ displayBackOfficeTop Administration panel hover the tabs This hook is displayed on the roll hover of the tabs within the admin panel
+
+
+
+ actionProductAttributeDelete Product attribute deletion This hook is displayed when a product's attribute is deleted
+
+
+ actionCarrierProcess Carrier process
+
+
+ actionOrderDetail Order detail This hook is used to set the follow-up in Smarty when an order's detail is called
+
+
+ displayBeforeCarrier Before carriers list This hook is displayed before the carrier list in Front Office
+
+
+ displayOrderDetail Order detail This hook is displayed within the order's details in Front Office
+
+
+ actionPaymentCCAdd Payment CC added
+
+
+ displayProductComparison Extra product comparison
+
+
+ actionCategoryAdd Category creation This hook is displayed when a category is created
+
+
+ actionCategoryUpdate Category modification This hook is displayed when a category is modified
+
+
+ actionCategoryDelete Category deletion This hook is displayed when a category is deleted
+
+
+ actionBeforeAuthentication Before authentication This hook is displayed before the customer's authentication
+
+
+ displayPaymentTop Top of payment page This hook is displayed at the top of the payment page
+
+
+ actionHtaccessCreate After htaccess creation This hook is displayed after the htaccess creation
+
+
+ actionAdminMetaSave After saving the configuration in AdminMeta This hook is displayed after saving the configuration in AdminMeta
+
+
+ displayAttributeGroupForm Add fields to the form 'attribute group' This hook adds fields to the form 'attribute group'
+
+
+ actionAttributeGroupSave Saving an attribute group This hook is called while saving an attributes group
+
+
+ actionAttributeGroupDelete Deleting attribute group This hook is called while deleting an attributes group
+
+
+ displayFeatureForm Add fields to the form 'feature' This hook adds fields to the form 'feature'
+
+
+ actionFeatureSave Saving attributes' features This hook is called while saving an attributes features
+
+
+ actionFeatureDelete Deleting attributes' features This hook is called while deleting an attributes features
+
+
+ actionProductSave Saving products This hook is called while saving products
+
+
+ actionProductListOverride Assign a products list to a category This hook assigns a products list to a category
+
+
+ displayAttributeGroupPostProcess On post-process in admin attribute group This hook is called on post-process in admin attribute group
+
+
+ displayFeaturePostProcess On post-process in admin feature This hook is called on post-process in admin feature
+
+
+ displayFeatureValueForm Add fields to the form 'feature value' This hook adds fields to the form 'feature value'
+
+
+ displayFeatureValuePostProcess On post-process in admin feature value This hook is called on post-process in admin feature value
+
+
+ actionFeatureValueDelete Deleting attributes' features' values This hook is called while deleting an attributes features value
+
+
+ actionFeatureValueSave Saving an attributes features value This hook is called while saving an attributes features value
+
+
+ displayAttributeForm Add fields to the form 'attribute value' This hook adds fields to the form 'attribute value'
+
+
+ actionAttributePostProcess On post-process in admin feature value This hook is called on post-process in admin feature value
+
+
+ actionAttributeDelete Deleting an attributes features value This hook is called while deleting an attributes features value
+
+
+ actionAttributeSave Saving an attributes features value This hook is called while saving an attributes features value
+
+
+ actionTaxManager Tax Manager Factory
+
+
+ displayMyAccountBlock My account block This hook displays extra information within the 'my account' block"
+
+
+ actionModuleInstallBefore actionModuleInstallBefore
+
+
+ actionModuleInstallAfter actionModuleInstallAfter
+
+
+ displayHomeTab Home Page Tabs This hook displays new elements on the homepage tabs
+
+
+ displayHomeTabContent Home Page Tabs Content This hook displays new elements on the homepage tabs content
+
+
+ displayTopColumn Top column blocks This hook displays new elements in the top of columns
+
+
+ displayBackOfficeCategory Display new elements in the Back Office, tab AdminCategories This hook launches modules when the AdminCategories tab is displayed in the Back Office
+
+
+ displayProductListFunctionalButtons Display new elements in the Front Office, products list This hook launches modules when the products list is displayed in the Front Office
+
+
+ displayNav Navigation
+
+
+ displayOverrideTemplate Change the default template of current controller
+
+
+ actionAdminLoginControllerSetMedia Set media on admin login page header This hook is called after adding media to admin login page header
+
+
+ actionOrderEdited Order edited This hook is called when an order is edited.
+
+
+ actionEmailAddBeforeContent Add extra content before mail content This hook is called just before fetching mail template
+
+
+ actionEmailAddAfterContent Add extra content after mail content This hook is called just after fetching mail template
+
+
+
diff --git a/_install/data/xml/hook_alias.xml b/_install/data/xml/hook_alias.xml
new file mode 100644
index 00000000..471ddcf0
--- /dev/null
+++ b/_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
+
+
+
+ cart
+ actionCartSave
+
+
+ authentication
+ actionAuthentication
+
+
+ addproduct
+ actionProductAdd
+
+
+ updateproduct
+ actionProductUpdate
+
+
+ top
+ displayTop
+
+
+
+ deleteproduct
+ actionProductDelete
+
+
+
+ invoice
+ displayInvoice
+
+
+ updateOrderStatus
+ actionOrderStatusUpdate
+
+
+ adminOrder
+ displayAdminOrder
+
+
+
+ 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
+
+
+
+ productOutOfStock
+ actionProductOutOfStock
+
+
+ updateProductAttribute
+ actionProductAttributeUpdate
+
+
+
+
+ search
+ actionSearch
+
+
+ backBeforePayment
+ displayBeforePayment
+
+
+ updateCarrier
+ actionCarrierUpdate
+
+
+ postUpdateOrderStatus
+ actionOrderStatusPostUpdate
+
+
+ createAccountTop
+ displayCustomerAccountFormTop
+
+
+
+ backOfficeTop
+ displayBackOfficeTop
+
+
+
+ deleteProductAttribute
+ actionProductAttributeDelete
+
+
+ processCarrier
+ actionCarrierProcess
+
+
+ orderDetail
+ actionOrderDetail
+
+
+ beforeCarrier
+ displayBeforeCarrier
+
+
+ orderDetailDisplayed
+ displayOrderDetail
+
+
+ paymentCCAdded
+ actionPaymentCCAdd
+
+
+
+ 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/_install/data/xml/image_type.xml b/_install/data/xml/image_type.xml
new file mode 100644
index 00000000..8698aef8
--- /dev/null
+++ b/_install/data/xml/image_type.xml
@@ -0,0 +1,25 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/index.php b/_install/data/xml/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/data/xml/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/data/xml/meta.xml b/_install/data/xml/meta.xml
new file mode 100644
index 00000000..21ea7b2b
--- /dev/null
+++ b/_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/_install/data/xml/operating_system.xml b/_install/data/xml/operating_system.xml
new file mode 100644
index 00000000..0844133f
--- /dev/null
+++ b/_install/data/xml/operating_system.xml
@@ -0,0 +1,29 @@
+
+
+
+
+
+
+
+ Windows XP
+
+
+ Windows Vista
+
+
+ Windows 7
+
+
+ Windows 8
+
+
+ MacOsX
+
+
+ Linux
+
+
+ Android
+
+
+
diff --git a/_install/data/xml/order_return_state.xml b/_install/data/xml/order_return_state.xml
new file mode 100644
index 00000000..3fc46191
--- /dev/null
+++ b/_install/data/xml/order_return_state.xml
@@ -0,0 +1,13 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/order_state.xml b/_install/data/xml/order_state.xml
new file mode 100644
index 00000000..0e2449a8
--- /dev/null
+++ b/_install/data/xml/order_state.xml
@@ -0,0 +1,61 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ cheque
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ bankwire
+
+
+
+
+
+
+
+
+
+
+
+ cashondelivery
+
+
+
diff --git a/_install/data/xml/profile.xml b/_install/data/xml/profile.xml
new file mode 100644
index 00000000..557a09f5
--- /dev/null
+++ b/_install/data/xml/profile.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/data/xml/quick_access.xml b/_install/data/xml/quick_access.xml
new file mode 100644
index 00000000..0543a29e
--- /dev/null
+++ b/_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/_install/data/xml/risk.xml b/_install/data/xml/risk.xml
new file mode 100644
index 00000000..f89e33e0
--- /dev/null
+++ b/_install/data/xml/risk.xml
@@ -0,0 +1,13 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/search_engine.xml b/_install/data/xml/search_engine.xml
new file mode 100644
index 00000000..411a27ff
--- /dev/null
+++ b/_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/_install/data/xml/state.xml b/_install/data/xml/state.xml
new file mode 100644
index 00000000..c0b15a93
--- /dev/null
+++ b/_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/_install/data/xml/stock_mvt_reason.xml b/_install/data/xml/stock_mvt_reason.xml
new file mode 100644
index 00000000..93ce8d91
--- /dev/null
+++ b/_install/data/xml/stock_mvt_reason.xml
@@ -0,0 +1,16 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/supply_order_state.xml b/_install/data/xml/supply_order_state.xml
new file mode 100644
index 00000000..f7a0299d
--- /dev/null
+++ b/_install/data/xml/supply_order_state.xml
@@ -0,0 +1,19 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/tab.xml b/_install/data/xml/tab.xml
new file mode 100644
index 00000000..48162a84
--- /dev/null
+++ b/_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
+
+
+
+ AdminStats
+
+
+ AdminSearchEngines
+
+
+ AdminReferrers
+
+
+ AdminWarehouses
+
+
+ AdminStockManagement
+
+
+ AdminStockMvt
+
+
+ AdminStockInstantState
+
+
+ AdminStockCover
+
+
+ AdminSupplyOrders
+
+
+ AdminStockConfiguration
+
+
+
diff --git a/_install/data/xml/theme.xml b/_install/data/xml/theme.xml
new file mode 100644
index 00000000..e643e34c
--- /dev/null
+++ b/_install/data/xml/theme.xml
@@ -0,0 +1,23 @@
+
+
+
+
+
+
+
+
+
+
+
+
+ default-bootstrap
+ default-bootstrap
+ 1
+ 1
+ 0
+ 12
+
+
+
+
+
diff --git a/_install/data/xml/theme_meta.xml b/_install/data/xml/theme_meta.xml
new file mode 100644
index 00000000..c3574ec9
--- /dev/null
+++ b/_install/data/xml/theme_meta.xml
@@ -0,0 +1,45 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/timezone.xml b/_install/data/xml/timezone.xml
new file mode 100644
index 00000000..ca6ac413
--- /dev/null
+++ b/_install/data/xml/timezone.xml
@@ -0,0 +1,568 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/warehouse.xml b/_install/data/xml/warehouse.xml
new file mode 100644
index 00000000..f9b16567
--- /dev/null
+++ b/_install/data/xml/warehouse.xml
@@ -0,0 +1,12 @@
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/data/xml/web_browser.xml b/_install/data/xml/web_browser.xml
new file mode 100644
index 00000000..db227faf
--- /dev/null
+++ b/_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/_install/data/xml/zone.xml b/_install/data/xml/zone.xml
new file mode 100644
index 00000000..af9ad1b2
--- /dev/null
+++ b/_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/_install/dev/index.php b/_install/dev/index.php
new file mode 100644
index 00000000..7901f7a0
--- /dev/null
+++ b/_install/dev/index.php
@@ -0,0 +1,152 @@
+
+* @copyright 2007-2015 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();
+ else if (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');
\ No newline at end of file
diff --git a/_install/dev/index.phtml b/_install/dev/index.phtml
new file mode 100644
index 00000000..76984a2b
--- /dev/null
+++ b/_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();
+ ?>
+
+
+
+
+
+
+
+
diff --git a/_install/dev/style.css b/_install/dev/style.css
new file mode 100644
index 00000000..2198ac84
--- /dev/null
+++ b/_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/_install/dev/translate.php b/_install/dev/translate.php
new file mode 100644
index 00000000..fd2b261d
--- /dev/null
+++ b/_install/dev/translate.php
@@ -0,0 +1,102 @@
+';
+// 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 '
+
+
+
+
+
+
+
+
+
+';
+
+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));}
\ No newline at end of file
diff --git a/_install/dev/update_eu_taxrulegroups.php b/_install/dev/update_eu_taxrulegroups.php
new file mode 100644
index 00000000..4abe0bd0
--- /dev/null
+++ b/_install/dev/update_eu_taxrulegroups.php
@@ -0,0 +1,217 @@
+ 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->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(' ');
+
+ $insertBefore = $taxes->xpath('//taxRulesGroup[1]')[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";
\ No newline at end of file
diff --git a/_install/fixtures/fashion/data/access.xml b/_install/fixtures/fashion/data/access.xml
new file mode 100644
index 00000000..c943c2b0
--- /dev/null
+++ b/_install/fixtures/fashion/data/access.xml
@@ -0,0 +1,316 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/address.xml b/_install/fixtures/fashion/data/address.xml
new file mode 100644
index 00000000..d4ceaef5
--- /dev/null
+++ b/_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/_install/fixtures/fashion/data/alias.xml b/_install/fixtures/fashion/data/alias.xml
new file mode 100644
index 00000000..e18e9e1f
--- /dev/null
+++ b/_install/fixtures/fashion/data/alias.xml
@@ -0,0 +1,18 @@
+
+
+
+
+
+
+
+
+
+ bloose
+ blouse
+
+
+ blues
+ blouse
+
+
+
diff --git a/_install/fixtures/fashion/data/attribute.xml b/_install/fixtures/fashion/data/attribute.xml
new file mode 100644
index 00000000..27b39739
--- /dev/null
+++ b/_install/fixtures/fashion/data/attribute.xml
@@ -0,0 +1,33 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/attribute_group.xml b/_install/fixtures/fashion/data/attribute_group.xml
new file mode 100644
index 00000000..4d095e80
--- /dev/null
+++ b/_install/fixtures/fashion/data/attribute_group.xml
@@ -0,0 +1,12 @@
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/carrier.xml b/_install/fixtures/fashion/data/carrier.xml
new file mode 100644
index 00000000..755bf15a
--- /dev/null
+++ b/_install/fixtures/fashion/data/carrier.xml
@@ -0,0 +1,26 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ My carrier
+
+
+
+
diff --git a/_install/fixtures/fashion/data/carrier_group.xml b/_install/fixtures/fashion/data/carrier_group.xml
new file mode 100644
index 00000000..764d5727
--- /dev/null
+++ b/_install/fixtures/fashion/data/carrier_group.xml
@@ -0,0 +1,12 @@
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/carrier_tax_rules_group_shop.xml b/_install/fixtures/fashion/data/carrier_tax_rules_group_shop.xml
new file mode 100644
index 00000000..71c21383
--- /dev/null
+++ b/_install/fixtures/fashion/data/carrier_tax_rules_group_shop.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/carrier_zone.xml b/_install/fixtures/fashion/data/carrier_zone.xml
new file mode 100644
index 00000000..59390cfd
--- /dev/null
+++ b/_install/fixtures/fashion/data/carrier_zone.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/cart.xml b/_install/fixtures/fashion/data/cart.xml
new file mode 100644
index 00000000..601fe7d1
--- /dev/null
+++ b/_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/_install/fixtures/fashion/data/cart_product.xml b/_install/fixtures/fashion/data/cart_product.xml
new file mode 100644
index 00000000..7200959c
--- /dev/null
+++ b/_install/fixtures/fashion/data/cart_product.xml
@@ -0,0 +1,27 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/category.xml b/_install/fixtures/fashion/data/category.xml
new file mode 100644
index 00000000..0f02cf50
--- /dev/null
+++ b/_install/fixtures/fashion/data/category.xml
@@ -0,0 +1,18 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/category_group.xml b/_install/fixtures/fashion/data/category_group.xml
new file mode 100644
index 00000000..9b19bcaf
--- /dev/null
+++ b/_install/fixtures/fashion/data/category_group.xml
@@ -0,0 +1,40 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/category_product.xml b/_install/fixtures/fashion/data/category_product.xml
new file mode 100644
index 00000000..e39dd7e4
--- /dev/null
+++ b/_install/fixtures/fashion/data/category_product.xml
@@ -0,0 +1,38 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/connections.xml b/_install/fixtures/fashion/data/connections.xml
new file mode 100644
index 00000000..83c2654f
--- /dev/null
+++ b/_install/fixtures/fashion/data/connections.xml
@@ -0,0 +1,16 @@
+
+
+
+
+
+
+
+
+
+
+
+
+ http://www.prestashop.com
+
+
+
diff --git a/_install/fixtures/fashion/data/customer.xml b/_install/fixtures/fashion/data/customer.xml
new file mode 100644
index 00000000..6965b410
--- /dev/null
+++ b/_install/fixtures/fashion/data/customer.xml
@@ -0,0 +1,27 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ pub@prestashop.com
+
+
+
+
diff --git a/_install/fixtures/fashion/data/delivery.xml b/_install/fixtures/fashion/data/delivery.xml
new file mode 100644
index 00000000..8bb1f10a
--- /dev/null
+++ b/_install/fixtures/fashion/data/delivery.xml
@@ -0,0 +1,18 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/feature.xml b/_install/fixtures/fashion/data/feature.xml
new file mode 100644
index 00000000..d95cf0c0
--- /dev/null
+++ b/_install/fixtures/fashion/data/feature.xml
@@ -0,0 +1,15 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/feature_product.xml b/_install/fixtures/fashion/data/feature_product.xml
new file mode 100644
index 00000000..da9bbf98
--- /dev/null
+++ b/_install/fixtures/fashion/data/feature_product.xml
@@ -0,0 +1,31 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/feature_value.xml b/_install/fixtures/fashion/data/feature_value.xml
new file mode 100644
index 00000000..fa90d883
--- /dev/null
+++ b/_install/fixtures/fashion/data/feature_value.xml
@@ -0,0 +1,42 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/generate_attribute.php b/_install/fixtures/fashion/data/generate_attribute.php
new file mode 100644
index 00000000..2439ad7f
--- /dev/null
+++ b/_install/fixtures/fashion/data/generate_attribute.php
@@ -0,0 +1,216 @@
+ 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;
+}
\ No newline at end of file
diff --git a/_install/fixtures/fashion/data/guest.xml b/_install/fixtures/fashion/data/guest.xml
new file mode 100644
index 00000000..52f25682
--- /dev/null
+++ b/_install/fixtures/fashion/data/guest.xml
@@ -0,0 +1,22 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/image.xml b/_install/fixtures/fashion/data/image.xml
new file mode 100644
index 00000000..69a1c82b
--- /dev/null
+++ b/_install/fixtures/fashion/data/image.xml
@@ -0,0 +1,32 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/index.php b/_install/fixtures/fashion/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/fixtures/fashion/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/data/manufacturer.xml b/_install/fixtures/fashion/data/manufacturer.xml
new file mode 100644
index 00000000..45c53f98
--- /dev/null
+++ b/_install/fixtures/fashion/data/manufacturer.xml
@@ -0,0 +1,12 @@
+
+
+
+
+
+
+
+
+ Fashion Manufacturer
+
+
+
diff --git a/_install/fixtures/fashion/data/order_carrier.xml b/_install/fixtures/fashion/data/order_carrier.xml
new file mode 100644
index 00000000..a3a63462
--- /dev/null
+++ b/_install/fixtures/fashion/data/order_carrier.xml
@@ -0,0 +1,29 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/order_detail.xml b/_install/fixtures/fashion/data/order_detail.xml
new file mode 100644
index 00000000..28783f5b
--- /dev/null
+++ b/_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/_install/fixtures/fashion/data/order_history.xml b/_install/fixtures/fashion/data/order_history.xml
new file mode 100644
index 00000000..581552fd
--- /dev/null
+++ b/_install/fixtures/fashion/data/order_history.xml
@@ -0,0 +1,17 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/order_message.xml b/_install/fixtures/fashion/data/order_message.xml
new file mode 100644
index 00000000..1c9a0e3e
--- /dev/null
+++ b/_install/fixtures/fashion/data/order_message.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/orders.xml b/_install/fixtures/fashion/data/orders.xml
new file mode 100644
index 00000000..30b1a6a9
--- /dev/null
+++ b/_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/_install/fixtures/fashion/data/product.xml b/_install/fixtures/fashion/data/product.xml
new file mode 100644
index 00000000..27807365
--- /dev/null
+++ b/_install/fixtures/fashion/data/product.xml
@@ -0,0 +1,75 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/product_attribute.xml b/_install/fixtures/fashion/data/product_attribute.xml
new file mode 100644
index 00000000..a53f7eca
--- /dev/null
+++ b/_install/fixtures/fashion/data/product_attribute.xml
@@ -0,0 +1,157 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/product_attribute_combination.xml b/_install/fixtures/fashion/data/product_attribute_combination.xml
new file mode 100644
index 00000000..0c9dffa7
--- /dev/null
+++ b/_install/fixtures/fashion/data/product_attribute_combination.xml
@@ -0,0 +1,99 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/product_attribute_image.xml b/_install/fixtures/fashion/data/product_attribute_image.xml
new file mode 100644
index 00000000..2c5af44f
--- /dev/null
+++ b/_install/fixtures/fashion/data/product_attribute_image.xml
@@ -0,0 +1,72 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/product_supplier.xml b/_install/fixtures/fashion/data/product_supplier.xml
new file mode 100644
index 00000000..55e1b141
--- /dev/null
+++ b/_install/fixtures/fashion/data/product_supplier.xml
@@ -0,0 +1,19 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/profile.xml b/_install/fixtures/fashion/data/profile.xml
new file mode 100644
index 00000000..abdc5807
--- /dev/null
+++ b/_install/fixtures/fashion/data/profile.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/range_price.xml b/_install/fixtures/fashion/data/range_price.xml
new file mode 100644
index 00000000..ce420575
--- /dev/null
+++ b/_install/fixtures/fashion/data/range_price.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/range_weight.xml b/_install/fixtures/fashion/data/range_weight.xml
new file mode 100644
index 00000000..ce95fa9f
--- /dev/null
+++ b/_install/fixtures/fashion/data/range_weight.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/scene.xml b/_install/fixtures/fashion/data/scene.xml
new file mode 100644
index 00000000..faadc842
--- /dev/null
+++ b/_install/fixtures/fashion/data/scene.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/specific_price.xml b/_install/fixtures/fashion/data/specific_price.xml
new file mode 100644
index 00000000..45a1aea0
--- /dev/null
+++ b/_install/fixtures/fashion/data/specific_price.xml
@@ -0,0 +1,25 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/stock_available.xml b/_install/fixtures/fashion/data/stock_available.xml
new file mode 100644
index 00000000..70034dcf
--- /dev/null
+++ b/_install/fixtures/fashion/data/stock_available.xml
@@ -0,0 +1,66 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/data/store.xml b/_install/fixtures/fashion/data/store.xml
new file mode 100644
index 00000000..e59814ab
--- /dev/null
+++ b/_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/_install/fixtures/fashion/data/supplier.xml b/_install/fixtures/fashion/data/supplier.xml
new file mode 100644
index 00000000..ebbef7ca
--- /dev/null
+++ b/_install/fixtures/fashion/data/supplier.xml
@@ -0,0 +1,12 @@
+
+
+
+
+
+
+
+
+ Fashion Supplier
+
+
+
diff --git a/_install/fixtures/fashion/data/tag.xml b/_install/fixtures/fashion/data/tag.xml
new file mode 100644
index 00000000..2c4d15d5
--- /dev/null
+++ b/_install/fixtures/fashion/data/tag.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/img/c/Blouses-category_default.jpg b/_install/fixtures/fashion/img/c/Blouses-category_default.jpg
new file mode 100644
index 00000000..47a64f27
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Blouses-category_default.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Blouses-medium_default.jpg b/_install/fixtures/fashion/img/c/Blouses-medium_default.jpg
new file mode 100644
index 00000000..c617d6c7
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Blouses-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Blouses.jpg b/_install/fixtures/fashion/img/c/Blouses.jpg
new file mode 100644
index 00000000..8354a23a
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Blouses.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Casual_Dresses-category_default.jpg b/_install/fixtures/fashion/img/c/Casual_Dresses-category_default.jpg
new file mode 100644
index 00000000..bb3cbb7f
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Casual_Dresses-category_default.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Casual_Dresses-medium_default.jpg b/_install/fixtures/fashion/img/c/Casual_Dresses-medium_default.jpg
new file mode 100644
index 00000000..1b3e16cc
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Casual_Dresses-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Casual_Dresses.jpg b/_install/fixtures/fashion/img/c/Casual_Dresses.jpg
new file mode 100644
index 00000000..ad7716f8
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Casual_Dresses.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Dresses-category_default.jpg b/_install/fixtures/fashion/img/c/Dresses-category_default.jpg
new file mode 100644
index 00000000..6175e88f
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Dresses-category_default.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Dresses-medium_default.jpg b/_install/fixtures/fashion/img/c/Dresses-medium_default.jpg
new file mode 100644
index 00000000..c4d46f4c
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Dresses-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Dresses.jpg b/_install/fixtures/fashion/img/c/Dresses.jpg
new file mode 100644
index 00000000..5bccd992
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Dresses.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Evening_Dresses-category_default.jpg b/_install/fixtures/fashion/img/c/Evening_Dresses-category_default.jpg
new file mode 100644
index 00000000..8a8b2591
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Evening_Dresses-category_default.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Evening_Dresses-medium_default.jpg b/_install/fixtures/fashion/img/c/Evening_Dresses-medium_default.jpg
new file mode 100644
index 00000000..ade21421
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Evening_Dresses-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Evening_Dresses.jpg b/_install/fixtures/fashion/img/c/Evening_Dresses.jpg
new file mode 100644
index 00000000..66928620
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Evening_Dresses.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Summer_Dresses-category_default.jpg b/_install/fixtures/fashion/img/c/Summer_Dresses-category_default.jpg
new file mode 100644
index 00000000..8f982cc2
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Summer_Dresses-category_default.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Summer_Dresses-medium_default.jpg b/_install/fixtures/fashion/img/c/Summer_Dresses-medium_default.jpg
new file mode 100644
index 00000000..58efe2d9
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Summer_Dresses-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Summer_Dresses.jpg b/_install/fixtures/fashion/img/c/Summer_Dresses.jpg
new file mode 100644
index 00000000..0c48d755
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Summer_Dresses.jpg differ
diff --git a/_install/fixtures/fashion/img/c/T-shirts-category_default.jpg b/_install/fixtures/fashion/img/c/T-shirts-category_default.jpg
new file mode 100644
index 00000000..52a05529
Binary files /dev/null and b/_install/fixtures/fashion/img/c/T-shirts-category_default.jpg differ
diff --git a/_install/fixtures/fashion/img/c/T-shirts-medium_default.jpg b/_install/fixtures/fashion/img/c/T-shirts-medium_default.jpg
new file mode 100644
index 00000000..4cf53374
Binary files /dev/null and b/_install/fixtures/fashion/img/c/T-shirts-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/c/T-shirts.jpg b/_install/fixtures/fashion/img/c/T-shirts.jpg
new file mode 100644
index 00000000..b6fc7a08
Binary files /dev/null and b/_install/fixtures/fashion/img/c/T-shirts.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Tops-category_default.jpg b/_install/fixtures/fashion/img/c/Tops-category_default.jpg
new file mode 100644
index 00000000..9b34eb8b
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Tops-category_default.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Tops-medium_default.jpg b/_install/fixtures/fashion/img/c/Tops-medium_default.jpg
new file mode 100644
index 00000000..29bb4306
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Tops-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Tops.jpg b/_install/fixtures/fashion/img/c/Tops.jpg
new file mode 100644
index 00000000..844a299f
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Tops.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Tops_1-category_default.jpg b/_install/fixtures/fashion/img/c/Tops_1-category_default.jpg
new file mode 100644
index 00000000..c9aafa50
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Tops_1-category_default.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Tops_1-medium_default.jpg b/_install/fixtures/fashion/img/c/Tops_1-medium_default.jpg
new file mode 100644
index 00000000..75b0830c
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Tops_1-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Tops_1.jpg b/_install/fixtures/fashion/img/c/Tops_1.jpg
new file mode 100644
index 00000000..f1667f44
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Tops_1.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Women-category_default.jpg b/_install/fixtures/fashion/img/c/Women-category_default.jpg
new file mode 100644
index 00000000..f167b9a2
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Women-category_default.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Women-medium_default.jpg b/_install/fixtures/fashion/img/c/Women-medium_default.jpg
new file mode 100644
index 00000000..a83e81d8
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Women-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/c/Women.jpg b/_install/fixtures/fashion/img/c/Women.jpg
new file mode 100644
index 00000000..5428750e
Binary files /dev/null and b/_install/fixtures/fashion/img/c/Women.jpg differ
diff --git a/_install/fixtures/fashion/img/c/index.php b/_install/fixtures/fashion/img/c/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/img/c/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/img/c/resize.php b/_install/fixtures/fashion/img/c/resize.php
new file mode 100644
index 00000000..3c57e199
--- /dev/null
+++ b/_install/fixtures/fashion/img/c/resize.php
@@ -0,0 +1,13 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/img/m/Fashion_Manufacturer-large_default.jpg b/_install/fixtures/fashion/img/m/Fashion_Manufacturer-large_default.jpg
new file mode 100644
index 00000000..96c19ca0
Binary files /dev/null and b/_install/fixtures/fashion/img/m/Fashion_Manufacturer-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/m/Fashion_Manufacturer-medium_default.jpg b/_install/fixtures/fashion/img/m/Fashion_Manufacturer-medium_default.jpg
new file mode 100644
index 00000000..755ebb9a
Binary files /dev/null and b/_install/fixtures/fashion/img/m/Fashion_Manufacturer-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/m/Fashion_Manufacturer-small_default.jpg b/_install/fixtures/fashion/img/m/Fashion_Manufacturer-small_default.jpg
new file mode 100644
index 00000000..43833d14
Binary files /dev/null and b/_install/fixtures/fashion/img/m/Fashion_Manufacturer-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/m/Fashion_Manufacturer.jpg b/_install/fixtures/fashion/img/m/Fashion_Manufacturer.jpg
new file mode 100644
index 00000000..dd456686
Binary files /dev/null and b/_install/fixtures/fashion/img/m/Fashion_Manufacturer.jpg differ
diff --git a/_install/fixtures/fashion/img/m/index.php b/_install/fixtures/fashion/img/m/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/img/m/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/img/p/image_1-cart_default.jpg b/_install/fixtures/fashion/img/p/image_1-cart_default.jpg
new file mode 100644
index 00000000..b3669af0
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_1-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_1-home_default.jpg b/_install/fixtures/fashion/img/p/image_1-home_default.jpg
new file mode 100644
index 00000000..a0e34193
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_1-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_1-large_default.jpg b/_install/fixtures/fashion/img/p/image_1-large_default.jpg
new file mode 100644
index 00000000..f786373b
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_1-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_1-medium_default.jpg b/_install/fixtures/fashion/img/p/image_1-medium_default.jpg
new file mode 100644
index 00000000..7bc8aabf
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_1-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_1-small_default.jpg b/_install/fixtures/fashion/img/p/image_1-small_default.jpg
new file mode 100644
index 00000000..eb4068cf
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_1-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_1-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_1-thickbox_default.jpg
new file mode 100644
index 00000000..1a622e4a
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_1-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_1.jpg b/_install/fixtures/fashion/img/p/image_1.jpg
new file mode 100644
index 00000000..1a622e4a
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_1.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_10-cart_default.jpg b/_install/fixtures/fashion/img/p/image_10-cart_default.jpg
new file mode 100644
index 00000000..e1128ec9
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_10-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_10-home_default.jpg b/_install/fixtures/fashion/img/p/image_10-home_default.jpg
new file mode 100644
index 00000000..3938ea1d
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_10-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_10-large_default.jpg b/_install/fixtures/fashion/img/p/image_10-large_default.jpg
new file mode 100644
index 00000000..f68d8a8c
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_10-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_10-medium_default.jpg b/_install/fixtures/fashion/img/p/image_10-medium_default.jpg
new file mode 100644
index 00000000..d84dbce6
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_10-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_10-small_default.jpg b/_install/fixtures/fashion/img/p/image_10-small_default.jpg
new file mode 100644
index 00000000..16819a2b
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_10-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_10-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_10-thickbox_default.jpg
new file mode 100644
index 00000000..302cee4c
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_10-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_10.jpg b/_install/fixtures/fashion/img/p/image_10.jpg
new file mode 100644
index 00000000..302cee4c
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_10.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_11-cart_default.jpg b/_install/fixtures/fashion/img/p/image_11-cart_default.jpg
new file mode 100644
index 00000000..180deb1e
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_11-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_11-home_default.jpg b/_install/fixtures/fashion/img/p/image_11-home_default.jpg
new file mode 100644
index 00000000..b3eefc06
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_11-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_11-large_default.jpg b/_install/fixtures/fashion/img/p/image_11-large_default.jpg
new file mode 100644
index 00000000..f321ca27
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_11-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_11-medium_default.jpg b/_install/fixtures/fashion/img/p/image_11-medium_default.jpg
new file mode 100644
index 00000000..14b8b288
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_11-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_11-small_default.jpg b/_install/fixtures/fashion/img/p/image_11-small_default.jpg
new file mode 100644
index 00000000..4ccc859f
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_11-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_11-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_11-thickbox_default.jpg
new file mode 100644
index 00000000..2c9997b2
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_11-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_11.jpg b/_install/fixtures/fashion/img/p/image_11.jpg
new file mode 100644
index 00000000..2c9997b2
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_11.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_12-cart_default.jpg b/_install/fixtures/fashion/img/p/image_12-cart_default.jpg
new file mode 100644
index 00000000..b3c43e14
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_12-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_12-home_default.jpg b/_install/fixtures/fashion/img/p/image_12-home_default.jpg
new file mode 100644
index 00000000..777ec4be
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_12-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_12-large_default.jpg b/_install/fixtures/fashion/img/p/image_12-large_default.jpg
new file mode 100644
index 00000000..c2b1389f
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_12-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_12-medium_default.jpg b/_install/fixtures/fashion/img/p/image_12-medium_default.jpg
new file mode 100644
index 00000000..a2aa666b
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_12-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_12-small_default.jpg b/_install/fixtures/fashion/img/p/image_12-small_default.jpg
new file mode 100644
index 00000000..f6c0b2a2
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_12-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_12-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_12-thickbox_default.jpg
new file mode 100644
index 00000000..1428f956
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_12-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_12.jpg b/_install/fixtures/fashion/img/p/image_12.jpg
new file mode 100644
index 00000000..1428f956
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_12.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_13-cart_default.jpg b/_install/fixtures/fashion/img/p/image_13-cart_default.jpg
new file mode 100644
index 00000000..d08a5078
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_13-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_13-home_default.jpg b/_install/fixtures/fashion/img/p/image_13-home_default.jpg
new file mode 100644
index 00000000..ea29e863
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_13-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_13-large_default.jpg b/_install/fixtures/fashion/img/p/image_13-large_default.jpg
new file mode 100644
index 00000000..5d8e3108
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_13-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_13-medium_default.jpg b/_install/fixtures/fashion/img/p/image_13-medium_default.jpg
new file mode 100644
index 00000000..903f9bcb
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_13-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_13-small_default.jpg b/_install/fixtures/fashion/img/p/image_13-small_default.jpg
new file mode 100644
index 00000000..6a115fa6
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_13-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_13-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_13-thickbox_default.jpg
new file mode 100644
index 00000000..84c66874
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_13-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_13.jpg b/_install/fixtures/fashion/img/p/image_13.jpg
new file mode 100644
index 00000000..84c66874
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_13.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_14-cart_default.jpg b/_install/fixtures/fashion/img/p/image_14-cart_default.jpg
new file mode 100644
index 00000000..df8262fb
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_14-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_14-home_default.jpg b/_install/fixtures/fashion/img/p/image_14-home_default.jpg
new file mode 100644
index 00000000..7124fcc2
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_14-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_14-large_default.jpg b/_install/fixtures/fashion/img/p/image_14-large_default.jpg
new file mode 100644
index 00000000..e16712ec
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_14-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_14-medium_default.jpg b/_install/fixtures/fashion/img/p/image_14-medium_default.jpg
new file mode 100644
index 00000000..f58d0ced
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_14-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_14-small_default.jpg b/_install/fixtures/fashion/img/p/image_14-small_default.jpg
new file mode 100644
index 00000000..fbaf2ee0
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_14-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_14-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_14-thickbox_default.jpg
new file mode 100644
index 00000000..80d3a741
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_14-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_14.jpg b/_install/fixtures/fashion/img/p/image_14.jpg
new file mode 100644
index 00000000..80d3a741
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_14.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_15-cart_default.jpg b/_install/fixtures/fashion/img/p/image_15-cart_default.jpg
new file mode 100644
index 00000000..cc5f29b0
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_15-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_15-home_default.jpg b/_install/fixtures/fashion/img/p/image_15-home_default.jpg
new file mode 100644
index 00000000..0d40ce73
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_15-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_15-large_default.jpg b/_install/fixtures/fashion/img/p/image_15-large_default.jpg
new file mode 100644
index 00000000..3f8aedc3
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_15-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_15-medium_default.jpg b/_install/fixtures/fashion/img/p/image_15-medium_default.jpg
new file mode 100644
index 00000000..cc8457d3
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_15-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_15-small_default.jpg b/_install/fixtures/fashion/img/p/image_15-small_default.jpg
new file mode 100644
index 00000000..791a4ce7
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_15-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_15-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_15-thickbox_default.jpg
new file mode 100644
index 00000000..8ca18a66
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_15-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_15.jpg b/_install/fixtures/fashion/img/p/image_15.jpg
new file mode 100644
index 00000000..8ca18a66
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_15.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_16-cart_default.jpg b/_install/fixtures/fashion/img/p/image_16-cart_default.jpg
new file mode 100644
index 00000000..83bb72c9
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_16-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_16-home_default.jpg b/_install/fixtures/fashion/img/p/image_16-home_default.jpg
new file mode 100644
index 00000000..c84a6e9b
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_16-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_16-large_default.jpg b/_install/fixtures/fashion/img/p/image_16-large_default.jpg
new file mode 100644
index 00000000..573ff7d1
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_16-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_16-medium_default.jpg b/_install/fixtures/fashion/img/p/image_16-medium_default.jpg
new file mode 100644
index 00000000..b9b62c8d
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_16-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_16-small_default.jpg b/_install/fixtures/fashion/img/p/image_16-small_default.jpg
new file mode 100644
index 00000000..aa91b84d
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_16-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_16-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_16-thickbox_default.jpg
new file mode 100644
index 00000000..2f17d846
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_16-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_16.jpg b/_install/fixtures/fashion/img/p/image_16.jpg
new file mode 100644
index 00000000..2f17d846
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_16.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_17-cart_default.jpg b/_install/fixtures/fashion/img/p/image_17-cart_default.jpg
new file mode 100644
index 00000000..b43d0854
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_17-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_17-home_default.jpg b/_install/fixtures/fashion/img/p/image_17-home_default.jpg
new file mode 100644
index 00000000..826efea3
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_17-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_17-large_default.jpg b/_install/fixtures/fashion/img/p/image_17-large_default.jpg
new file mode 100644
index 00000000..0a48ac24
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_17-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_17-medium_default.jpg b/_install/fixtures/fashion/img/p/image_17-medium_default.jpg
new file mode 100644
index 00000000..1647513b
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_17-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_17-small_default.jpg b/_install/fixtures/fashion/img/p/image_17-small_default.jpg
new file mode 100644
index 00000000..0f1583fa
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_17-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_17-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_17-thickbox_default.jpg
new file mode 100644
index 00000000..9b703e3e
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_17-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_17.jpg b/_install/fixtures/fashion/img/p/image_17.jpg
new file mode 100644
index 00000000..9b703e3e
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_17.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_18-cart_default.jpg b/_install/fixtures/fashion/img/p/image_18-cart_default.jpg
new file mode 100644
index 00000000..4e9f003a
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_18-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_18-home_default.jpg b/_install/fixtures/fashion/img/p/image_18-home_default.jpg
new file mode 100644
index 00000000..432fcbad
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_18-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_18-large_default.jpg b/_install/fixtures/fashion/img/p/image_18-large_default.jpg
new file mode 100644
index 00000000..e35ee80f
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_18-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_18-medium_default.jpg b/_install/fixtures/fashion/img/p/image_18-medium_default.jpg
new file mode 100644
index 00000000..c90caa4a
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_18-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_18-small_default.jpg b/_install/fixtures/fashion/img/p/image_18-small_default.jpg
new file mode 100644
index 00000000..1049e18e
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_18-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_18-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_18-thickbox_default.jpg
new file mode 100644
index 00000000..db013f53
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_18-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_18.jpg b/_install/fixtures/fashion/img/p/image_18.jpg
new file mode 100644
index 00000000..db013f53
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_18.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_19-cart_default.jpg b/_install/fixtures/fashion/img/p/image_19-cart_default.jpg
new file mode 100644
index 00000000..1d15219e
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_19-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_19-home_default.jpg b/_install/fixtures/fashion/img/p/image_19-home_default.jpg
new file mode 100644
index 00000000..2581642a
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_19-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_19-large_default.jpg b/_install/fixtures/fashion/img/p/image_19-large_default.jpg
new file mode 100644
index 00000000..3f734558
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_19-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_19-medium_default.jpg b/_install/fixtures/fashion/img/p/image_19-medium_default.jpg
new file mode 100644
index 00000000..e105ee8e
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_19-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_19-small_default.jpg b/_install/fixtures/fashion/img/p/image_19-small_default.jpg
new file mode 100644
index 00000000..4f88eb22
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_19-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_19-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_19-thickbox_default.jpg
new file mode 100644
index 00000000..bc9ea61c
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_19-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_19.jpg b/_install/fixtures/fashion/img/p/image_19.jpg
new file mode 100644
index 00000000..bc9ea61c
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_19.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_2-cart_default.jpg b/_install/fixtures/fashion/img/p/image_2-cart_default.jpg
new file mode 100644
index 00000000..9fe0de7d
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_2-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_2-home_default.jpg b/_install/fixtures/fashion/img/p/image_2-home_default.jpg
new file mode 100644
index 00000000..9a980828
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_2-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_2-large_default.jpg b/_install/fixtures/fashion/img/p/image_2-large_default.jpg
new file mode 100644
index 00000000..9c458bda
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_2-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_2-medium_default.jpg b/_install/fixtures/fashion/img/p/image_2-medium_default.jpg
new file mode 100644
index 00000000..20c378db
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_2-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_2-small_default.jpg b/_install/fixtures/fashion/img/p/image_2-small_default.jpg
new file mode 100644
index 00000000..2a605eb0
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_2-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_2-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_2-thickbox_default.jpg
new file mode 100644
index 00000000..fe9b0873
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_2-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_2.jpg b/_install/fixtures/fashion/img/p/image_2.jpg
new file mode 100644
index 00000000..fe9b0873
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_2.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_20-cart_default.jpg b/_install/fixtures/fashion/img/p/image_20-cart_default.jpg
new file mode 100644
index 00000000..841404d7
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_20-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_20-home_default.jpg b/_install/fixtures/fashion/img/p/image_20-home_default.jpg
new file mode 100644
index 00000000..fa82a915
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_20-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_20-large_default.jpg b/_install/fixtures/fashion/img/p/image_20-large_default.jpg
new file mode 100644
index 00000000..452703c6
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_20-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_20-medium_default.jpg b/_install/fixtures/fashion/img/p/image_20-medium_default.jpg
new file mode 100644
index 00000000..ee56c820
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_20-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_20-small_default.jpg b/_install/fixtures/fashion/img/p/image_20-small_default.jpg
new file mode 100644
index 00000000..4fe90580
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_20-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_20-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_20-thickbox_default.jpg
new file mode 100644
index 00000000..53f6e68a
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_20-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_20.jpg b/_install/fixtures/fashion/img/p/image_20.jpg
new file mode 100644
index 00000000..53f6e68a
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_20.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_21-cart_default.jpg b/_install/fixtures/fashion/img/p/image_21-cart_default.jpg
new file mode 100644
index 00000000..6de2cf78
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_21-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_21-home_default.jpg b/_install/fixtures/fashion/img/p/image_21-home_default.jpg
new file mode 100644
index 00000000..93832ff6
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_21-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_21-large_default.jpg b/_install/fixtures/fashion/img/p/image_21-large_default.jpg
new file mode 100644
index 00000000..167cf91d
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_21-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_21-medium_default.jpg b/_install/fixtures/fashion/img/p/image_21-medium_default.jpg
new file mode 100644
index 00000000..1f476668
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_21-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_21-small_default.jpg b/_install/fixtures/fashion/img/p/image_21-small_default.jpg
new file mode 100644
index 00000000..e911da9b
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_21-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_21-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_21-thickbox_default.jpg
new file mode 100644
index 00000000..7144b7bc
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_21-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_21.jpg b/_install/fixtures/fashion/img/p/image_21.jpg
new file mode 100644
index 00000000..7144b7bc
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_21.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_22-cart_default.jpg b/_install/fixtures/fashion/img/p/image_22-cart_default.jpg
new file mode 100644
index 00000000..37b94fa3
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_22-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_22-home_default.jpg b/_install/fixtures/fashion/img/p/image_22-home_default.jpg
new file mode 100644
index 00000000..53ed3c78
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_22-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_22-large_default.jpg b/_install/fixtures/fashion/img/p/image_22-large_default.jpg
new file mode 100644
index 00000000..85e7e9c8
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_22-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_22-medium_default.jpg b/_install/fixtures/fashion/img/p/image_22-medium_default.jpg
new file mode 100644
index 00000000..badebdf2
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_22-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_22-small_default.jpg b/_install/fixtures/fashion/img/p/image_22-small_default.jpg
new file mode 100644
index 00000000..9c991647
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_22-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_22-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_22-thickbox_default.jpg
new file mode 100644
index 00000000..04b45893
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_22-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_22.jpg b/_install/fixtures/fashion/img/p/image_22.jpg
new file mode 100644
index 00000000..04b45893
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_22.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_23-cart_default.jpg b/_install/fixtures/fashion/img/p/image_23-cart_default.jpg
new file mode 100644
index 00000000..9046c325
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_23-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_23-home_default.jpg b/_install/fixtures/fashion/img/p/image_23-home_default.jpg
new file mode 100644
index 00000000..3fdb5c10
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_23-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_23-large_default.jpg b/_install/fixtures/fashion/img/p/image_23-large_default.jpg
new file mode 100644
index 00000000..1ae46d1c
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_23-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_23-medium_default.jpg b/_install/fixtures/fashion/img/p/image_23-medium_default.jpg
new file mode 100644
index 00000000..1a0dc28b
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_23-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_23-small_default.jpg b/_install/fixtures/fashion/img/p/image_23-small_default.jpg
new file mode 100644
index 00000000..84577d13
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_23-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_23-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_23-thickbox_default.jpg
new file mode 100644
index 00000000..eb6d3305
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_23-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_23.jpg b/_install/fixtures/fashion/img/p/image_23.jpg
new file mode 100644
index 00000000..eb6d3305
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_23.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_3-cart_default.jpg b/_install/fixtures/fashion/img/p/image_3-cart_default.jpg
new file mode 100644
index 00000000..b5dde626
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_3-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_3-home_default.jpg b/_install/fixtures/fashion/img/p/image_3-home_default.jpg
new file mode 100644
index 00000000..47900830
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_3-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_3-large_default.jpg b/_install/fixtures/fashion/img/p/image_3-large_default.jpg
new file mode 100644
index 00000000..74e3d1e6
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_3-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_3-medium_default.jpg b/_install/fixtures/fashion/img/p/image_3-medium_default.jpg
new file mode 100644
index 00000000..4d83e99c
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_3-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_3-small_default.jpg b/_install/fixtures/fashion/img/p/image_3-small_default.jpg
new file mode 100644
index 00000000..530811cd
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_3-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_3-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_3-thickbox_default.jpg
new file mode 100644
index 00000000..14739f2d
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_3-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_3.jpg b/_install/fixtures/fashion/img/p/image_3.jpg
new file mode 100644
index 00000000..14739f2d
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_3.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_4-cart_default.jpg b/_install/fixtures/fashion/img/p/image_4-cart_default.jpg
new file mode 100644
index 00000000..291bfdf3
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_4-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_4-home_default.jpg b/_install/fixtures/fashion/img/p/image_4-home_default.jpg
new file mode 100644
index 00000000..fe795d66
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_4-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_4-large_default.jpg b/_install/fixtures/fashion/img/p/image_4-large_default.jpg
new file mode 100644
index 00000000..9cf02043
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_4-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_4-medium_default.jpg b/_install/fixtures/fashion/img/p/image_4-medium_default.jpg
new file mode 100644
index 00000000..2d1df00a
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_4-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_4-small_default.jpg b/_install/fixtures/fashion/img/p/image_4-small_default.jpg
new file mode 100644
index 00000000..a259575f
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_4-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_4-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_4-thickbox_default.jpg
new file mode 100644
index 00000000..b2ead806
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_4-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_4.jpg b/_install/fixtures/fashion/img/p/image_4.jpg
new file mode 100644
index 00000000..b2ead806
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_4.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_5-cart_default.jpg b/_install/fixtures/fashion/img/p/image_5-cart_default.jpg
new file mode 100644
index 00000000..c9606196
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_5-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_5-home_default.jpg b/_install/fixtures/fashion/img/p/image_5-home_default.jpg
new file mode 100644
index 00000000..02d57497
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_5-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_5-large_default.jpg b/_install/fixtures/fashion/img/p/image_5-large_default.jpg
new file mode 100644
index 00000000..c6312660
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_5-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_5-medium_default.jpg b/_install/fixtures/fashion/img/p/image_5-medium_default.jpg
new file mode 100644
index 00000000..6a77d4f1
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_5-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_5-small_default.jpg b/_install/fixtures/fashion/img/p/image_5-small_default.jpg
new file mode 100644
index 00000000..fbd8e146
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_5-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_5-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_5-thickbox_default.jpg
new file mode 100644
index 00000000..e8266263
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_5-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_5.jpg b/_install/fixtures/fashion/img/p/image_5.jpg
new file mode 100644
index 00000000..e8266263
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_5.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_6-cart_default.jpg b/_install/fixtures/fashion/img/p/image_6-cart_default.jpg
new file mode 100644
index 00000000..e9fbc4e0
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_6-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_6-home_default.jpg b/_install/fixtures/fashion/img/p/image_6-home_default.jpg
new file mode 100644
index 00000000..0bf471fa
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_6-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_6-large_default.jpg b/_install/fixtures/fashion/img/p/image_6-large_default.jpg
new file mode 100644
index 00000000..0f492d5f
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_6-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_6-medium_default.jpg b/_install/fixtures/fashion/img/p/image_6-medium_default.jpg
new file mode 100644
index 00000000..48f7def0
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_6-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_6-small_default.jpg b/_install/fixtures/fashion/img/p/image_6-small_default.jpg
new file mode 100644
index 00000000..4245f1ea
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_6-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_6-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_6-thickbox_default.jpg
new file mode 100644
index 00000000..e1266e4d
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_6-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_6.jpg b/_install/fixtures/fashion/img/p/image_6.jpg
new file mode 100644
index 00000000..e1266e4d
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_6.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_7-cart_default.jpg b/_install/fixtures/fashion/img/p/image_7-cart_default.jpg
new file mode 100644
index 00000000..7bc49e16
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_7-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_7-home_default.jpg b/_install/fixtures/fashion/img/p/image_7-home_default.jpg
new file mode 100644
index 00000000..09641f4c
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_7-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_7-large_default.jpg b/_install/fixtures/fashion/img/p/image_7-large_default.jpg
new file mode 100644
index 00000000..436615ae
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_7-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_7-medium_default.jpg b/_install/fixtures/fashion/img/p/image_7-medium_default.jpg
new file mode 100644
index 00000000..6e817ae0
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_7-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_7-small_default.jpg b/_install/fixtures/fashion/img/p/image_7-small_default.jpg
new file mode 100644
index 00000000..27c96438
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_7-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_7-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_7-thickbox_default.jpg
new file mode 100644
index 00000000..b89f49d8
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_7-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_7.jpg b/_install/fixtures/fashion/img/p/image_7.jpg
new file mode 100644
index 00000000..b89f49d8
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_7.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_8-cart_default.jpg b/_install/fixtures/fashion/img/p/image_8-cart_default.jpg
new file mode 100644
index 00000000..0c877c4b
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_8-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_8-home_default.jpg b/_install/fixtures/fashion/img/p/image_8-home_default.jpg
new file mode 100644
index 00000000..633ea465
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_8-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_8-large_default.jpg b/_install/fixtures/fashion/img/p/image_8-large_default.jpg
new file mode 100644
index 00000000..b84ee48e
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_8-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_8-medium_default.jpg b/_install/fixtures/fashion/img/p/image_8-medium_default.jpg
new file mode 100644
index 00000000..bb60064b
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_8-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_8-small_default.jpg b/_install/fixtures/fashion/img/p/image_8-small_default.jpg
new file mode 100644
index 00000000..18f50099
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_8-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_8-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_8-thickbox_default.jpg
new file mode 100644
index 00000000..81124c2e
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_8-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_8.jpg b/_install/fixtures/fashion/img/p/image_8.jpg
new file mode 100644
index 00000000..81124c2e
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_8.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_9-cart_default.jpg b/_install/fixtures/fashion/img/p/image_9-cart_default.jpg
new file mode 100644
index 00000000..01ba223b
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_9-cart_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_9-home_default.jpg b/_install/fixtures/fashion/img/p/image_9-home_default.jpg
new file mode 100644
index 00000000..c1c5f15d
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_9-home_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_9-large_default.jpg b/_install/fixtures/fashion/img/p/image_9-large_default.jpg
new file mode 100644
index 00000000..1b57dc3a
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_9-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_9-medium_default.jpg b/_install/fixtures/fashion/img/p/image_9-medium_default.jpg
new file mode 100644
index 00000000..86f601d1
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_9-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_9-small_default.jpg b/_install/fixtures/fashion/img/p/image_9-small_default.jpg
new file mode 100644
index 00000000..77c90713
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_9-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_9-thickbox_default.jpg b/_install/fixtures/fashion/img/p/image_9-thickbox_default.jpg
new file mode 100644
index 00000000..aeeee4a0
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_9-thickbox_default.jpg differ
diff --git a/_install/fixtures/fashion/img/p/image_9.jpg b/_install/fixtures/fashion/img/p/image_9.jpg
new file mode 100644
index 00000000..aeeee4a0
Binary files /dev/null and b/_install/fixtures/fashion/img/p/image_9.jpg differ
diff --git a/_install/fixtures/fashion/img/p/index.php b/_install/fixtures/fashion/img/p/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/img/p/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/img/p/resize.php b/_install/fixtures/fashion/img/p/resize.php
new file mode 100644
index 00000000..32a4e6e1
--- /dev/null
+++ b/_install/fixtures/fashion/img/p/resize.php
@@ -0,0 +1,20 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/img/scenes/thumbs/index.php b/_install/fixtures/fashion/img/scenes/thumbs/index.php
new file mode 100644
index 00000000..8444e9b2
--- /dev/null
+++ b/_install/fixtures/fashion/img/scenes/thumbs/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/img/st/Coconut_Grove-medium_default.jpg b/_install/fixtures/fashion/img/st/Coconut_Grove-medium_default.jpg
new file mode 100644
index 00000000..be35958b
Binary files /dev/null and b/_install/fixtures/fashion/img/st/Coconut_Grove-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/st/Coconut_Grove.jpg b/_install/fixtures/fashion/img/st/Coconut_Grove.jpg
new file mode 100644
index 00000000..89dadb99
Binary files /dev/null and b/_install/fixtures/fashion/img/st/Coconut_Grove.jpg differ
diff --git a/_install/fixtures/fashion/img/st/Dade_County-medium_default.jpg b/_install/fixtures/fashion/img/st/Dade_County-medium_default.jpg
new file mode 100644
index 00000000..be35958b
Binary files /dev/null and b/_install/fixtures/fashion/img/st/Dade_County-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/st/Dade_County.jpg b/_install/fixtures/fashion/img/st/Dade_County.jpg
new file mode 100644
index 00000000..89dadb99
Binary files /dev/null and b/_install/fixtures/fashion/img/st/Dade_County.jpg differ
diff --git a/_install/fixtures/fashion/img/st/E_Fort_Lauderdale-medium_default.jpg b/_install/fixtures/fashion/img/st/E_Fort_Lauderdale-medium_default.jpg
new file mode 100644
index 00000000..be35958b
Binary files /dev/null and b/_install/fixtures/fashion/img/st/E_Fort_Lauderdale-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/st/E_Fort_Lauderdale.jpg b/_install/fixtures/fashion/img/st/E_Fort_Lauderdale.jpg
new file mode 100644
index 00000000..89dadb99
Binary files /dev/null and b/_install/fixtures/fashion/img/st/E_Fort_Lauderdale.jpg differ
diff --git a/_install/fixtures/fashion/img/st/N_Miami_Biscayne-medium_default.jpg b/_install/fixtures/fashion/img/st/N_Miami_Biscayne-medium_default.jpg
new file mode 100644
index 00000000..be35958b
Binary files /dev/null and b/_install/fixtures/fashion/img/st/N_Miami_Biscayne-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/st/N_Miami_Biscayne.jpg b/_install/fixtures/fashion/img/st/N_Miami_Biscayne.jpg
new file mode 100644
index 00000000..89dadb99
Binary files /dev/null and b/_install/fixtures/fashion/img/st/N_Miami_Biscayne.jpg differ
diff --git a/_install/fixtures/fashion/img/st/Pembroke_Pines-medium_default.jpg b/_install/fixtures/fashion/img/st/Pembroke_Pines-medium_default.jpg
new file mode 100644
index 00000000..be35958b
Binary files /dev/null and b/_install/fixtures/fashion/img/st/Pembroke_Pines-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/st/Pembroke_Pines.jpg b/_install/fixtures/fashion/img/st/Pembroke_Pines.jpg
new file mode 100644
index 00000000..89dadb99
Binary files /dev/null and b/_install/fixtures/fashion/img/st/Pembroke_Pines.jpg differ
diff --git a/_install/fixtures/fashion/img/st/index.php b/_install/fixtures/fashion/img/st/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/img/st/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/img/su/Fashion_Supplier-large_default.jpg b/_install/fixtures/fashion/img/su/Fashion_Supplier-large_default.jpg
new file mode 100644
index 00000000..96c19ca0
Binary files /dev/null and b/_install/fixtures/fashion/img/su/Fashion_Supplier-large_default.jpg differ
diff --git a/_install/fixtures/fashion/img/su/Fashion_Supplier-medium_default.jpg b/_install/fixtures/fashion/img/su/Fashion_Supplier-medium_default.jpg
new file mode 100644
index 00000000..755ebb9a
Binary files /dev/null and b/_install/fixtures/fashion/img/su/Fashion_Supplier-medium_default.jpg differ
diff --git a/_install/fixtures/fashion/img/su/Fashion_Supplier-small_default.jpg b/_install/fixtures/fashion/img/su/Fashion_Supplier-small_default.jpg
new file mode 100644
index 00000000..43833d14
Binary files /dev/null and b/_install/fixtures/fashion/img/su/Fashion_Supplier-small_default.jpg differ
diff --git a/_install/fixtures/fashion/img/su/Fashion_Supplier.jpg b/_install/fixtures/fashion/img/su/Fashion_Supplier.jpg
new file mode 100644
index 00000000..dd456686
Binary files /dev/null and b/_install/fixtures/fashion/img/su/Fashion_Supplier.jpg differ
diff --git a/_install/fixtures/fashion/img/su/index.php b/_install/fixtures/fashion/img/su/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/img/su/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/index.php b/_install/fixtures/fashion/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/fixtures/fashion/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/install.php b/_install/fixtures/fashion/install.php
new file mode 100644
index 00000000..a43ab6cc
--- /dev/null
+++ b/_install/fixtures/fashion/install.php
@@ -0,0 +1,42 @@
+
+* @copyright 2007-2015 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/_install/fixtures/fashion/langs/bn/data/attribute.xml b/_install/fixtures/fashion/langs/bn/data/attribute.xml
new file mode 100644
index 00000000..94b65807
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/bn/data/attribute_group.xml b/_install/fixtures/fashion/langs/bn/data/attribute_group.xml
new file mode 100644
index 00000000..17c82c65
--- /dev/null
+++ b/_install/fixtures/fashion/langs/bn/data/attribute_group.xml
@@ -0,0 +1,15 @@
+
+
+
+ Size
+ Size
+
+
+ Shoes Size
+ Size
+
+
+ Color
+ Color
+
+
diff --git a/_install/fixtures/fashion/langs/bn/data/attributegroup.xml b/_install/fixtures/fashion/langs/bn/data/attributegroup.xml
new file mode 100644
index 00000000..09da13fd
--- /dev/null
+++ b/_install/fixtures/fashion/langs/bn/data/attributegroup.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/bn/data/carrier.xml b/_install/fixtures/fashion/langs/bn/data/carrier.xml
new file mode 100644
index 00000000..c59766e7
--- /dev/null
+++ b/_install/fixtures/fashion/langs/bn/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Delivery next day!
+
+
diff --git a/_install/fixtures/fashion/langs/bn/data/category.xml b/_install/fixtures/fashion/langs/bn/data/category.xml
new file mode 100644
index 00000000..19aee464
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/bn/data/feature.xml b/_install/fixtures/fashion/langs/bn/data/feature.xml
new file mode 100644
index 00000000..e09b882c
--- /dev/null
+++ b/_install/fixtures/fashion/langs/bn/data/feature.xml
@@ -0,0 +1,24 @@
+
+
+
+ Height
+
+
+ Width
+
+
+ Depth
+
+
+ Weight
+
+
+ Compositions
+
+
+ Styles
+
+
+ Properties
+
+
diff --git a/_install/fixtures/fashion/langs/bn/data/feature_value.xml b/_install/fixtures/fashion/langs/bn/data/feature_value.xml
new file mode 100644
index 00000000..b918f11b
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/bn/data/featurevalue.xml b/_install/fixtures/fashion/langs/bn/data/featurevalue.xml
new file mode 100644
index 00000000..7f943c0a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/bn/data/featurevalue.xml
@@ -0,0 +1,66 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/bn/data/image.xml b/_install/fixtures/fashion/langs/bn/data/image.xml
new file mode 100644
index 00000000..0fc64cbc
--- /dev/null
+++ b/_install/fixtures/fashion/langs/bn/data/image.xml
@@ -0,0 +1,72 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/bn/data/index.php b/_install/fixtures/fashion/langs/bn/data/index.php
new file mode 100644
index 00000000..8444e9b2
--- /dev/null
+++ b/_install/fixtures/fashion/langs/bn/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/bn/data/manufacturer.xml b/_install/fixtures/fashion/langs/bn/data/manufacturer.xml
new file mode 100644
index 00000000..2f09cb62
--- /dev/null
+++ b/_install/fixtures/fashion/langs/bn/data/manufacturer.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/bn/data/order_message.xml b/_install/fixtures/fashion/langs/bn/data/order_message.xml
new file mode 100644
index 00000000..93ad3b50
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/bn/data/ordermessage.xml b/_install/fixtures/fashion/langs/bn/data/ordermessage.xml
new file mode 100644
index 00000000..e743f5d9
--- /dev/null
+++ b/_install/fixtures/fashion/langs/bn/data/ordermessage.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/bn/data/product.xml b/_install/fixtures/fashion/langs/bn/data/product.xml
new file mode 100644
index 00000000..f6b6a1c8
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/bn/data/profile.xml b/_install/fixtures/fashion/langs/bn/data/profile.xml
new file mode 100644
index 00000000..04e65582
--- /dev/null
+++ b/_install/fixtures/fashion/langs/bn/data/profile.xml
@@ -0,0 +1,12 @@
+
+
+
+ Logistician
+
+
+ Translator
+
+
+ Salesman
+
+
diff --git a/_install/fixtures/fashion/langs/bn/data/scene.xml b/_install/fixtures/fashion/langs/bn/data/scene.xml
new file mode 100644
index 00000000..708079e5
--- /dev/null
+++ b/_install/fixtures/fashion/langs/bn/data/scene.xml
@@ -0,0 +1,8 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/bn/data/supplier.xml b/_install/fixtures/fashion/langs/bn/data/supplier.xml
new file mode 100644
index 00000000..0c375e8d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/bn/data/supplier.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/bn/data/tag.xml b/_install/fixtures/fashion/langs/bn/data/tag.xml
new file mode 100644
index 00000000..d413861a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/bn/data/tag.xml
@@ -0,0 +1,11 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/bn/index.php b/_install/fixtures/fashion/langs/bn/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/langs/bn/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/br/data/attribute.xml b/_install/fixtures/fashion/langs/br/data/attribute.xml
new file mode 100644
index 00000000..5aa982d0
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/br/data/attribute_group.xml b/_install/fixtures/fashion/langs/br/data/attribute_group.xml
new file mode 100644
index 00000000..17c82c65
--- /dev/null
+++ b/_install/fixtures/fashion/langs/br/data/attribute_group.xml
@@ -0,0 +1,15 @@
+
+
+
+ Size
+ Size
+
+
+ Shoes Size
+ Size
+
+
+ Color
+ Color
+
+
diff --git a/_install/fixtures/fashion/langs/br/data/attributegroup.xml b/_install/fixtures/fashion/langs/br/data/attributegroup.xml
new file mode 100644
index 00000000..09da13fd
--- /dev/null
+++ b/_install/fixtures/fashion/langs/br/data/attributegroup.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/br/data/carrier.xml b/_install/fixtures/fashion/langs/br/data/carrier.xml
new file mode 100644
index 00000000..d497ed10
--- /dev/null
+++ b/_install/fixtures/fashion/langs/br/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Entrega no dia seguinte!
+
+
diff --git a/_install/fixtures/fashion/langs/br/data/category.xml b/_install/fixtures/fashion/langs/br/data/category.xml
new file mode 100644
index 00000000..3d87fbd1
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/br/data/feature.xml b/_install/fixtures/fashion/langs/br/data/feature.xml
new file mode 100644
index 00000000..c96b071e
--- /dev/null
+++ b/_install/fixtures/fashion/langs/br/data/feature.xml
@@ -0,0 +1,24 @@
+
+
+
+ Altura
+
+
+ Largura
+
+
+ Profundidade
+
+
+ Peso
+
+
+ Tecido
+
+
+ Estilos
+
+
+ Descrição
+
+
diff --git a/_install/fixtures/fashion/langs/br/data/feature_value.xml b/_install/fixtures/fashion/langs/br/data/feature_value.xml
new file mode 100644
index 00000000..2d7bbb79
--- /dev/null
+++ b/_install/fixtures/fashion/langs/br/data/feature_value.xml
@@ -0,0 +1,102 @@
+
+
+
+ Poliéster
+
+
+ LĂŁ
+
+
+ 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/_install/fixtures/fashion/langs/br/data/featurevalue.xml b/_install/fixtures/fashion/langs/br/data/featurevalue.xml
new file mode 100644
index 00000000..7f943c0a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/br/data/featurevalue.xml
@@ -0,0 +1,66 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/br/data/image.xml b/_install/fixtures/fashion/langs/br/data/image.xml
new file mode 100644
index 00000000..0fc64cbc
--- /dev/null
+++ b/_install/fixtures/fashion/langs/br/data/image.xml
@@ -0,0 +1,72 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/br/data/index.php b/_install/fixtures/fashion/langs/br/data/index.php
new file mode 100644
index 00000000..8444e9b2
--- /dev/null
+++ b/_install/fixtures/fashion/langs/br/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/br/data/manufacturer.xml b/_install/fixtures/fashion/langs/br/data/manufacturer.xml
new file mode 100644
index 00000000..2f09cb62
--- /dev/null
+++ b/_install/fixtures/fashion/langs/br/data/manufacturer.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/br/data/order_message.xml b/_install/fixtures/fashion/langs/br/data/order_message.xml
new file mode 100644
index 00000000..76b70bdc
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/br/data/ordermessage.xml b/_install/fixtures/fashion/langs/br/data/ordermessage.xml
new file mode 100644
index 00000000..e743f5d9
--- /dev/null
+++ b/_install/fixtures/fashion/langs/br/data/ordermessage.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/br/data/product.xml b/_install/fixtures/fashion/langs/br/data/product.xml
new file mode 100644
index 00000000..8fe47864
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/br/data/profile.xml b/_install/fixtures/fashion/langs/br/data/profile.xml
new file mode 100644
index 00000000..879171f3
--- /dev/null
+++ b/_install/fixtures/fashion/langs/br/data/profile.xml
@@ -0,0 +1,12 @@
+
+
+
+ Especialista em logĂstica
+
+
+ Tradutor
+
+
+ Vendedor
+
+
diff --git a/_install/fixtures/fashion/langs/br/data/scene.xml b/_install/fixtures/fashion/langs/br/data/scene.xml
new file mode 100644
index 00000000..708079e5
--- /dev/null
+++ b/_install/fixtures/fashion/langs/br/data/scene.xml
@@ -0,0 +1,8 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/br/data/supplier.xml b/_install/fixtures/fashion/langs/br/data/supplier.xml
new file mode 100644
index 00000000..0c375e8d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/br/data/supplier.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/br/data/tag.xml b/_install/fixtures/fashion/langs/br/data/tag.xml
new file mode 100644
index 00000000..d413861a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/br/data/tag.xml
@@ -0,0 +1,11 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/br/index.php b/_install/fixtures/fashion/langs/br/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/langs/br/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/de/data/attribute.xml b/_install/fixtures/fashion/langs/de/data/attribute.xml
new file mode 100644
index 00000000..94b65807
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/de/data/attribute_group.xml b/_install/fixtures/fashion/langs/de/data/attribute_group.xml
new file mode 100644
index 00000000..17c82c65
--- /dev/null
+++ b/_install/fixtures/fashion/langs/de/data/attribute_group.xml
@@ -0,0 +1,15 @@
+
+
+
+ Size
+ Size
+
+
+ Shoes Size
+ Size
+
+
+ Color
+ Color
+
+
diff --git a/_install/fixtures/fashion/langs/de/data/attributegroup.xml b/_install/fixtures/fashion/langs/de/data/attributegroup.xml
new file mode 100644
index 00000000..09da13fd
--- /dev/null
+++ b/_install/fixtures/fashion/langs/de/data/attributegroup.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/de/data/carrier.xml b/_install/fixtures/fashion/langs/de/data/carrier.xml
new file mode 100644
index 00000000..c59766e7
--- /dev/null
+++ b/_install/fixtures/fashion/langs/de/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Delivery next day!
+
+
diff --git a/_install/fixtures/fashion/langs/de/data/category.xml b/_install/fixtures/fashion/langs/de/data/category.xml
new file mode 100644
index 00000000..19aee464
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/de/data/feature.xml b/_install/fixtures/fashion/langs/de/data/feature.xml
new file mode 100644
index 00000000..e09b882c
--- /dev/null
+++ b/_install/fixtures/fashion/langs/de/data/feature.xml
@@ -0,0 +1,24 @@
+
+
+
+ Height
+
+
+ Width
+
+
+ Depth
+
+
+ Weight
+
+
+ Compositions
+
+
+ Styles
+
+
+ Properties
+
+
diff --git a/_install/fixtures/fashion/langs/de/data/feature_value.xml b/_install/fixtures/fashion/langs/de/data/feature_value.xml
new file mode 100644
index 00000000..b918f11b
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/de/data/featurevalue.xml b/_install/fixtures/fashion/langs/de/data/featurevalue.xml
new file mode 100644
index 00000000..7f943c0a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/de/data/featurevalue.xml
@@ -0,0 +1,66 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/de/data/image.xml b/_install/fixtures/fashion/langs/de/data/image.xml
new file mode 100644
index 00000000..0fc64cbc
--- /dev/null
+++ b/_install/fixtures/fashion/langs/de/data/image.xml
@@ -0,0 +1,72 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/de/data/index.php b/_install/fixtures/fashion/langs/de/data/index.php
new file mode 100644
index 00000000..8444e9b2
--- /dev/null
+++ b/_install/fixtures/fashion/langs/de/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/de/data/manufacturer.xml b/_install/fixtures/fashion/langs/de/data/manufacturer.xml
new file mode 100644
index 00000000..2f09cb62
--- /dev/null
+++ b/_install/fixtures/fashion/langs/de/data/manufacturer.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/de/data/order_message.xml b/_install/fixtures/fashion/langs/de/data/order_message.xml
new file mode 100644
index 00000000..93ad3b50
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/de/data/ordermessage.xml b/_install/fixtures/fashion/langs/de/data/ordermessage.xml
new file mode 100644
index 00000000..e743f5d9
--- /dev/null
+++ b/_install/fixtures/fashion/langs/de/data/ordermessage.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/de/data/product.xml b/_install/fixtures/fashion/langs/de/data/product.xml
new file mode 100644
index 00000000..f6b6a1c8
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/de/data/profile.xml b/_install/fixtures/fashion/langs/de/data/profile.xml
new file mode 100644
index 00000000..04e65582
--- /dev/null
+++ b/_install/fixtures/fashion/langs/de/data/profile.xml
@@ -0,0 +1,12 @@
+
+
+
+ Logistician
+
+
+ Translator
+
+
+ Salesman
+
+
diff --git a/_install/fixtures/fashion/langs/de/data/scene.xml b/_install/fixtures/fashion/langs/de/data/scene.xml
new file mode 100644
index 00000000..708079e5
--- /dev/null
+++ b/_install/fixtures/fashion/langs/de/data/scene.xml
@@ -0,0 +1,8 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/de/data/supplier.xml b/_install/fixtures/fashion/langs/de/data/supplier.xml
new file mode 100644
index 00000000..0c375e8d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/de/data/supplier.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/de/data/tag.xml b/_install/fixtures/fashion/langs/de/data/tag.xml
new file mode 100644
index 00000000..d413861a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/de/data/tag.xml
@@ -0,0 +1,11 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/de/index.php b/_install/fixtures/fashion/langs/de/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/langs/de/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/en/data/attribute.xml b/_install/fixtures/fashion/langs/en/data/attribute.xml
new file mode 100644
index 00000000..94b65807
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/en/data/attribute_group.xml b/_install/fixtures/fashion/langs/en/data/attribute_group.xml
new file mode 100644
index 00000000..17c82c65
--- /dev/null
+++ b/_install/fixtures/fashion/langs/en/data/attribute_group.xml
@@ -0,0 +1,15 @@
+
+
+
+ Size
+ Size
+
+
+ Shoes Size
+ Size
+
+
+ Color
+ Color
+
+
diff --git a/_install/fixtures/fashion/langs/en/data/attributegroup.xml b/_install/fixtures/fashion/langs/en/data/attributegroup.xml
new file mode 100644
index 00000000..09da13fd
--- /dev/null
+++ b/_install/fixtures/fashion/langs/en/data/attributegroup.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/en/data/carrier.xml b/_install/fixtures/fashion/langs/en/data/carrier.xml
new file mode 100644
index 00000000..c59766e7
--- /dev/null
+++ b/_install/fixtures/fashion/langs/en/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Delivery next day!
+
+
diff --git a/_install/fixtures/fashion/langs/en/data/category.xml b/_install/fixtures/fashion/langs/en/data/category.xml
new file mode 100644
index 00000000..19aee464
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/en/data/feature.xml b/_install/fixtures/fashion/langs/en/data/feature.xml
new file mode 100644
index 00000000..e09b882c
--- /dev/null
+++ b/_install/fixtures/fashion/langs/en/data/feature.xml
@@ -0,0 +1,24 @@
+
+
+
+ Height
+
+
+ Width
+
+
+ Depth
+
+
+ Weight
+
+
+ Compositions
+
+
+ Styles
+
+
+ Properties
+
+
diff --git a/_install/fixtures/fashion/langs/en/data/feature_value.xml b/_install/fixtures/fashion/langs/en/data/feature_value.xml
new file mode 100644
index 00000000..b918f11b
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/en/data/featurevalue.xml b/_install/fixtures/fashion/langs/en/data/featurevalue.xml
new file mode 100644
index 00000000..7f943c0a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/en/data/featurevalue.xml
@@ -0,0 +1,66 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/en/data/image.xml b/_install/fixtures/fashion/langs/en/data/image.xml
new file mode 100644
index 00000000..0fc64cbc
--- /dev/null
+++ b/_install/fixtures/fashion/langs/en/data/image.xml
@@ -0,0 +1,72 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/en/data/index.php b/_install/fixtures/fashion/langs/en/data/index.php
new file mode 100644
index 00000000..8444e9b2
--- /dev/null
+++ b/_install/fixtures/fashion/langs/en/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/en/data/manufacturer.xml b/_install/fixtures/fashion/langs/en/data/manufacturer.xml
new file mode 100644
index 00000000..2f09cb62
--- /dev/null
+++ b/_install/fixtures/fashion/langs/en/data/manufacturer.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/en/data/order_message.xml b/_install/fixtures/fashion/langs/en/data/order_message.xml
new file mode 100644
index 00000000..93ad3b50
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/en/data/ordermessage.xml b/_install/fixtures/fashion/langs/en/data/ordermessage.xml
new file mode 100644
index 00000000..e743f5d9
--- /dev/null
+++ b/_install/fixtures/fashion/langs/en/data/ordermessage.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/en/data/product.xml b/_install/fixtures/fashion/langs/en/data/product.xml
new file mode 100644
index 00000000..ba2927a4
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/en/data/profile.xml b/_install/fixtures/fashion/langs/en/data/profile.xml
new file mode 100644
index 00000000..04e65582
--- /dev/null
+++ b/_install/fixtures/fashion/langs/en/data/profile.xml
@@ -0,0 +1,12 @@
+
+
+
+ Logistician
+
+
+ Translator
+
+
+ Salesman
+
+
diff --git a/_install/fixtures/fashion/langs/en/data/scene.xml b/_install/fixtures/fashion/langs/en/data/scene.xml
new file mode 100644
index 00000000..708079e5
--- /dev/null
+++ b/_install/fixtures/fashion/langs/en/data/scene.xml
@@ -0,0 +1,8 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/en/data/supplier.xml b/_install/fixtures/fashion/langs/en/data/supplier.xml
new file mode 100644
index 00000000..0c375e8d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/en/data/supplier.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/en/data/tag.xml b/_install/fixtures/fashion/langs/en/data/tag.xml
new file mode 100644
index 00000000..d413861a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/en/data/tag.xml
@@ -0,0 +1,11 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/en/index.php b/_install/fixtures/fashion/langs/en/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/langs/en/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/es/data/attribute.xml b/_install/fixtures/fashion/langs/es/data/attribute.xml
new file mode 100644
index 00000000..b9cc5246
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/es/data/attribute_group.xml b/_install/fixtures/fashion/langs/es/data/attribute_group.xml
new file mode 100644
index 00000000..17c82c65
--- /dev/null
+++ b/_install/fixtures/fashion/langs/es/data/attribute_group.xml
@@ -0,0 +1,15 @@
+
+
+
+ Size
+ Size
+
+
+ Shoes Size
+ Size
+
+
+ Color
+ Color
+
+
diff --git a/_install/fixtures/fashion/langs/es/data/attributegroup.xml b/_install/fixtures/fashion/langs/es/data/attributegroup.xml
new file mode 100644
index 00000000..09da13fd
--- /dev/null
+++ b/_install/fixtures/fashion/langs/es/data/attributegroup.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/es/data/carrier.xml b/_install/fixtures/fashion/langs/es/data/carrier.xml
new file mode 100644
index 00000000..376638aa
--- /dev/null
+++ b/_install/fixtures/fashion/langs/es/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ ÂĄEnvĂo en 24h!
+
+
diff --git a/_install/fixtures/fashion/langs/es/data/category.xml b/_install/fixtures/fashion/langs/es/data/category.xml
new file mode 100644
index 00000000..97dc1379
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/es/data/feature.xml b/_install/fixtures/fashion/langs/es/data/feature.xml
new file mode 100644
index 00000000..b5d0ecf4
--- /dev/null
+++ b/_install/fixtures/fashion/langs/es/data/feature.xml
@@ -0,0 +1,24 @@
+
+
+
+ Altura
+
+
+ Anchura
+
+
+ Profundidad
+
+
+ Peso
+
+
+ ComposiciĂłn
+
+
+ Estilos
+
+
+ Propiedades
+
+
diff --git a/_install/fixtures/fashion/langs/es/data/feature_value.xml b/_install/fixtures/fashion/langs/es/data/feature_value.xml
new file mode 100644
index 00000000..f963a624
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/es/data/featurevalue.xml b/_install/fixtures/fashion/langs/es/data/featurevalue.xml
new file mode 100644
index 00000000..7f943c0a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/es/data/featurevalue.xml
@@ -0,0 +1,66 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/es/data/image.xml b/_install/fixtures/fashion/langs/es/data/image.xml
new file mode 100644
index 00000000..0fc64cbc
--- /dev/null
+++ b/_install/fixtures/fashion/langs/es/data/image.xml
@@ -0,0 +1,72 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/es/data/index.php b/_install/fixtures/fashion/langs/es/data/index.php
new file mode 100644
index 00000000..8444e9b2
--- /dev/null
+++ b/_install/fixtures/fashion/langs/es/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/es/data/manufacturer.xml b/_install/fixtures/fashion/langs/es/data/manufacturer.xml
new file mode 100644
index 00000000..2f09cb62
--- /dev/null
+++ b/_install/fixtures/fashion/langs/es/data/manufacturer.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/es/data/order_message.xml b/_install/fixtures/fashion/langs/es/data/order_message.xml
new file mode 100644
index 00000000..908ab13b
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/es/data/ordermessage.xml b/_install/fixtures/fashion/langs/es/data/ordermessage.xml
new file mode 100644
index 00000000..e743f5d9
--- /dev/null
+++ b/_install/fixtures/fashion/langs/es/data/ordermessage.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/es/data/product.xml b/_install/fixtures/fashion/langs/es/data/product.xml
new file mode 100644
index 00000000..abeb55bd
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/es/data/profile.xml b/_install/fixtures/fashion/langs/es/data/profile.xml
new file mode 100644
index 00000000..6dd663bb
--- /dev/null
+++ b/_install/fixtures/fashion/langs/es/data/profile.xml
@@ -0,0 +1,12 @@
+
+
+
+ Especialista en logĂstica
+
+
+ Traductor
+
+
+ Vendedor
+
+
diff --git a/_install/fixtures/fashion/langs/es/data/scene.xml b/_install/fixtures/fashion/langs/es/data/scene.xml
new file mode 100644
index 00000000..708079e5
--- /dev/null
+++ b/_install/fixtures/fashion/langs/es/data/scene.xml
@@ -0,0 +1,8 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/es/data/supplier.xml b/_install/fixtures/fashion/langs/es/data/supplier.xml
new file mode 100644
index 00000000..0c375e8d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/es/data/supplier.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/es/data/tag.xml b/_install/fixtures/fashion/langs/es/data/tag.xml
new file mode 100644
index 00000000..d413861a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/es/data/tag.xml
@@ -0,0 +1,11 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/es/index.php b/_install/fixtures/fashion/langs/es/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/langs/es/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/fa/data/attribute.xml b/_install/fixtures/fashion/langs/fa/data/attribute.xml
new file mode 100644
index 00000000..57e072bd
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fa/data/attribute.xml
@@ -0,0 +1,75 @@
+
+
+
+ S
+
+
+ M
+
+
+ L
+
+
+ ŰȘÚ© ۳ۧÛŰČ
+
+
+ ۟ۧک۳ŰȘ۱Û
+
+
+ Ù
ۧŰČÙÛÛ
+
+
+ ŰšÚ
+
+
+ ŰłÙÛŰŻ
+
+
+ ک۱Ù
+
+
+ Ù۱Ù
ŰČ
+
+
+ Ù
ŰŽÚ©Û
+
+
+ ŰŽŰȘ۱Û
+
+
+ Ùۧ۱ÙŰŹÛ
+
+
+ ۹ۚÛ
+
+
+ ۳ۚŰČ
+
+
+ ŰČ۱ۯ
+
+
+ ÙÙÙÙ Ű§Û
+
+
+ 35
+
+
+ 36
+
+
+ 37
+
+
+ 38
+
+
+ 39
+
+
+ 40
+
+
+ Ű”Ù۱ŰȘÛ
+
+
diff --git a/_install/fixtures/fashion/langs/fa/data/attribute_group.xml b/_install/fixtures/fashion/langs/fa/data/attribute_group.xml
new file mode 100644
index 00000000..8739657d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fa/data/attribute_group.xml
@@ -0,0 +1,15 @@
+
+
+
+ ۧÙۯۧŰČÙ
+ ۧÙۯۧŰČÙ
+
+
+ ۧÙۯۧŰČÙ Ú©ÙŰŽ
+ ۧÙۯۧŰČÙ
+
+
+ ۱ÙÚŻ
+ ۱ÙÚŻ
+
+
diff --git a/_install/fixtures/fashion/langs/fa/data/attributegroup.xml b/_install/fixtures/fashion/langs/fa/data/attributegroup.xml
new file mode 100644
index 00000000..6e45ef69
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fa/data/attributegroup.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/fa/data/carrier.xml b/_install/fixtures/fashion/langs/fa/data/carrier.xml
new file mode 100644
index 00000000..5289cf2e
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fa/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ ŰȘŰÙÛÙ Ű±ÙŰČ ŰšŰčŰŻ!
+
+
diff --git a/_install/fixtures/fashion/langs/fa/data/category.xml b/_install/fixtures/fashion/langs/fa/data/category.xml
new file mode 100644
index 00000000..a82ed5a2
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/fa/data/feature.xml b/_install/fixtures/fashion/langs/fa/data/feature.xml
new file mode 100644
index 00000000..69eade8b
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fa/data/feature.xml
@@ -0,0 +1,24 @@
+
+
+
+ ŰšÙÙŰŻÛ
+
+
+ ÙŸÙÙۧ
+
+
+ ŰčÙ
Ù
+
+
+ ÙŰČÙ
+
+
+ ŰȘ۱کÛŰš
+
+
+ ۳ۚک
+
+
+ ŰźÙۧ۔
+
+
diff --git a/_install/fixtures/fashion/langs/fa/data/feature_value.xml b/_install/fixtures/fashion/langs/fa/data/feature_value.xml
new file mode 100644
index 00000000..9e62b4b9
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/fa/data/featurevalue.xml b/_install/fixtures/fashion/langs/fa/data/featurevalue.xml
new file mode 100644
index 00000000..11717e2c
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fa/data/featurevalue.xml
@@ -0,0 +1,66 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/fa/data/image.xml b/_install/fixtures/fashion/langs/fa/data/image.xml
new file mode 100644
index 00000000..0fc64cbc
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fa/data/image.xml
@@ -0,0 +1,72 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/fa/data/index.php b/_install/fixtures/fashion/langs/fa/data/index.php
new file mode 100644
index 00000000..8444e9b2
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fa/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/fa/data/manufacturer.xml b/_install/fixtures/fashion/langs/fa/data/manufacturer.xml
new file mode 100644
index 00000000..2f09cb62
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fa/data/manufacturer.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/fa/data/order_message.xml b/_install/fixtures/fashion/langs/fa/data/order_message.xml
new file mode 100644
index 00000000..7e659092
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fa/data/order_message.xml
@@ -0,0 +1,12 @@
+
+
+
+ ŰȘۧ۟Û۱
+ ۯ۱ÙŰŻ,
+
+ Ù
ŰȘŰŁŰłÙۧÙÙŰ ÛÚ©Û Ű§ŰČ Ù
Ùۧ۱ۯ ŰłÙۧ۱ێ ŰŽÙ
ۧ ۯ۱ ۧÙۚۧ۱ Ù
ÙŰŹÙŰŻ ÙÛŰłŰȘ. ۧÛÙ Ù
Ù
Ú©Ù Ű§ŰłŰȘ ۚۧŰčŰ« ÛÚ© ŰȘŰŁŰźÛ۱ Ú©ÙŰȘŰ§Ù ŰŻŰ± ŰȘŰÙÛÙ ŰŽÙŰŻ.
+ ÙŰ·ÙŰ§Ù Űč۰۱۟ÙۧÙÛ Ù
ۧ ۱ۧ ÙŸŰ°Û۱ۧ ۚۧێÛŰŻ Ù Ù
Ű·Ù
ŰŠÙ ŰšŰ§ŰŽÛŰŻ ŰšŰ±Ű§Û Ű±ÙŰč ŰąÙ ŰłŰźŰȘ ŰȘÙۧێ ŰźÙۧÙÛÙ
ک۱ۯ.
+
+ÙŸÛ۱ÙŰČ ŰšŰ§ŰŽÛŰŻ,
+
+
diff --git a/_install/fixtures/fashion/langs/fa/data/ordermessage.xml b/_install/fixtures/fashion/langs/fa/data/ordermessage.xml
new file mode 100644
index 00000000..d22a7106
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fa/data/ordermessage.xml
@@ -0,0 +1,12 @@
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/fa/data/product.xml b/_install/fixtures/fashion/langs/fa/data/product.xml
new file mode 100644
index 00000000..d1696e3a
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/fa/data/profile.xml b/_install/fixtures/fashion/langs/fa/data/profile.xml
new file mode 100644
index 00000000..0ca3c4e7
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fa/data/profile.xml
@@ -0,0 +1,12 @@
+
+
+
+ ÙŸŰŽŰȘÛۚۧÙ
+
+
+ Ù
ŰȘ۱ۏÙ
+
+
+ Ù
۳ۊÙÙ Ù۱ÙŰŽ
+
+
diff --git a/_install/fixtures/fashion/langs/fa/data/scene.xml b/_install/fixtures/fashion/langs/fa/data/scene.xml
new file mode 100644
index 00000000..708079e5
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fa/data/scene.xml
@@ -0,0 +1,8 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/fa/data/supplier.xml b/_install/fixtures/fashion/langs/fa/data/supplier.xml
new file mode 100644
index 00000000..0c375e8d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fa/data/supplier.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/fa/data/tag.xml b/_install/fixtures/fashion/langs/fa/data/tag.xml
new file mode 100644
index 00000000..d413861a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fa/data/tag.xml
@@ -0,0 +1,11 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/fa/index.php b/_install/fixtures/fashion/langs/fa/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fa/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/fr/data/attribute.xml b/_install/fixtures/fashion/langs/fr/data/attribute.xml
new file mode 100644
index 00000000..c30ff931
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/fr/data/attribute_group.xml b/_install/fixtures/fashion/langs/fr/data/attribute_group.xml
new file mode 100644
index 00000000..03aa3b8c
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fr/data/attribute_group.xml
@@ -0,0 +1,15 @@
+
+
+
+ Taille
+ Taille
+
+
+ Pointure
+ Pointure
+
+
+ Couleur
+ Couleur
+
+
diff --git a/_install/fixtures/fashion/langs/fr/data/attributegroup.xml b/_install/fixtures/fashion/langs/fr/data/attributegroup.xml
new file mode 100644
index 00000000..09da13fd
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fr/data/attributegroup.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/fr/data/carrier.xml b/_install/fixtures/fashion/langs/fr/data/carrier.xml
new file mode 100644
index 00000000..85501d51
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fr/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Livraison le lendemain !
+
+
diff --git a/_install/fixtures/fashion/langs/fr/data/category.xml b/_install/fixtures/fashion/langs/fr/data/category.xml
new file mode 100644
index 00000000..988e6315
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/fr/data/feature.xml b/_install/fixtures/fashion/langs/fr/data/feature.xml
new file mode 100644
index 00000000..98248bb8
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fr/data/feature.xml
@@ -0,0 +1,24 @@
+
+
+
+ Hauteur
+
+
+ Largeur
+
+
+ Profondeur
+
+
+ Poids
+
+
+ Compositions
+
+
+ Styles
+
+
+ Propriétés
+
+
diff --git a/_install/fixtures/fashion/langs/fr/data/feature_value.xml b/_install/fixtures/fashion/langs/fr/data/feature_value.xml
new file mode 100644
index 00000000..9075c3b5
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/fr/data/featurevalue.xml b/_install/fixtures/fashion/langs/fr/data/featurevalue.xml
new file mode 100644
index 00000000..7f943c0a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fr/data/featurevalue.xml
@@ -0,0 +1,66 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/fr/data/image.xml b/_install/fixtures/fashion/langs/fr/data/image.xml
new file mode 100644
index 00000000..0fc64cbc
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fr/data/image.xml
@@ -0,0 +1,72 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/fr/data/index.php b/_install/fixtures/fashion/langs/fr/data/index.php
new file mode 100644
index 00000000..8444e9b2
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fr/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/fr/data/manufacturer.xml b/_install/fixtures/fashion/langs/fr/data/manufacturer.xml
new file mode 100644
index 00000000..2f09cb62
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fr/data/manufacturer.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/fr/data/order_message.xml b/_install/fixtures/fashion/langs/fr/data/order_message.xml
new file mode 100644
index 00000000..673acae3
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/fr/data/ordermessage.xml b/_install/fixtures/fashion/langs/fr/data/ordermessage.xml
new file mode 100644
index 00000000..90386d0d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fr/data/ordermessage.xml
@@ -0,0 +1,12 @@
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/fr/data/product.xml b/_install/fixtures/fashion/langs/fr/data/product.xml
new file mode 100644
index 00000000..a80ad098
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/fr/data/profile.xml b/_install/fixtures/fashion/langs/fr/data/profile.xml
new file mode 100644
index 00000000..1f0f97ca
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fr/data/profile.xml
@@ -0,0 +1,12 @@
+
+
+
+ Logisticien
+
+
+ Traducteur
+
+
+ Commercial
+
+
diff --git a/_install/fixtures/fashion/langs/fr/data/scene.xml b/_install/fixtures/fashion/langs/fr/data/scene.xml
new file mode 100644
index 00000000..708079e5
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fr/data/scene.xml
@@ -0,0 +1,8 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/fr/data/supplier.xml b/_install/fixtures/fashion/langs/fr/data/supplier.xml
new file mode 100644
index 00000000..0c375e8d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fr/data/supplier.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/fr/data/tag.xml b/_install/fixtures/fashion/langs/fr/data/tag.xml
new file mode 100644
index 00000000..d413861a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fr/data/tag.xml
@@ -0,0 +1,11 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/fr/index.php b/_install/fixtures/fashion/langs/fr/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/langs/fr/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/id/data/attribute.xml b/_install/fixtures/fashion/langs/id/data/attribute.xml
new file mode 100644
index 00000000..94b65807
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/id/data/attribute_group.xml b/_install/fixtures/fashion/langs/id/data/attribute_group.xml
new file mode 100644
index 00000000..17c82c65
--- /dev/null
+++ b/_install/fixtures/fashion/langs/id/data/attribute_group.xml
@@ -0,0 +1,15 @@
+
+
+
+ Size
+ Size
+
+
+ Shoes Size
+ Size
+
+
+ Color
+ Color
+
+
diff --git a/_install/fixtures/fashion/langs/id/data/attributegroup.xml b/_install/fixtures/fashion/langs/id/data/attributegroup.xml
new file mode 100644
index 00000000..09da13fd
--- /dev/null
+++ b/_install/fixtures/fashion/langs/id/data/attributegroup.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/id/data/carrier.xml b/_install/fixtures/fashion/langs/id/data/carrier.xml
new file mode 100644
index 00000000..c59766e7
--- /dev/null
+++ b/_install/fixtures/fashion/langs/id/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Delivery next day!
+
+
diff --git a/_install/fixtures/fashion/langs/id/data/category.xml b/_install/fixtures/fashion/langs/id/data/category.xml
new file mode 100644
index 00000000..19aee464
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/id/data/feature.xml b/_install/fixtures/fashion/langs/id/data/feature.xml
new file mode 100644
index 00000000..e09b882c
--- /dev/null
+++ b/_install/fixtures/fashion/langs/id/data/feature.xml
@@ -0,0 +1,24 @@
+
+
+
+ Height
+
+
+ Width
+
+
+ Depth
+
+
+ Weight
+
+
+ Compositions
+
+
+ Styles
+
+
+ Properties
+
+
diff --git a/_install/fixtures/fashion/langs/id/data/feature_value.xml b/_install/fixtures/fashion/langs/id/data/feature_value.xml
new file mode 100644
index 00000000..b918f11b
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/id/data/featurevalue.xml b/_install/fixtures/fashion/langs/id/data/featurevalue.xml
new file mode 100644
index 00000000..7f943c0a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/id/data/featurevalue.xml
@@ -0,0 +1,66 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/id/data/image.xml b/_install/fixtures/fashion/langs/id/data/image.xml
new file mode 100644
index 00000000..0fc64cbc
--- /dev/null
+++ b/_install/fixtures/fashion/langs/id/data/image.xml
@@ -0,0 +1,72 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/id/data/index.php b/_install/fixtures/fashion/langs/id/data/index.php
new file mode 100644
index 00000000..8444e9b2
--- /dev/null
+++ b/_install/fixtures/fashion/langs/id/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/id/data/manufacturer.xml b/_install/fixtures/fashion/langs/id/data/manufacturer.xml
new file mode 100644
index 00000000..2f09cb62
--- /dev/null
+++ b/_install/fixtures/fashion/langs/id/data/manufacturer.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/id/data/order_message.xml b/_install/fixtures/fashion/langs/id/data/order_message.xml
new file mode 100644
index 00000000..93ad3b50
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/id/data/ordermessage.xml b/_install/fixtures/fashion/langs/id/data/ordermessage.xml
new file mode 100644
index 00000000..e743f5d9
--- /dev/null
+++ b/_install/fixtures/fashion/langs/id/data/ordermessage.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/id/data/product.xml b/_install/fixtures/fashion/langs/id/data/product.xml
new file mode 100644
index 00000000..f6b6a1c8
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/id/data/profile.xml b/_install/fixtures/fashion/langs/id/data/profile.xml
new file mode 100644
index 00000000..04e65582
--- /dev/null
+++ b/_install/fixtures/fashion/langs/id/data/profile.xml
@@ -0,0 +1,12 @@
+
+
+
+ Logistician
+
+
+ Translator
+
+
+ Salesman
+
+
diff --git a/_install/fixtures/fashion/langs/id/data/scene.xml b/_install/fixtures/fashion/langs/id/data/scene.xml
new file mode 100644
index 00000000..708079e5
--- /dev/null
+++ b/_install/fixtures/fashion/langs/id/data/scene.xml
@@ -0,0 +1,8 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/id/data/supplier.xml b/_install/fixtures/fashion/langs/id/data/supplier.xml
new file mode 100644
index 00000000..0c375e8d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/id/data/supplier.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/id/data/tag.xml b/_install/fixtures/fashion/langs/id/data/tag.xml
new file mode 100644
index 00000000..d413861a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/id/data/tag.xml
@@ -0,0 +1,11 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/id/index.php b/_install/fixtures/fashion/langs/id/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/langs/id/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/index.php b/_install/fixtures/fashion/langs/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/fixtures/fashion/langs/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/it/data/attribute.xml b/_install/fixtures/fashion/langs/it/data/attribute.xml
new file mode 100644
index 00000000..222283a9
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/it/data/attribute_group.xml b/_install/fixtures/fashion/langs/it/data/attribute_group.xml
new file mode 100644
index 00000000..17c82c65
--- /dev/null
+++ b/_install/fixtures/fashion/langs/it/data/attribute_group.xml
@@ -0,0 +1,15 @@
+
+
+
+ Size
+ Size
+
+
+ Shoes Size
+ Size
+
+
+ Color
+ Color
+
+
diff --git a/_install/fixtures/fashion/langs/it/data/attributegroup.xml b/_install/fixtures/fashion/langs/it/data/attributegroup.xml
new file mode 100644
index 00000000..09da13fd
--- /dev/null
+++ b/_install/fixtures/fashion/langs/it/data/attributegroup.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/it/data/carrier.xml b/_install/fixtures/fashion/langs/it/data/carrier.xml
new file mode 100644
index 00000000..0cef824a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/it/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Consegna il giorno successivo!
+
+
diff --git a/_install/fixtures/fashion/langs/it/data/category.xml b/_install/fixtures/fashion/langs/it/data/category.xml
new file mode 100644
index 00000000..2f4cc0df
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/it/data/feature.xml b/_install/fixtures/fashion/langs/it/data/feature.xml
new file mode 100644
index 00000000..20e43fb5
--- /dev/null
+++ b/_install/fixtures/fashion/langs/it/data/feature.xml
@@ -0,0 +1,24 @@
+
+
+
+ Altezza
+
+
+ Larghezza
+
+
+ ProfonditĂ
+
+
+ Peso
+
+
+ Composizioni
+
+
+ Modelli
+
+
+ ProprietĂ
+
+
diff --git a/_install/fixtures/fashion/langs/it/data/feature_value.xml b/_install/fixtures/fashion/langs/it/data/feature_value.xml
new file mode 100644
index 00000000..ca6d38ad
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/it/data/featurevalue.xml b/_install/fixtures/fashion/langs/it/data/featurevalue.xml
new file mode 100644
index 00000000..7f943c0a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/it/data/featurevalue.xml
@@ -0,0 +1,66 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/it/data/image.xml b/_install/fixtures/fashion/langs/it/data/image.xml
new file mode 100644
index 00000000..0fc64cbc
--- /dev/null
+++ b/_install/fixtures/fashion/langs/it/data/image.xml
@@ -0,0 +1,72 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/it/data/index.php b/_install/fixtures/fashion/langs/it/data/index.php
new file mode 100644
index 00000000..8444e9b2
--- /dev/null
+++ b/_install/fixtures/fashion/langs/it/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/it/data/manufacturer.xml b/_install/fixtures/fashion/langs/it/data/manufacturer.xml
new file mode 100644
index 00000000..2f09cb62
--- /dev/null
+++ b/_install/fixtures/fashion/langs/it/data/manufacturer.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/it/data/order_message.xml b/_install/fixtures/fashion/langs/it/data/order_message.xml
new file mode 100644
index 00000000..59201aad
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/it/data/ordermessage.xml b/_install/fixtures/fashion/langs/it/data/ordermessage.xml
new file mode 100644
index 00000000..e743f5d9
--- /dev/null
+++ b/_install/fixtures/fashion/langs/it/data/ordermessage.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/it/data/product.xml b/_install/fixtures/fashion/langs/it/data/product.xml
new file mode 100644
index 00000000..f9146a11
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/it/data/profile.xml b/_install/fixtures/fashion/langs/it/data/profile.xml
new file mode 100644
index 00000000..abdf63ce
--- /dev/null
+++ b/_install/fixtures/fashion/langs/it/data/profile.xml
@@ -0,0 +1,12 @@
+
+
+
+ Responsabile logistica
+
+
+ Traduttore
+
+
+ Commesso
+
+
diff --git a/_install/fixtures/fashion/langs/it/data/scene.xml b/_install/fixtures/fashion/langs/it/data/scene.xml
new file mode 100644
index 00000000..708079e5
--- /dev/null
+++ b/_install/fixtures/fashion/langs/it/data/scene.xml
@@ -0,0 +1,8 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/it/data/supplier.xml b/_install/fixtures/fashion/langs/it/data/supplier.xml
new file mode 100644
index 00000000..0c375e8d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/it/data/supplier.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/it/data/tag.xml b/_install/fixtures/fashion/langs/it/data/tag.xml
new file mode 100644
index 00000000..d413861a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/it/data/tag.xml
@@ -0,0 +1,11 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/it/index.php b/_install/fixtures/fashion/langs/it/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/langs/it/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/nl/data/attribute.xml b/_install/fixtures/fashion/langs/nl/data/attribute.xml
new file mode 100644
index 00000000..1af3d612
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/nl/data/attribute_group.xml b/_install/fixtures/fashion/langs/nl/data/attribute_group.xml
new file mode 100644
index 00000000..17c82c65
--- /dev/null
+++ b/_install/fixtures/fashion/langs/nl/data/attribute_group.xml
@@ -0,0 +1,15 @@
+
+
+
+ Size
+ Size
+
+
+ Shoes Size
+ Size
+
+
+ Color
+ Color
+
+
diff --git a/_install/fixtures/fashion/langs/nl/data/attributegroup.xml b/_install/fixtures/fashion/langs/nl/data/attributegroup.xml
new file mode 100644
index 00000000..09da13fd
--- /dev/null
+++ b/_install/fixtures/fashion/langs/nl/data/attributegroup.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/nl/data/carrier.xml b/_install/fixtures/fashion/langs/nl/data/carrier.xml
new file mode 100644
index 00000000..072f76c7
--- /dev/null
+++ b/_install/fixtures/fashion/langs/nl/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ De volgende dag in huis!
+
+
diff --git a/_install/fixtures/fashion/langs/nl/data/category.xml b/_install/fixtures/fashion/langs/nl/data/category.xml
new file mode 100644
index 00000000..a31bc5f9
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/nl/data/feature.xml b/_install/fixtures/fashion/langs/nl/data/feature.xml
new file mode 100644
index 00000000..23ba29ea
--- /dev/null
+++ b/_install/fixtures/fashion/langs/nl/data/feature.xml
@@ -0,0 +1,24 @@
+
+
+
+ Hoogte
+
+
+ Breedte
+
+
+ Diepte
+
+
+ Gewicht
+
+
+ Samenstellingen
+
+
+ Stijlen
+
+
+ Eigenschappen
+
+
diff --git a/_install/fixtures/fashion/langs/nl/data/feature_value.xml b/_install/fixtures/fashion/langs/nl/data/feature_value.xml
new file mode 100644
index 00000000..89d6f127
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/nl/data/featurevalue.xml b/_install/fixtures/fashion/langs/nl/data/featurevalue.xml
new file mode 100644
index 00000000..7f943c0a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/nl/data/featurevalue.xml
@@ -0,0 +1,66 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/nl/data/image.xml b/_install/fixtures/fashion/langs/nl/data/image.xml
new file mode 100644
index 00000000..0fc64cbc
--- /dev/null
+++ b/_install/fixtures/fashion/langs/nl/data/image.xml
@@ -0,0 +1,72 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/nl/data/index.php b/_install/fixtures/fashion/langs/nl/data/index.php
new file mode 100644
index 00000000..8444e9b2
--- /dev/null
+++ b/_install/fixtures/fashion/langs/nl/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/nl/data/manufacturer.xml b/_install/fixtures/fashion/langs/nl/data/manufacturer.xml
new file mode 100644
index 00000000..2f09cb62
--- /dev/null
+++ b/_install/fixtures/fashion/langs/nl/data/manufacturer.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/nl/data/order_message.xml b/_install/fixtures/fashion/langs/nl/data/order_message.xml
new file mode 100644
index 00000000..02b0ed7e
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/nl/data/ordermessage.xml b/_install/fixtures/fashion/langs/nl/data/ordermessage.xml
new file mode 100644
index 00000000..e743f5d9
--- /dev/null
+++ b/_install/fixtures/fashion/langs/nl/data/ordermessage.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/nl/data/product.xml b/_install/fixtures/fashion/langs/nl/data/product.xml
new file mode 100644
index 00000000..e7c2d46d
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/nl/data/profile.xml b/_install/fixtures/fashion/langs/nl/data/profile.xml
new file mode 100644
index 00000000..92fa0ecb
--- /dev/null
+++ b/_install/fixtures/fashion/langs/nl/data/profile.xml
@@ -0,0 +1,12 @@
+
+
+
+ Logistiek medewerker
+
+
+ Vertaler
+
+
+ Verkoper
+
+
diff --git a/_install/fixtures/fashion/langs/nl/data/scene.xml b/_install/fixtures/fashion/langs/nl/data/scene.xml
new file mode 100644
index 00000000..708079e5
--- /dev/null
+++ b/_install/fixtures/fashion/langs/nl/data/scene.xml
@@ -0,0 +1,8 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/nl/data/supplier.xml b/_install/fixtures/fashion/langs/nl/data/supplier.xml
new file mode 100644
index 00000000..0c375e8d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/nl/data/supplier.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/nl/data/tag.xml b/_install/fixtures/fashion/langs/nl/data/tag.xml
new file mode 100644
index 00000000..d413861a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/nl/data/tag.xml
@@ -0,0 +1,11 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/nl/index.php b/_install/fixtures/fashion/langs/nl/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/langs/nl/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/pl/data/attribute.xml b/_install/fixtures/fashion/langs/pl/data/attribute.xml
new file mode 100644
index 00000000..94b65807
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/pl/data/attribute_group.xml b/_install/fixtures/fashion/langs/pl/data/attribute_group.xml
new file mode 100644
index 00000000..17c82c65
--- /dev/null
+++ b/_install/fixtures/fashion/langs/pl/data/attribute_group.xml
@@ -0,0 +1,15 @@
+
+
+
+ Size
+ Size
+
+
+ Shoes Size
+ Size
+
+
+ Color
+ Color
+
+
diff --git a/_install/fixtures/fashion/langs/pl/data/attributegroup.xml b/_install/fixtures/fashion/langs/pl/data/attributegroup.xml
new file mode 100644
index 00000000..09da13fd
--- /dev/null
+++ b/_install/fixtures/fashion/langs/pl/data/attributegroup.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/pl/data/carrier.xml b/_install/fixtures/fashion/langs/pl/data/carrier.xml
new file mode 100644
index 00000000..c59766e7
--- /dev/null
+++ b/_install/fixtures/fashion/langs/pl/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Delivery next day!
+
+
diff --git a/_install/fixtures/fashion/langs/pl/data/category.xml b/_install/fixtures/fashion/langs/pl/data/category.xml
new file mode 100644
index 00000000..19aee464
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/pl/data/feature.xml b/_install/fixtures/fashion/langs/pl/data/feature.xml
new file mode 100644
index 00000000..e09b882c
--- /dev/null
+++ b/_install/fixtures/fashion/langs/pl/data/feature.xml
@@ -0,0 +1,24 @@
+
+
+
+ Height
+
+
+ Width
+
+
+ Depth
+
+
+ Weight
+
+
+ Compositions
+
+
+ Styles
+
+
+ Properties
+
+
diff --git a/_install/fixtures/fashion/langs/pl/data/feature_value.xml b/_install/fixtures/fashion/langs/pl/data/feature_value.xml
new file mode 100644
index 00000000..b918f11b
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/pl/data/featurevalue.xml b/_install/fixtures/fashion/langs/pl/data/featurevalue.xml
new file mode 100644
index 00000000..7f943c0a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/pl/data/featurevalue.xml
@@ -0,0 +1,66 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/pl/data/image.xml b/_install/fixtures/fashion/langs/pl/data/image.xml
new file mode 100644
index 00000000..0fc64cbc
--- /dev/null
+++ b/_install/fixtures/fashion/langs/pl/data/image.xml
@@ -0,0 +1,72 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/pl/data/index.php b/_install/fixtures/fashion/langs/pl/data/index.php
new file mode 100644
index 00000000..8444e9b2
--- /dev/null
+++ b/_install/fixtures/fashion/langs/pl/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/pl/data/manufacturer.xml b/_install/fixtures/fashion/langs/pl/data/manufacturer.xml
new file mode 100644
index 00000000..2f09cb62
--- /dev/null
+++ b/_install/fixtures/fashion/langs/pl/data/manufacturer.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/pl/data/order_message.xml b/_install/fixtures/fashion/langs/pl/data/order_message.xml
new file mode 100644
index 00000000..93ad3b50
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/pl/data/ordermessage.xml b/_install/fixtures/fashion/langs/pl/data/ordermessage.xml
new file mode 100644
index 00000000..e743f5d9
--- /dev/null
+++ b/_install/fixtures/fashion/langs/pl/data/ordermessage.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/pl/data/product.xml b/_install/fixtures/fashion/langs/pl/data/product.xml
new file mode 100644
index 00000000..f6b6a1c8
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/pl/data/profile.xml b/_install/fixtures/fashion/langs/pl/data/profile.xml
new file mode 100644
index 00000000..04e65582
--- /dev/null
+++ b/_install/fixtures/fashion/langs/pl/data/profile.xml
@@ -0,0 +1,12 @@
+
+
+
+ Logistician
+
+
+ Translator
+
+
+ Salesman
+
+
diff --git a/_install/fixtures/fashion/langs/pl/data/scene.xml b/_install/fixtures/fashion/langs/pl/data/scene.xml
new file mode 100644
index 00000000..708079e5
--- /dev/null
+++ b/_install/fixtures/fashion/langs/pl/data/scene.xml
@@ -0,0 +1,8 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/pl/data/supplier.xml b/_install/fixtures/fashion/langs/pl/data/supplier.xml
new file mode 100644
index 00000000..0c375e8d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/pl/data/supplier.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/pl/data/tag.xml b/_install/fixtures/fashion/langs/pl/data/tag.xml
new file mode 100644
index 00000000..d413861a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/pl/data/tag.xml
@@ -0,0 +1,11 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/pl/index.php b/_install/fixtures/fashion/langs/pl/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/langs/pl/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/qc/data/attribute.xml b/_install/fixtures/fashion/langs/qc/data/attribute.xml
new file mode 100644
index 00000000..c30ff931
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/qc/data/attribute_group.xml b/_install/fixtures/fashion/langs/qc/data/attribute_group.xml
new file mode 100644
index 00000000..03aa3b8c
--- /dev/null
+++ b/_install/fixtures/fashion/langs/qc/data/attribute_group.xml
@@ -0,0 +1,15 @@
+
+
+
+ Taille
+ Taille
+
+
+ Pointure
+ Pointure
+
+
+ Couleur
+ Couleur
+
+
diff --git a/_install/fixtures/fashion/langs/qc/data/attributegroup.xml b/_install/fixtures/fashion/langs/qc/data/attributegroup.xml
new file mode 100644
index 00000000..09da13fd
--- /dev/null
+++ b/_install/fixtures/fashion/langs/qc/data/attributegroup.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/qc/data/carrier.xml b/_install/fixtures/fashion/langs/qc/data/carrier.xml
new file mode 100644
index 00000000..85501d51
--- /dev/null
+++ b/_install/fixtures/fashion/langs/qc/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Livraison le lendemain !
+
+
diff --git a/_install/fixtures/fashion/langs/qc/data/category.xml b/_install/fixtures/fashion/langs/qc/data/category.xml
new file mode 100644
index 00000000..988e6315
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/qc/data/feature.xml b/_install/fixtures/fashion/langs/qc/data/feature.xml
new file mode 100644
index 00000000..98248bb8
--- /dev/null
+++ b/_install/fixtures/fashion/langs/qc/data/feature.xml
@@ -0,0 +1,24 @@
+
+
+
+ Hauteur
+
+
+ Largeur
+
+
+ Profondeur
+
+
+ Poids
+
+
+ Compositions
+
+
+ Styles
+
+
+ Propriétés
+
+
diff --git a/_install/fixtures/fashion/langs/qc/data/feature_value.xml b/_install/fixtures/fashion/langs/qc/data/feature_value.xml
new file mode 100644
index 00000000..9075c3b5
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/qc/data/featurevalue.xml b/_install/fixtures/fashion/langs/qc/data/featurevalue.xml
new file mode 100644
index 00000000..7f943c0a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/qc/data/featurevalue.xml
@@ -0,0 +1,66 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/qc/data/image.xml b/_install/fixtures/fashion/langs/qc/data/image.xml
new file mode 100644
index 00000000..0fc64cbc
--- /dev/null
+++ b/_install/fixtures/fashion/langs/qc/data/image.xml
@@ -0,0 +1,72 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/qc/data/index.php b/_install/fixtures/fashion/langs/qc/data/index.php
new file mode 100644
index 00000000..8444e9b2
--- /dev/null
+++ b/_install/fixtures/fashion/langs/qc/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/qc/data/manufacturer.xml b/_install/fixtures/fashion/langs/qc/data/manufacturer.xml
new file mode 100644
index 00000000..2f09cb62
--- /dev/null
+++ b/_install/fixtures/fashion/langs/qc/data/manufacturer.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/qc/data/order_message.xml b/_install/fixtures/fashion/langs/qc/data/order_message.xml
new file mode 100644
index 00000000..673acae3
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/qc/data/ordermessage.xml b/_install/fixtures/fashion/langs/qc/data/ordermessage.xml
new file mode 100644
index 00000000..90386d0d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/qc/data/ordermessage.xml
@@ -0,0 +1,12 @@
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/qc/data/product.xml b/_install/fixtures/fashion/langs/qc/data/product.xml
new file mode 100644
index 00000000..a80ad098
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/qc/data/profile.xml b/_install/fixtures/fashion/langs/qc/data/profile.xml
new file mode 100644
index 00000000..1f0f97ca
--- /dev/null
+++ b/_install/fixtures/fashion/langs/qc/data/profile.xml
@@ -0,0 +1,12 @@
+
+
+
+ Logisticien
+
+
+ Traducteur
+
+
+ Commercial
+
+
diff --git a/_install/fixtures/fashion/langs/qc/data/scene.xml b/_install/fixtures/fashion/langs/qc/data/scene.xml
new file mode 100644
index 00000000..708079e5
--- /dev/null
+++ b/_install/fixtures/fashion/langs/qc/data/scene.xml
@@ -0,0 +1,8 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/qc/data/supplier.xml b/_install/fixtures/fashion/langs/qc/data/supplier.xml
new file mode 100644
index 00000000..0c375e8d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/qc/data/supplier.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/qc/data/tag.xml b/_install/fixtures/fashion/langs/qc/data/tag.xml
new file mode 100644
index 00000000..d413861a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/qc/data/tag.xml
@@ -0,0 +1,11 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/qc/index.php b/_install/fixtures/fashion/langs/qc/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/langs/qc/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/ro/data/attribute.xml b/_install/fixtures/fashion/langs/ro/data/attribute.xml
new file mode 100644
index 00000000..8bf3eec1
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/ro/data/attribute_group.xml b/_install/fixtures/fashion/langs/ro/data/attribute_group.xml
new file mode 100644
index 00000000..b8382805
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/ro/data/attributegroup.xml b/_install/fixtures/fashion/langs/ro/data/attributegroup.xml
new file mode 100644
index 00000000..ec3a514a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ro/data/attributegroup.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/ro/data/carrier.xml b/_install/fixtures/fashion/langs/ro/data/carrier.xml
new file mode 100644
index 00000000..965015f2
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ro/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Livrare Ăźn 24 de ore!
+
+
diff --git a/_install/fixtures/fashion/langs/ro/data/category.xml b/_install/fixtures/fashion/langs/ro/data/category.xml
new file mode 100644
index 00000000..a6a51586
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/ro/data/feature.xml b/_install/fixtures/fashion/langs/ro/data/feature.xml
new file mode 100644
index 00000000..ab248a92
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/ro/data/feature_value.xml b/_install/fixtures/fashion/langs/ro/data/feature_value.xml
new file mode 100644
index 00000000..dadd69c3
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/ro/data/featurevalue.xml b/_install/fixtures/fashion/langs/ro/data/featurevalue.xml
new file mode 100644
index 00000000..d74910ea
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ro/data/featurevalue.xml
@@ -0,0 +1,66 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/ro/data/image.xml b/_install/fixtures/fashion/langs/ro/data/image.xml
new file mode 100644
index 00000000..0fc64cbc
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ro/data/image.xml
@@ -0,0 +1,72 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/ro/data/index.php b/_install/fixtures/fashion/langs/ro/data/index.php
new file mode 100644
index 00000000..8444e9b2
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ro/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/ro/data/manufacturer.xml b/_install/fixtures/fashion/langs/ro/data/manufacturer.xml
new file mode 100644
index 00000000..2f09cb62
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ro/data/manufacturer.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/ro/data/order_message.xml b/_install/fixtures/fashion/langs/ro/data/order_message.xml
new file mode 100644
index 00000000..9ab1b011
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/ro/data/ordermessage.xml b/_install/fixtures/fashion/langs/ro/data/ordermessage.xml
new file mode 100644
index 00000000..fdb22ec2
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ro/data/ordermessage.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/ro/data/product.xml b/_install/fixtures/fashion/langs/ro/data/product.xml
new file mode 100644
index 00000000..ade812b5
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/ro/data/profile.xml b/_install/fixtures/fashion/langs/ro/data/profile.xml
new file mode 100644
index 00000000..fd1a8a92
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ro/data/profile.xml
@@ -0,0 +1,12 @@
+
+
+
+ Coordonator logistic
+
+
+ Translator
+
+
+ Agent comercial
+
+
diff --git a/_install/fixtures/fashion/langs/ro/data/scene.xml b/_install/fixtures/fashion/langs/ro/data/scene.xml
new file mode 100644
index 00000000..93096ef5
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ro/data/scene.xml
@@ -0,0 +1,8 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/ro/data/supplier.xml b/_install/fixtures/fashion/langs/ro/data/supplier.xml
new file mode 100644
index 00000000..0c375e8d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ro/data/supplier.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/ro/data/tag.xml b/_install/fixtures/fashion/langs/ro/data/tag.xml
new file mode 100644
index 00000000..d413861a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ro/data/tag.xml
@@ -0,0 +1,11 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/ro/index.php b/_install/fixtures/fashion/langs/ro/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ro/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/ru/data/attribute.xml b/_install/fixtures/fashion/langs/ru/data/attribute.xml
new file mode 100644
index 00000000..94b65807
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/ru/data/attribute_group.xml b/_install/fixtures/fashion/langs/ru/data/attribute_group.xml
new file mode 100644
index 00000000..17c82c65
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ru/data/attribute_group.xml
@@ -0,0 +1,15 @@
+
+
+
+ Size
+ Size
+
+
+ Shoes Size
+ Size
+
+
+ Color
+ Color
+
+
diff --git a/_install/fixtures/fashion/langs/ru/data/attributegroup.xml b/_install/fixtures/fashion/langs/ru/data/attributegroup.xml
new file mode 100644
index 00000000..09da13fd
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ru/data/attributegroup.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/ru/data/carrier.xml b/_install/fixtures/fashion/langs/ru/data/carrier.xml
new file mode 100644
index 00000000..c59766e7
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ru/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Delivery next day!
+
+
diff --git a/_install/fixtures/fashion/langs/ru/data/category.xml b/_install/fixtures/fashion/langs/ru/data/category.xml
new file mode 100644
index 00000000..19aee464
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/ru/data/feature.xml b/_install/fixtures/fashion/langs/ru/data/feature.xml
new file mode 100644
index 00000000..e09b882c
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ru/data/feature.xml
@@ -0,0 +1,24 @@
+
+
+
+ Height
+
+
+ Width
+
+
+ Depth
+
+
+ Weight
+
+
+ Compositions
+
+
+ Styles
+
+
+ Properties
+
+
diff --git a/_install/fixtures/fashion/langs/ru/data/feature_value.xml b/_install/fixtures/fashion/langs/ru/data/feature_value.xml
new file mode 100644
index 00000000..b918f11b
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/ru/data/featurevalue.xml b/_install/fixtures/fashion/langs/ru/data/featurevalue.xml
new file mode 100644
index 00000000..7f943c0a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ru/data/featurevalue.xml
@@ -0,0 +1,66 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/ru/data/image.xml b/_install/fixtures/fashion/langs/ru/data/image.xml
new file mode 100644
index 00000000..0fc64cbc
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ru/data/image.xml
@@ -0,0 +1,72 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/ru/data/index.php b/_install/fixtures/fashion/langs/ru/data/index.php
new file mode 100644
index 00000000..8444e9b2
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ru/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/ru/data/manufacturer.xml b/_install/fixtures/fashion/langs/ru/data/manufacturer.xml
new file mode 100644
index 00000000..2f09cb62
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ru/data/manufacturer.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/ru/data/order_message.xml b/_install/fixtures/fashion/langs/ru/data/order_message.xml
new file mode 100644
index 00000000..93ad3b50
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/ru/data/ordermessage.xml b/_install/fixtures/fashion/langs/ru/data/ordermessage.xml
new file mode 100644
index 00000000..e743f5d9
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ru/data/ordermessage.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/ru/data/product.xml b/_install/fixtures/fashion/langs/ru/data/product.xml
new file mode 100644
index 00000000..f6b6a1c8
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/ru/data/profile.xml b/_install/fixtures/fashion/langs/ru/data/profile.xml
new file mode 100644
index 00000000..04e65582
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ru/data/profile.xml
@@ -0,0 +1,12 @@
+
+
+
+ Logistician
+
+
+ Translator
+
+
+ Salesman
+
+
diff --git a/_install/fixtures/fashion/langs/ru/data/scene.xml b/_install/fixtures/fashion/langs/ru/data/scene.xml
new file mode 100644
index 00000000..708079e5
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ru/data/scene.xml
@@ -0,0 +1,8 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/ru/data/supplier.xml b/_install/fixtures/fashion/langs/ru/data/supplier.xml
new file mode 100644
index 00000000..0c375e8d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ru/data/supplier.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/ru/data/tag.xml b/_install/fixtures/fashion/langs/ru/data/tag.xml
new file mode 100644
index 00000000..d413861a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ru/data/tag.xml
@@ -0,0 +1,11 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/ru/index.php b/_install/fixtures/fashion/langs/ru/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/langs/ru/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/tw/data/attribute.xml b/_install/fixtures/fashion/langs/tw/data/attribute.xml
new file mode 100644
index 00000000..94b65807
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/tw/data/attribute_group.xml b/_install/fixtures/fashion/langs/tw/data/attribute_group.xml
new file mode 100644
index 00000000..17c82c65
--- /dev/null
+++ b/_install/fixtures/fashion/langs/tw/data/attribute_group.xml
@@ -0,0 +1,15 @@
+
+
+
+ Size
+ Size
+
+
+ Shoes Size
+ Size
+
+
+ Color
+ Color
+
+
diff --git a/_install/fixtures/fashion/langs/tw/data/attributegroup.xml b/_install/fixtures/fashion/langs/tw/data/attributegroup.xml
new file mode 100644
index 00000000..09da13fd
--- /dev/null
+++ b/_install/fixtures/fashion/langs/tw/data/attributegroup.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/tw/data/carrier.xml b/_install/fixtures/fashion/langs/tw/data/carrier.xml
new file mode 100644
index 00000000..c59766e7
--- /dev/null
+++ b/_install/fixtures/fashion/langs/tw/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Delivery next day!
+
+
diff --git a/_install/fixtures/fashion/langs/tw/data/category.xml b/_install/fixtures/fashion/langs/tw/data/category.xml
new file mode 100644
index 00000000..19aee464
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/tw/data/feature.xml b/_install/fixtures/fashion/langs/tw/data/feature.xml
new file mode 100644
index 00000000..e09b882c
--- /dev/null
+++ b/_install/fixtures/fashion/langs/tw/data/feature.xml
@@ -0,0 +1,24 @@
+
+
+
+ Height
+
+
+ Width
+
+
+ Depth
+
+
+ Weight
+
+
+ Compositions
+
+
+ Styles
+
+
+ Properties
+
+
diff --git a/_install/fixtures/fashion/langs/tw/data/feature_value.xml b/_install/fixtures/fashion/langs/tw/data/feature_value.xml
new file mode 100644
index 00000000..b918f11b
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/tw/data/featurevalue.xml b/_install/fixtures/fashion/langs/tw/data/featurevalue.xml
new file mode 100644
index 00000000..7f943c0a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/tw/data/featurevalue.xml
@@ -0,0 +1,66 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/tw/data/image.xml b/_install/fixtures/fashion/langs/tw/data/image.xml
new file mode 100644
index 00000000..0fc64cbc
--- /dev/null
+++ b/_install/fixtures/fashion/langs/tw/data/image.xml
@@ -0,0 +1,72 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/tw/data/index.php b/_install/fixtures/fashion/langs/tw/data/index.php
new file mode 100644
index 00000000..8444e9b2
--- /dev/null
+++ b/_install/fixtures/fashion/langs/tw/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/tw/data/manufacturer.xml b/_install/fixtures/fashion/langs/tw/data/manufacturer.xml
new file mode 100644
index 00000000..2f09cb62
--- /dev/null
+++ b/_install/fixtures/fashion/langs/tw/data/manufacturer.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/tw/data/order_message.xml b/_install/fixtures/fashion/langs/tw/data/order_message.xml
new file mode 100644
index 00000000..93ad3b50
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/tw/data/ordermessage.xml b/_install/fixtures/fashion/langs/tw/data/ordermessage.xml
new file mode 100644
index 00000000..e743f5d9
--- /dev/null
+++ b/_install/fixtures/fashion/langs/tw/data/ordermessage.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/tw/data/product.xml b/_install/fixtures/fashion/langs/tw/data/product.xml
new file mode 100644
index 00000000..f6b6a1c8
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/tw/data/profile.xml b/_install/fixtures/fashion/langs/tw/data/profile.xml
new file mode 100644
index 00000000..04e65582
--- /dev/null
+++ b/_install/fixtures/fashion/langs/tw/data/profile.xml
@@ -0,0 +1,12 @@
+
+
+
+ Logistician
+
+
+ Translator
+
+
+ Salesman
+
+
diff --git a/_install/fixtures/fashion/langs/tw/data/scene.xml b/_install/fixtures/fashion/langs/tw/data/scene.xml
new file mode 100644
index 00000000..708079e5
--- /dev/null
+++ b/_install/fixtures/fashion/langs/tw/data/scene.xml
@@ -0,0 +1,8 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/tw/data/supplier.xml b/_install/fixtures/fashion/langs/tw/data/supplier.xml
new file mode 100644
index 00000000..0c375e8d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/tw/data/supplier.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/tw/data/tag.xml b/_install/fixtures/fashion/langs/tw/data/tag.xml
new file mode 100644
index 00000000..d413861a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/tw/data/tag.xml
@@ -0,0 +1,11 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/tw/index.php b/_install/fixtures/fashion/langs/tw/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/langs/tw/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/zh/data/attribute.xml b/_install/fixtures/fashion/langs/zh/data/attribute.xml
new file mode 100644
index 00000000..94b65807
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/zh/data/attribute_group.xml b/_install/fixtures/fashion/langs/zh/data/attribute_group.xml
new file mode 100644
index 00000000..17c82c65
--- /dev/null
+++ b/_install/fixtures/fashion/langs/zh/data/attribute_group.xml
@@ -0,0 +1,15 @@
+
+
+
+ Size
+ Size
+
+
+ Shoes Size
+ Size
+
+
+ Color
+ Color
+
+
diff --git a/_install/fixtures/fashion/langs/zh/data/attributegroup.xml b/_install/fixtures/fashion/langs/zh/data/attributegroup.xml
new file mode 100644
index 00000000..09da13fd
--- /dev/null
+++ b/_install/fixtures/fashion/langs/zh/data/attributegroup.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/zh/data/carrier.xml b/_install/fixtures/fashion/langs/zh/data/carrier.xml
new file mode 100644
index 00000000..c59766e7
--- /dev/null
+++ b/_install/fixtures/fashion/langs/zh/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Delivery next day!
+
+
diff --git a/_install/fixtures/fashion/langs/zh/data/category.xml b/_install/fixtures/fashion/langs/zh/data/category.xml
new file mode 100644
index 00000000..19aee464
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/zh/data/feature.xml b/_install/fixtures/fashion/langs/zh/data/feature.xml
new file mode 100644
index 00000000..e09b882c
--- /dev/null
+++ b/_install/fixtures/fashion/langs/zh/data/feature.xml
@@ -0,0 +1,24 @@
+
+
+
+ Height
+
+
+ Width
+
+
+ Depth
+
+
+ Weight
+
+
+ Compositions
+
+
+ Styles
+
+
+ Properties
+
+
diff --git a/_install/fixtures/fashion/langs/zh/data/feature_value.xml b/_install/fixtures/fashion/langs/zh/data/feature_value.xml
new file mode 100644
index 00000000..b918f11b
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/zh/data/featurevalue.xml b/_install/fixtures/fashion/langs/zh/data/featurevalue.xml
new file mode 100644
index 00000000..7f943c0a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/zh/data/featurevalue.xml
@@ -0,0 +1,66 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/zh/data/image.xml b/_install/fixtures/fashion/langs/zh/data/image.xml
new file mode 100644
index 00000000..0fc64cbc
--- /dev/null
+++ b/_install/fixtures/fashion/langs/zh/data/image.xml
@@ -0,0 +1,72 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/zh/data/index.php b/_install/fixtures/fashion/langs/zh/data/index.php
new file mode 100644
index 00000000..8444e9b2
--- /dev/null
+++ b/_install/fixtures/fashion/langs/zh/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/fashion/langs/zh/data/manufacturer.xml b/_install/fixtures/fashion/langs/zh/data/manufacturer.xml
new file mode 100644
index 00000000..2f09cb62
--- /dev/null
+++ b/_install/fixtures/fashion/langs/zh/data/manufacturer.xml
@@ -0,0 +1,10 @@
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/zh/data/order_message.xml b/_install/fixtures/fashion/langs/zh/data/order_message.xml
new file mode 100644
index 00000000..93ad3b50
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/zh/data/ordermessage.xml b/_install/fixtures/fashion/langs/zh/data/ordermessage.xml
new file mode 100644
index 00000000..e743f5d9
--- /dev/null
+++ b/_install/fixtures/fashion/langs/zh/data/ordermessage.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/zh/data/product.xml b/_install/fixtures/fashion/langs/zh/data/product.xml
new file mode 100644
index 00000000..f6b6a1c8
--- /dev/null
+++ b/_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/_install/fixtures/fashion/langs/zh/data/profile.xml b/_install/fixtures/fashion/langs/zh/data/profile.xml
new file mode 100644
index 00000000..04e65582
--- /dev/null
+++ b/_install/fixtures/fashion/langs/zh/data/profile.xml
@@ -0,0 +1,12 @@
+
+
+
+ Logistician
+
+
+ Translator
+
+
+ Salesman
+
+
diff --git a/_install/fixtures/fashion/langs/zh/data/scene.xml b/_install/fixtures/fashion/langs/zh/data/scene.xml
new file mode 100644
index 00000000..708079e5
--- /dev/null
+++ b/_install/fixtures/fashion/langs/zh/data/scene.xml
@@ -0,0 +1,8 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/zh/data/supplier.xml b/_install/fixtures/fashion/langs/zh/data/supplier.xml
new file mode 100644
index 00000000..0c375e8d
--- /dev/null
+++ b/_install/fixtures/fashion/langs/zh/data/supplier.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/zh/data/tag.xml b/_install/fixtures/fashion/langs/zh/data/tag.xml
new file mode 100644
index 00000000..d413861a
--- /dev/null
+++ b/_install/fixtures/fashion/langs/zh/data/tag.xml
@@ -0,0 +1,11 @@
+
+
+
+
diff --git a/_install/fixtures/fashion/langs/zh/index.php b/_install/fixtures/fashion/langs/zh/index.php
new file mode 100644
index 00000000..a8a2c784
--- /dev/null
+++ b/_install/fixtures/fashion/langs/zh/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/fixtures/index.php b/_install/fixtures/index.php
new file mode 100644
index 00000000..c642967a
--- /dev/null
+++ b/_install/fixtures/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/index.php b/_install/index.php
new file mode 100644
index 00000000..c3e6bb7a
--- /dev/null
+++ b/_install/index.php
@@ -0,0 +1,34 @@
+
+* @copyright 2007-2015 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/_install/index_cli.php b/_install/index_cli.php
new file mode 100644
index 00000000..1aa542e2
--- /dev/null
+++ b/_install/index_cli.php
@@ -0,0 +1,41 @@
+
+* @copyright 2007-2015 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/_install/init.php b/_install/init.php
new file mode 100644
index 00000000..8275ce2a
--- /dev/null
+++ b/_install/init.php
@@ -0,0 +1,114 @@
+
+* @copyright 2007-2015 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/_install/install_version.php b/_install/install_version.php
new file mode 100644
index 00000000..b93981f9
--- /dev/null
+++ b/_install/install_version.php
@@ -0,0 +1,27 @@
+
+* @copyright 2007-2015 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.0');
diff --git a/_install/langs/bg/data/carrier.xml b/_install/langs/bg/data/carrier.xml
new file mode 100644
index 00000000..343fa6f5
--- /dev/null
+++ b/_install/langs/bg/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Pick up in-store
+
+
diff --git a/_install/langs/bg/data/category.xml b/_install/langs/bg/data/category.xml
new file mode 100644
index 00000000..87b90b95
--- /dev/null
+++ b/_install/langs/bg/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Root
+
+ root
+
+
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/bg/data/cms.xml b/_install/langs/bg/data/cms.xml
new file mode 100644
index 00000000..862d84ff
--- /dev/null
+++ b/_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ю</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ю</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/_install/langs/bg/data/cms_category.xml b/_install/langs/bg/data/cms_category.xml
new file mode 100644
index 00000000..ceb8cf49
--- /dev/null
+++ b/_install/langs/bg/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/bg/data/configuration.xml b/_install/langs/bg/data/configuration.xml
new file mode 100644
index 00000000..b4bf4ef6
--- /dev/null
+++ b/_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/_install/langs/bg/data/contact.xml b/_install/langs/bg/data/contact.xml
new file mode 100644
index 00000000..bdc0b24d
--- /dev/null
+++ b/_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/_install/langs/bg/data/country.xml b/_install/langs/bg/data/country.xml
new file mode 100644
index 00000000..d57ea1e3
--- /dev/null
+++ b/_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
+
+
+ Andorra
+
+
+ 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/_install/langs/bg/data/gender.xml b/_install/langs/bg/data/gender.xml
new file mode 100644
index 00000000..2b2a4aa5
--- /dev/null
+++ b/_install/langs/bg/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/bg/data/group.xml b/_install/langs/bg/data/group.xml
new file mode 100644
index 00000000..2d1b7093
--- /dev/null
+++ b/_install/langs/bg/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/bg/data/index.php b/_install/langs/bg/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/bg/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/bg/data/meta.xml b/_install/langs/bg/data/meta.xml
new file mode 100644
index 00000000..f5e49496
--- /dev/null
+++ b/_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
+
+
+
+ Shop powered by PrestaShop
+
+
+
+
+ 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/_install/langs/bg/data/order_return_state.xml b/_install/langs/bg/data/order_return_state.xml
new file mode 100644
index 00000000..37ad31de
--- /dev/null
+++ b/_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/_install/langs/bg/data/order_state.xml b/_install/langs/bg/data/order_state.xml
new file mode 100644
index 00000000..df07fb2e
--- /dev/null
+++ b/_install/langs/bg/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ Awaiting check payment
+ cheque
+
+
+ Payment accepted
+ payment
+
+
+ Processing in progress
+ preparation
+
+
+ Shipped
+ shipped
+
+
+ Delivered
+
+
+
+ Canceled
+ order_canceled
+
+
+ Refund
+ refund
+
+
+ Payment error
+ payment_error
+
+
+ On backorder (paid)
+ outofstock
+
+
+ On backorder (not paid)
+ outofstock
+
+
+ Awaiting bank wire payment
+ bankwire
+
+
+ Awaiting PayPal payment
+
+
+
+ Remote payment accepted
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/bg/data/profile.xml b/_install/langs/bg/data/profile.xml
new file mode 100644
index 00000000..7352a78c
--- /dev/null
+++ b/_install/langs/bg/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/bg/data/quick_access.xml b/_install/langs/bg/data/quick_access.xml
new file mode 100644
index 00000000..72e5a5b9
--- /dev/null
+++ b/_install/langs/bg/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/bg/data/risk.xml b/_install/langs/bg/data/risk.xml
new file mode 100644
index 00000000..bb8bf6dd
--- /dev/null
+++ b/_install/langs/bg/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/bg/data/stock_mvt_reason.xml b/_install/langs/bg/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..e04ec4eb
--- /dev/null
+++ b/_install/langs/bg/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Increase
+
+
+ Decrease
+
+
+ Customer Order
+
+
+ Regulation following an inventory of stock
+
+
+ Regulation following an inventory of stock
+
+
+ Transfer to another warehouse
+
+
+ Transfer from another warehouse
+
+
+ Supply Order
+
+
diff --git a/_install/langs/bg/data/supplier_order_state.xml b/_install/langs/bg/data/supplier_order_state.xml
new file mode 100644
index 00000000..dfc4ce42
--- /dev/null
+++ b/_install/langs/bg/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/bg/data/supply_order_state.xml b/_install/langs/bg/data/supply_order_state.xml
new file mode 100644
index 00000000..1e8903f0
--- /dev/null
+++ b/_install/langs/bg/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Creation in progress
+
+
+ 2 - Order validated
+
+
+ 3 - Pending receipt
+
+
+ 4 - Order received in part
+
+
+ 5 - Order received completely
+
+
+ 6 - Order canceled
+
+
diff --git a/_install/langs/bg/data/tab.xml b/_install/langs/bg/data/tab.xml
new file mode 100644
index 00000000..7d1000a2
--- /dev/null
+++ b/_install/langs/bg/data/tab.xml
@@ -0,0 +1,102 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/bg/flag.jpg b/_install/langs/bg/flag.jpg
new file mode 100644
index 00000000..5f6d06bc
Binary files /dev/null and b/_install/langs/bg/flag.jpg differ
diff --git a/_install/langs/bg/img/bg-default-category.jpg b/_install/langs/bg/img/bg-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/bg/img/bg-default-category.jpg differ
diff --git a/_install/langs/bg/img/bg-default-home.jpg b/_install/langs/bg/img/bg-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/bg/img/bg-default-home.jpg differ
diff --git a/_install/langs/bg/img/bg-default-large.jpg b/_install/langs/bg/img/bg-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/bg/img/bg-default-large.jpg differ
diff --git a/_install/langs/bg/img/bg-default-large_scene.jpg b/_install/langs/bg/img/bg-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/bg/img/bg-default-large_scene.jpg differ
diff --git a/_install/langs/bg/img/bg-default-medium.jpg b/_install/langs/bg/img/bg-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/bg/img/bg-default-medium.jpg differ
diff --git a/_install/langs/bg/img/bg-default-small.jpg b/_install/langs/bg/img/bg-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/bg/img/bg-default-small.jpg differ
diff --git a/_install/langs/bg/img/bg-default-thickbox.jpg b/_install/langs/bg/img/bg-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/bg/img/bg-default-thickbox.jpg differ
diff --git a/_install/langs/bg/img/bg-default-thumb_scene.jpg b/_install/langs/bg/img/bg-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/bg/img/bg-default-thumb_scene.jpg differ
diff --git a/_install/langs/bg/img/bg.jpg b/_install/langs/bg/img/bg.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/bg/img/bg.jpg differ
diff --git a/_install/langs/bg/img/index.php b/_install/langs/bg/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/bg/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/bg/index.php b/_install/langs/bg/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/bg/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/bg/install.php b/_install/langs/bg/install.php
new file mode 100644
index 00000000..620e8606
--- /dev/null
+++ b/_install/langs/bg/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'ĐŃĐ·ĐœĐžĐșĐœĐ° SQL ĐłŃĐ”ŃĐșĐ° Đ·Đ° ĐŸĐ±Đ”ĐșŃ %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'ĐĐ” ĐŒĐŸĐ¶Đ” ĐŽĐ° бŃĐŽĐ” ŃŃĐ·ĐŽĐ°ĐŽĐ”ĐœĐŸ ĐžĐ·ĐŸĐ±ŃĐ°Đ¶Đ”ĐœĐžĐ” "%1$s" Đ·Đ° ĐŸĐ±Đ”ĐșŃĐ° "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'ĐĐ” ĐŒĐŸĐ¶Đ” ĐŽĐ° бŃĐŽĐ” ŃŃĐ·ĐŽĐ°ĐŽĐ”ĐœĐŸ ĐžĐ·ĐŸĐ±ŃĐ°Đ¶Đ”ĐœĐžĐ” "%1$s" (ĐłŃĐ”ŃĐœĐž ĐżŃĐ°ĐČĐ° Đ·Đ° папĐșĐ° "%2$s")',
+ 'Cannot create image "%s"' => 'ĐĐ” ĐŒĐŸĐ¶Đ” ĐŽĐ° бŃĐŽĐ” ŃŃĐ·ĐŽĐ°ĐŽĐ”ĐœĐŸ ĐžĐ·ĐŸĐ±ŃĐ°Đ¶Đ”ĐœĐžĐ” "%s"',
+ 'SQL error on query %s ' => 'SQL ĐłŃĐ”ŃĐșĐ° Đ·Đ° Đ·Đ°ŃĐČĐșĐ° %s ',
+ '%s Login information' => '%s ĐĐœŃĐŸŃĐŒĐ°ŃĐžŃ Đ·Đ° ĐČŃ
ĐŸĐŽ',
+ 'Field required' => 'ĐĐŸĐ»Đ”ŃĐŸ Đ” Đ·Đ°ĐŽŃлжОŃĐ”Đ»ĐœĐŸ',
+ 'Invalid shop name' => 'ĐĐ”ĐČĐ°Đ»ĐžĐŽĐœĐŸ ĐžĐŒĐ” ĐœĐ° ĐŒĐ°ĐłĐ°Đ·ĐžĐœ',
+ 'The field %s is limited to %d characters' => 'ĐĐŸĐ»Đ”ŃĐŸ %s Đ” ĐŸĐłŃĐ°ĐœĐžŃĐ”ĐœĐŸ ĐŽĐŸ %d ŃĐžĐŒĐČĐŸĐ»Đ°',
+ 'Your firstname contains some invalid characters' => 'ĐĐ°ŃĐ”ŃĐŸ ĐžĐŒĐ” ŃŃĐŽŃŃжа ĐœĐ”ĐżĐŸĐ·ĐČĐŸĐ»Đ”ĐœĐž ŃĐžĐŒĐČĐŸĐ»Đž',
+ 'Your lastname contains some invalid characters' => 'ĐĐ°ŃĐ°ŃĐ° ŃĐ°ĐŒĐžĐ»ĐžŃ ŃŃĐŽŃŃжа ĐœĐ”ĐżĐŸĐ·ĐČĐŸĐ»Đ”ĐœĐž ŃĐžĐŒĐČĐŸĐ»Đž',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'ĐĐ”ĐČĐ°Đ»ĐžĐŽĐœĐ° паŃĐŸĐ»Đ° (ĐżĐŸŃДЎОŃĐ° ĐŸŃ Đ±ŃĐșĐČĐž Đž ŃĐžŃŃĐž, ĐŒĐžĐœĐžĐŒŃĐŒ 8 ŃĐžĐŒĐČĐŸĐ»Đ°)',
+ 'Password and its confirmation are different' => 'ĐĐ°ŃĐŸĐ»Đ°ŃĐ° Đ” ŃазлОŃĐœĐ° ĐŸŃ ĐżĐŸŃĐČŃŃĐ¶ĐŽĐ”ĐœĐžĐ”ŃĐŸ Ń',
+ 'This e-mail address is invalid' => 'ĐĐ”ĐČĐ°Đ»ĐžĐŽĐ”Đœ e-mail',
+ 'Image folder %s is not writable' => 'ĐĐ” ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” запОŃĐČĐ° ĐČ ĐżĐ°ĐżĐșĐ°ŃĐ° Đ·Đ° ĐžĐ·ĐŸĐ±ŃĐ°Đ¶Đ”ĐœĐžŃ %s',
+ 'An error occurred during logo copy.' => 'ĐŃĐ·ĐœĐžĐșĐœĐ° ĐłŃĐ”ŃĐșĐ° ĐżŃĐž ĐșĐŸĐżĐžŃĐ°ĐœĐ”ŃĐŸ ĐœĐ° Đ»ĐŸĐłĐŸŃĐŸ.',
+ 'An error occurred during logo upload.' => 'ĐŃĐ·ĐœĐžĐșĐœĐ° ĐłŃĐ”ŃĐșĐ° ĐżŃĐž ĐșĐ°ŃĐČĐ°ĐœĐ”ŃĐŸ ĐœĐ° Đ»ĐŸĐłĐŸŃĐŸ.',
+ 'Lingerie and Adult' => 'ĐĐ°ĐŒŃĐșĐŸ бДлŃĐŸ Đž Đ·Đ° ĐżŃĐ»ĐœĐŸĐ»Đ”ŃĐœĐž',
+ 'Animals and Pets' => 'ĐĐžĐČĐŸŃĐœĐž Đž ĐŽĐŸĐŒĐ°ŃĐœĐž Đ»ŃĐ±ĐžĐŒŃĐž',
+ 'Art and Culture' => 'ĐĐ·ĐșŃŃŃĐČĐŸ Đž ĐșŃĐ»ŃŃŃĐ°',
+ 'Babies' => 'ĐДбДŃĐ°',
+ 'Beauty and Personal Care' => 'ĐŃĐŸĐŽŃĐșŃĐž Đ·Đ° ŃĐ°Đ·ĐșŃĐ°ŃŃĐČĐ°ĐœĐ”',
+ 'Cars' => 'ĐĐŸĐ»Đž',
+ 'Computer Hardware and Software' => 'ĐĐŸĐŒĐżŃŃŃĐž Đž Ń
Đ°ŃĐŽŃĐ”Ń',
+ 'Download' => 'ĐĐ° ŃĐČĐ°Đ»ŃĐœĐ”',
+ 'Fashion and accessories' => 'ĐĐŸĐŽĐ° Đž Đ°ĐșŃĐ”ŃĐŸĐ°ŃĐž',
+ 'Flowers, Gifts and Crafts' => 'ĐŠĐČĐ”ŃŃ, ĐżĐŸĐŽĐ°ŃŃŃĐž Đž ĐșĐ°ŃŃĐžŃĐșĐž',
+ 'Food and beverage' => 'Đ„ŃĐ°ĐœĐž Đž ĐœĐ°ĐżĐžŃĐșĐž',
+ 'HiFi, Photo and Video' => 'HiFi, ŃĐŸŃĐŸ Đž ĐČĐžĐŽĐ”ĐŸ',
+ 'Home and Garden' => 'ĐĐŸĐŒ Đž ĐłŃĐ°ĐŽĐžĐœĐ°',
+ 'Home Appliances' => 'ĐĐŸĐŒĐ°ĐșĐžĐœŃĐșĐž ŃŃДЎО',
+ 'Jewelry' => 'ĐОжŃŃĐ°',
+ 'Mobile and Telecom' => 'ĐĐŸĐ±ĐžĐ»ĐœĐž ŃŃŃŃĐŸĐčŃŃĐČĐ°',
+ 'Services' => 'ĐŁŃĐ»ŃгО',
+ 'Shoes and accessories' => 'ĐбŃĐČĐșĐž Đž Đ°ĐșŃĐ”ŃĐŸĐ°ŃĐž',
+ 'Sports and Entertainment' => 'ĐĄĐżĐŸŃŃ Đž забаĐČĐ»Đ”ĐœĐžŃ',
+ 'Travel' => 'ĐŃŃŃĐČĐ°ĐœĐžŃ',
+ 'Database is connected' => 'ĐĐŒĐ° ĐČŃŃĐ·ĐșĐ° Ń Đ±Đ°Đ·Đ°ŃĐ° ĐŽĐ°ĐœĐœĐž',
+ 'Database is created' => 'ĐĐ°Đ·Đ°ŃĐ° ĐŽĐ°ĐœĐœĐž Đ” ŃŃĐ·ĐŽĐ°ĐŽĐ”ĐœĐ°',
+ 'Cannot create the database automatically' => 'ĐĐ°Đ·Đ°ŃĐ° ĐŽĐ°ĐœĐœĐž ĐœĐ” ĐŒĐŸĐ¶Đ” ĐŽĐ° бŃĐŽĐ” ŃŃĐ·ĐŽĐ°ĐŽĐ”ĐœĐ° Đ°ĐČŃĐŸĐŒĐ°ŃĐžŃĐœĐŸ',
+ 'Create settings.inc file' => 'ĐĄŃĐ·ĐŽĐ°ĐČĐ°ĐœĐ” ĐœĐ° ŃĐ°Đčла settings.inc',
+ 'Create database tables' => 'ĐĄŃĐ·ĐŽĐ°ĐČĐ°ĐœĐ” ĐœĐ° ŃаблОŃĐžŃĐ” ĐČ Đ±Đ°Đ·Đ°ŃĐ° ĐŸŃ ĐŽĐ°ĐœĐœĐž',
+ 'Create default shop and languages' => 'ĐĄŃĐ·ĐŽĐ°ĐČĐ°ĐœĐ” ĐœĐ° ĐŸŃĐœĐŸĐČĐœĐžŃ ĐŒĐ°ĐłĐ°Đ·ĐžĐœ Đž ДзОŃĐžŃĐ”',
+ 'Populate database tables' => 'ĐĐ°ĐżŃĐ»ĐČĐ°ĐœĐ” ĐœĐ° ŃаблОŃĐžŃĐ” ĐČ Đ±Đ°Đ·Đ°ŃĐ° ĐŽĐ°ĐœĐœĐž',
+ 'Configure shop information' => 'ĐĐ°ŃŃŃĐŸĐčĐșĐ° ĐœĐ° ĐžĐœŃĐŸŃĐŒĐ°ŃĐžŃŃĐ° Đ·Đ° ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°',
+ 'Install demonstration data' => 'ĐĐœŃŃалОŃĐ°ĐœĐ” ĐœĐ° ĐŽĐ”ĐŒĐŸĐœŃŃŃĐ°ŃĐžĐŸĐœĐœĐž ĐŽĐ°ĐœĐœĐž',
+ 'Install modules' => 'ĐĐœŃŃалОŃĐ°ĐœĐ” ĐœĐ° ĐŒĐŸĐŽŃлО',
+ 'Install Addons modules' => 'ĐĐœŃŃалОŃĐ°ĐœĐ” ĐœĐ° ŃĐ°Đ·ŃĐžŃĐžŃĐ”Đ»ĐœĐž ĐŒĐŸĐŽŃлО',
+ 'Install theme' => 'ĐĐœŃŃалОŃĐ°ĐœĐ” ĐœĐ° ŃĐ”ĐŒĐ°',
+ 'Required PHP parameters' => 'ĐĐ”ĐŸĐ±Ń
ĐŸĐŽĐžĐŒĐž паŃĐ°ĐŒĐ”ŃŃĐž ĐœĐ° PHP',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 ОлО ĐżĐŸ-ĐșŃŃĐœĐ° ĐČĐ”ŃŃĐžŃ ĐœĐ” Đ” ĐœĐ°Đ»ĐžŃĐœĐŸ',
+ 'Cannot upload files' => 'ĐĐ” ĐŒĐŸĐłĐ°Ń ĐŽĐ° бŃĐŽĐ°Ń ĐșĐ°ŃĐ”ĐœĐž ŃĐ°ĐčĐ»ĐŸĐČĐ”',
+ 'Cannot create new files and folders' => 'ĐĐ” ĐŒĐŸĐłĐ°Ń ĐŽĐ° бŃĐŽĐ°Ń ŃŃĐ·ĐŽĐ°ĐŽĐ”ĐœĐž ŃĐ°ĐčĐ»ĐŸĐČĐ” Đž папĐșĐž',
+ 'GD library is not installed' => 'ĐĐžĐ±Đ»ĐžĐŸŃĐ”ĐșĐ°ŃĐ° GD ĐœĐ” Đ” ĐžĐœŃŃалОŃĐ°ĐœĐ°',
+ 'MySQL support is not activated' => 'ĐĐŸĐŽĐŽŃŃжĐșĐ°ŃĐ° ĐœĐ° MySQL ĐœĐ” Đ” Đ°ĐșŃĐžĐČĐžŃĐ°ĐœĐ°',
+ 'Files' => 'ЀаĐčĐ»ĐŸĐČĐ”',
+ 'Not all files were successfully uploaded on your server' => 'ĐĐ” ĐČŃĐžŃĐșĐž ŃĐ°ĐčĐ»ĐŸĐČĐ” ŃĐ° ŃŃпДŃĐœĐŸ ĐșĐ°ŃĐ”ĐœĐž ĐœĐ° ĐČĐ°ŃĐžŃŃ ŃŃŃĐČŃŃ',
+ 'Permissions on files and folders' => 'ĐŃĐ°ĐČĐ° ĐœĐ° ŃĐ°ĐčĐ»ĐŸĐČĐ” Đž папĐșĐž',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Đ Đ”ĐșŃŃŃĐžĐČĐœĐž ĐżŃĐ°ĐČĐ° Đ·Đ° пОŃĐ°ĐœĐ” Đ·Đ° ĐżĐŸŃŃДбОŃДл %1$s ĐœĐ° %2$s',
+ 'Recommended PHP parameters' => 'ĐŃĐ”ĐżĐŸŃŃŃĐČĐ°ĐœĐž PHP паŃĐ°ĐŒĐ”ŃŃĐž',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => 'ĐОД ĐžĐŒĐ°ŃĐ” ĐžĐœŃŃалОŃĐ°Đœ PHP ĐČĐ”ŃŃĐžŃ %s. ĐĄĐșĐŸŃĐŸ ĐŒĐžĐœĐžĐŒĐ°Đ»ĐœĐ°ŃĐ° ĐżĐŸĐŽĐŽŃŃĐ¶Đ°ĐœĐ° ĐČĐ”ŃŃĐžŃ ĐŸŃ PrestaShop ŃĐ” бŃĐŽĐ” PHP 5.4. ĐĐ° ĐœĐŸŃĐŒĐ°Đ»ĐœĐ°ŃĐ° ŃĐ°Đ±ĐŸŃĐ° ĐČ Đ±ŃĐŽĐ”ŃĐ”, ĐżŃĐ”ĐżĐŸŃŃŃĐČĐ°ĐŒĐ” ĐŽĐ° ĐŸĐ±ĐœĐŸĐČĐžŃĐ” ĐČĐ”ŃŃĐžŃŃĐ° ŃĐž ĐŽĐŸ PHP 5.4 ŃДга!',
+ 'Cannot open external URLs' => 'ĐĐ”ĐČŃĐ·ĐŒĐŸĐ¶ĐœĐž Đ·Đ° ĐŸŃĐČĐ°ŃŃĐœĐ” ĐČŃĐœŃĐœĐž Đ°ĐŽŃĐ”ŃĐž (URL)',
+ 'PHP register_globals option is enabled' => 'ĐĐżŃĐžŃŃĐ° PHP register_globals Đ” ŃĐ°Đ·ŃĐ”ŃĐ”ĐœĐ°',
+ 'GZIP compression is not activated' => 'GZIP ĐșĐŸĐŒĐżŃĐ”ŃĐžŃŃĐ° ĐœĐ” Đ” Đ°ĐșŃĐžĐČĐžŃĐ°ĐœĐ°',
+ 'Mcrypt extension is not enabled' => 'Đ Đ°Đ·ŃĐžŃĐ”ĐœĐžĐ”ŃĐŸ Mcrypt ĐœĐ” Đ” ŃĐ°Đ·ŃĐ”ŃĐ”ĐœĐŸ',
+ 'Mbstring extension is not enabled' => 'Đ Đ°Đ·ŃĐžŃĐ”ĐœĐžĐ”ŃĐŸ Mbstring ĐœĐ” Đ” ŃĐ°Đ·ŃĐ”ŃĐ”ĐœĐŸ',
+ 'PHP magic quotes option is enabled' => 'Đ Đ°Đ·ŃĐ”ŃĐ”ĐœĐŸ Đ” PHP magic quotes',
+ 'Dom extension is not loaded' => 'Dom ŃĐ°Đ·ŃĐžŃĐ”ĐœĐžĐ”ŃĐŸ ĐœĐ” Đ” Đ·Đ°ŃĐ”ĐŽĐ”ĐœĐŸ',
+ 'PDO MySQL extension is not loaded' => 'PDO MySQL ŃĐ°Đ·ŃĐžŃĐ”ĐœĐžĐ”ŃĐŸ ĐœĐ” Đ” Đ·Đ°ŃĐ”ĐŽĐ”ĐœĐŸ',
+ 'Server name is not valid' => 'ĐĐ”ĐČĐ°Đ»ĐžĐŽĐœĐŸ ĐžĐŒĐ” ĐœĐ° ŃŃŃĐČŃŃĐ°',
+ 'You must enter a database name' => 'ĐąŃŃбĐČĐ° ĐŽĐ° ĐČŃĐČДЎДŃĐ” ĐžĐŒĐ” ĐœĐ° базаŃĐ° ĐŽĐ°ĐœĐœĐž',
+ 'You must enter a database login' => 'ĐąŃŃбĐČĐ° ĐŽĐ° ĐČŃĐČДЎДŃĐ” ĐŽĐ°ĐœĐœĐž Đ·Đ° ĐČŃ
ĐŸĐŽ ĐČ Đ±Đ°Đ·Đ°ŃĐ° ĐŽĐ°ĐœĐœĐž',
+ 'Tables prefix is invalid' => 'ĐĐ”ĐČĐ°Đ»ĐžĐŽĐ”Đœ ĐżŃĐ”ŃĐžĐșŃ Đ·Đ° ŃаблОŃĐžŃĐ”',
+ 'Cannot convert database data to utf-8' => 'ĐĐ” ĐŒĐŸĐłĐ°Ń ĐŽĐ° ŃĐ” ĐșĐŸĐœĐČĐ”ŃŃĐžŃĐ°Ń ĐŽĐ°ĐœĐœĐžŃĐ” ĐŸŃ Đ±Đ°Đ·Đ°ŃĐ° ĐŽĐ°ĐœĐœĐž ĐșŃĐŒ utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'ĐĐŸĐœĐ” Đ”ĐŽĐœĐ° ŃаблОŃĐ° ŃŃŃ ŃŃŃĐžŃ ĐżŃĐ”ŃĐžĐșŃ ĐČĐ”ŃĐ” бДŃĐ” ŃŃĐ·ĐŽĐ°ĐŽĐ”ĐœĐ°, ĐŒĐŸĐ»Ń ĐżŃĐŸĐŒĐ”ĐœĐ”ŃĐ” ĐČĐ°ŃĐžŃŃ ĐżŃĐ”ŃĐžĐșŃ ĐžĐ»Đž ОзŃŃĐžĐčŃĐ” ĐČĐ°ŃĐ°ŃĐ° база ĐŽĐ°ĐœĐœĐž',
+ 'The values of auto_increment increment and offset must be set to 1' => 'ĐĄŃĐŸĐčĐœĐŸŃŃŃĐ° Đ·Đ° ŃĐČДлОŃĐ°ĐČĐ°ĐœĐ” Đž ĐœĐ°ĐŒĐ°Đ»ŃĐČĐ°ĐœĐ” ĐœĐ° auto_increment ŃŃŃбĐČĐ° ĐŽĐ° бŃĐŽĐ” 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'ĐĄŃŃĐČŃŃĐ° ĐœĐ° базаŃĐ° ĐŽĐ°ĐœĐœĐž ĐœĐ” ĐŒĐŸĐ¶Đ” ĐŽĐ° бŃĐŽĐ” ĐœĐ°ĐŒĐ”ŃĐ”Đœ. ĐĐŸĐ»Ń ĐżŃĐŸĐČĐ”ŃĐ”ŃĐ” ĐżĐŸĐ»Đ”ŃĐ°ŃĐ° ĐČŃ
ĐŸĐŽ, паŃĐŸĐ»Đ° Đž ŃŃŃĐČŃŃ',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'ĐĄĐČŃŃĐ·ĐČĐ°ĐœĐ”ŃĐŸ ĐșŃĐŒ MySQL ŃŃŃĐČŃŃĐ° Đ” ŃŃпДŃĐœĐŸ, ĐœĐŸ базаŃĐ° ĐŽĐ°ĐœĐœĐž "%s" ĐœĐ” Đ” ĐœĐ°ĐŒĐ”ŃĐ”ĐœĐ°',
+ 'Attempt to create the database automatically' => 'ĐĐżĐžŃ Đ·Đ° Đ°ĐČŃĐŸĐŒĐ°ŃĐžŃĐœĐŸ ŃŃĐ·ĐŽĐ°ĐČĐ°ĐœĐ” ĐœĐ° базаŃĐ° ĐŽĐ°ĐœĐœĐž',
+ '%s file is not writable (check permissions)' => 'ЀаĐčĐ»ŃŃ %s ĐœĐ” Đ” ĐŽĐŸŃŃŃĐżĐ”Đœ Đ·Đ° Đ·Đ°ĐżĐžŃ (ĐżŃĐŸĐČĐ”ŃĐ”ŃĐ” ĐżŃĐ°ĐČĐ°ŃĐ°)',
+ '%s folder is not writable (check permissions)' => 'ĐĐ°ĐżĐșĐ°ŃĐ° %s ĐœĐ” Đ” ĐŽĐŸŃŃŃĐżĐœĐ° Đ·Đ° Đ·Đ°ĐżĐžŃ (ĐżŃĐŸĐČĐ”ŃĐ”ŃĐ” ĐżŃĐ°ĐČĐ°ŃĐ°)',
+ 'Cannot write settings file' => 'ЀаĐčĐ»ŃŃ Ń ĐœĐ°ŃŃŃĐŸĐčĐșĐžŃĐ” ĐœĐ” ĐŒĐŸĐ¶Đ” ĐŽĐ° бŃĐŽĐ” запОŃĐ°Đœ',
+ 'Database structure file not found' => 'ĐĐ” Đ” ĐŸŃĐșŃĐžŃĐ° ŃŃŃŃĐșŃŃŃĐ° ĐœĐ° базаŃĐ° ĐŽĐ°ĐœĐœĐž',
+ 'Cannot create group shop' => 'ĐĐ” ĐŒĐŸĐ¶Đ” ĐŽĐ° бŃĐŽĐ” ŃŃĐ·ĐŽĐ°ĐŽĐ”ĐœĐ° ĐłŃŃпа ĐŒĐ°ĐłĐ°Đ·ĐžĐœ',
+ 'Cannot create shop' => 'ĐĐ” ĐŒĐŸĐ¶Đ” ĐŽĐ° бŃĐŽĐ” ŃŃĐ·ĐŽĐ°ĐŽĐ”Đœ ĐŒĐ°ĐłĐ°Đ·ĐžĐœ',
+ 'Cannot create shop URL' => 'ĐĐ” ĐŒĐŸĐ¶Đ” ĐŽĐ° бŃĐŽĐ” ŃŃĐ·ĐŽĐ°ĐŽĐ”Đœ Đ°ĐŽŃĐ”Ń ĐœĐ° ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ° (URL)',
+ 'File "language.xml" not found for language iso "%s"' => 'ЀаĐčĐ»ŃŃ "language.xml" ĐœĐ” Đ” ĐœĐ°ĐŒĐ”ŃĐ”Đœ ĐČ iso ĐœĐ° ДзОĐșĐ° "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'ЀаĐčĐ»ŃŃ "language.xml" ĐœĐ” Đ” ĐČĐ°Đ»ĐžĐŽĐ”Đœ Đ·Đ° iso ĐœĐ° ДзОĐșĐ° "%s"',
+ 'Cannot install language "%s"' => 'ĐĐ” ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” ĐžĐœŃŃалОŃĐ° "%s" ДзОĐș',
+ 'Cannot copy flag language "%s"' => 'ĐĐ” ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” ĐșĐŸĐżĐžŃĐ° Ńлага Đ·Đ° "%s" ДзОĐș',
+ 'Cannot create admin account' => 'ĐĐ” ĐŒĐŸĐ¶Đ” ĐŽĐ° бŃĐŽĐ” ŃŃĐ·ĐŽĐ°ĐŽĐ”Đœ Đ°ĐŽĐŒĐžĐœĐžŃŃŃĐ°ŃĐŸŃŃĐșĐž ĐżŃĐŸŃОл',
+ 'Cannot install module "%s"' => 'ĐĐŸĐŽŃĐ»ŃŃ "%s" ĐœĐ” ĐŒĐŸĐ¶Đ” ĐŽĐ° бŃĐŽĐ” ĐžĐœŃŃалОŃĐ°Đœ',
+ 'Fixtures class "%s" not found' => 'ĐĐ°ĐșŃДпĐČĐ°ŃĐžŃŃ ĐșĐ»Đ°Ń "%s" ĐœĐ” Đ” ĐŸŃĐșŃĐžŃ',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" ŃŃŃбĐČĐ° ĐŽĐ° бŃĐŽĐ” ĐžĐœŃŃĐ°ĐœŃĐžŃ ĐœĐ° "InstallXmlLoader"',
+ 'Information about your Store' => 'ĐĐœŃĐŸŃĐŒĐ°ŃĐžŃ Đ·Đ° ĐČĐ°ŃĐžŃ ĐŒĐ°ĐłĐ°Đ·ĐžĐœ',
+ 'Shop name' => 'ĐĐŒĐ” ĐœĐ° ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°',
+ 'Main activity' => 'ĐŃĐœĐŸĐČĐœĐ° ĐŽĐ”ĐčĐœĐŸŃŃ',
+ 'Please choose your main activity' => 'ĐĐŸĐ»Ń, ОзбДŃĐ”ŃĐ” ĐČĐ°ŃĐ°ŃĐ° ĐŸŃĐœĐŸĐČĐœĐ° ĐŽĐ”ĐčĐœĐŸŃŃ',
+ 'Other activity...' => 'ĐŃŃгО ĐŽĐ”ĐčĐœĐŸŃŃĐž...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'ĐĐŸĐŒĐŸĐłĐœĐ”ŃĐ” ĐœĐž ĐŽĐ° ĐœĐ°ŃŃĐžĐŒ ĐżĐŸĐČĐ”ŃĐ” Đ·Đ° ĐĐ°ŃĐžŃŃ ĐŒĐ°ĐłĐ°Đ·ĐžĐœ, Đ·Đ° ĐŽĐ° ĐĐž ĐżŃĐ”ĐŽĐ»ĐŸĐ¶ĐžĐŒ ĐŸĐżŃĐžĐŒĐ°Đ»ĐœĐŸ ŃĐżŃŃĐČĐ°ĐœĐ” Đ·Đ° ĐœĐ°Đč-ĐŽĐŸĐ±ŃĐžŃĐ” ĐŸĐżŃОО Đ·Đ° ĐĐ°ŃĐžŃŃ Đ±ĐžĐ·ĐœĐ”Ń!',
+ 'Install demo products' => 'ĐĐœŃŃалОŃĐ°ĐœĐ” ĐœĐ° ĐŽĐ”ĐŒĐŸĐœŃŃŃĐ°ŃĐžĐŸĐœĐœĐž ĐżŃĐŸĐŽŃĐșŃĐž',
+ 'Yes' => 'ĐĐ°',
+ 'No' => 'ĐĐ”',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'ĐĐ”ĐŒĐŸĐœŃŃŃĐ°ŃĐžĐŸĐœĐœĐžŃĐ” ĐżŃĐŸĐŽŃĐșŃĐž ŃĐ° ĐŽĐŸĐ±ŃŃ ĐœĐ°ŃĐžĐœ ĐŽĐ° ĐœĐ°ŃŃĐžŃĐ” ĐșĐ°Đș ĐŽĐ° ĐżĐŸĐ»Đ·ĐČĐ°ŃĐ” PrestaShop. ĐąŃŃбĐČĐ° ĐŽĐ° гО ĐžĐœŃŃалОŃĐ°ŃĐ” Đ°ĐșĐŸ ĐœĐ” ŃŃĐ” Đ·Đ°ĐżĐŸĐ·ĐœĐ°ŃĐž Ń ĐœĐ”ĐłĐŸ.',
+ 'Country' => 'ĐŃŃжаĐČĐ°',
+ 'Select your country' => 'ĐзбДŃĐ”ŃĐ” ĐČĐ°ŃĐ°ŃĐ° ĐŽŃŃжаĐČĐ°',
+ 'Shop timezone' => 'ЧаŃĐŸĐČĐ° Đ·ĐŸĐœĐ° ĐœĐ° ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°',
+ 'Select your timezone' => 'ĐзбДŃĐ”ŃĐ” ĐČĐ°ŃĐ°ŃĐ° ŃĐ°ŃĐŸĐČĐ° Đ·ĐŸĐœĐ°',
+ 'Shop logo' => 'ĐĐŸĐłĐŸ ĐœĐ° ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°',
+ 'Optional - You can add you logo at a later time.' => 'ĐĐŸ Đ¶Đ”Đ»Đ°ĐœĐžĐ” - ĐŒĐŸĐ¶Đ”ŃĐ” ĐŽĐ° ĐŽĐŸĐ±Đ°ĐČĐžŃĐ” ĐĐ°ŃĐ” Đ»ĐŸĐłĐŸ ĐżĐŸ ĐČŃŃĐșĐŸ ĐČŃĐ”ĐŒĐ”.',
+ 'Your Account' => 'ĐĐ°ŃĐžŃŃ ĐżŃĐŸŃОл',
+ 'First name' => 'ĐĐŒĐ”',
+ 'Last name' => 'Đ€Đ°ĐŒĐžĐ»ĐžŃ',
+ 'E-mail address' => 'ĐĐŒĐ”ĐčĐ» Đ°ĐŽŃĐ”Ń',
+ 'This email address will be your username to access your store\'s back office.' => 'ĐąĐŸĐ·Đž ĐžĐŒĐ”ĐčĐ» ŃĐ” бŃĐŽĐ” ĐČĐ°ŃĐ”ŃĐŸ ĐżĐŸŃŃДбОŃДлŃĐșĐŸ ĐžĐŒĐ” Đ·Đ° ĐŽĐŸŃŃŃĐż ĐŽĐŸ Đ°ĐŽĐŒĐžĐœĐžŃŃŃĐ°ŃĐžĐČĐœĐ°ŃĐ° ŃĐ°ŃŃ ĐœĐ° ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°.',
+ 'Shop password' => 'ĐĐ°ŃĐŸĐ»Đ° Đ·Đ° ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°',
+ 'Must be at least 8 characters' => 'ĐąŃŃбĐČĐ° ĐŽĐ° бŃĐŽĐ” ĐżĐŸĐœĐ” 8 ŃĐžĐŒĐČĐŸĐ»Đ°',
+ 'Re-type to confirm' => 'ĐĐŸĐČŃĐŸŃĐ”ŃĐ” Ń Đ·Đ° ĐżĐŸŃĐČŃŃĐ¶ĐŽĐ”ĐœĐžĐ”',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'ĐŃŃĐșĐ° ĐżŃĐ”ĐŽĐŸŃŃĐ°ĐČĐ”ĐœĐ° ĐŸŃ ĐČĐ°Ń ĐžĐœŃĐŸŃĐŒĐ°ŃĐžŃ ŃĐ” ŃŃŃ
ŃĐ°ĐœŃĐČĐ°, ĐžĐ·ĐżĐŸĐ»Đ·ĐČĐ° ŃĐ” Đ·Đ° Đ°ĐœĐ°Đ»ĐžĐ· Đž ŃŃĐ°ŃĐžŃŃĐžŃĐ”ŃĐșĐ° ĐŸĐ±ŃĐ°Đ±ĐŸŃĐșĐ° Đž Đ” ĐœĐ”ĐŸĐ±Ń
ĐŸĐŽĐžĐŒĐ° ĐœĐ° ĐœĐ°ŃĐžŃ Đ”ĐșОп Đ·Đ° ĐŽĐ° ĐŸŃĐłĐŸĐČĐŸŃĐž ĐœĐ° ĐČŃĐżŃĐŸŃĐžŃĐ” ĐČĐž. ĐĐ°ŃĐžŃĐ” лОŃĐœĐž ĐŽĐ°ĐœĐœĐž ĐŒĐŸĐłĐ°Ń ĐŽĐ° бŃĐŽĐ°Ń ĐżŃĐ”ĐŽĐŸŃŃĐ°ĐČŃĐœĐž ĐœĐ° ĐŽĐŸŃŃĐ°ĐČŃĐžŃĐž ĐœĐ° ŃŃĐ»ŃгО ОлО ĐœĐ° ĐœĐ°ŃĐž паŃŃĐœŃĐŸŃĐž, ĐșĐ°ŃĐŸ ŃĐ°ŃŃ ĐŸŃ ĐŸŃĐœĐŸŃĐ”ĐœĐžŃŃĐ° ĐœĐž Ń ŃŃŃ
. ĐĄŃглаŃĐœĐŸ ĐŽĐ”ĐčŃŃĐČĐ°ŃĐžŃŃ "Act on Data Processing, Data Files and Individual Liberties" ĐžĐŒĐ°ŃĐ” ĐżŃĐ°ĐČĐŸ ĐœĐ° ĐŽĐŸŃŃŃĐż, ĐżŃĐŸĐŒŃĐœĐ° ОлО залОŃĐ°ĐČĐ°ĐœĐ” ĐœĐ° лОŃĐœĐžŃĐ” ĐŽĐ°ĐœĐœĐž ŃŃДз ŃĐ°Đ·Đž ĐČŃŃĐ·ĐșĐ° .',
+ 'Configure your database by filling out the following fields' => 'ĐĐŸĐœŃОгŃŃĐžŃĐ°ĐčŃĐ” ĐĐ°ŃĐ°ŃĐ° база ĐŽĐ°ĐœĐœĐž ĐșĐ°ŃĐŸ ĐżĐŸĐżŃĐ»ĐœĐžŃĐ” ŃĐ»Đ”ĐŽĐœĐžŃĐ” ĐżĐŸĐ»Đ”ŃĐ°',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'ĐĐ° ĐŽĐ° ĐžĐ·ĐżĐŸĐ»Đ·ĐČĐ°ŃĐ” PrestaShop, ŃŃŃбĐČĐ° ĐŽĐ° ŃŃĐ·ĐŽĐ°ĐŽĐ”ŃĐ” база ĐŽĐ°ĐœĐœĐž , Đ·Đ° ĐŽĐ° ŃŃбОŃĐ°ŃĐ” ĐČŃĐžŃĐșĐž ŃĐČŃŃĐ·Đ°ĐœĐž Ń ĐŽĐ”ĐčĐœĐŸŃŃŃĐ° ĐœĐ° ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ° ĐĐž ĐŽĐ°ĐœĐœĐž.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'ĐĐŸĐ»Ń, ĐżĐŸĐżŃĐ»ĐœĐ”ŃĐ” ĐżĐŸĐ»Đ”ŃĐ°ŃĐ° ĐżĐŸ-ĐŽĐŸĐ»Ń, Đ·Đ° ĐŽĐ° ŃĐ” ŃĐČŃŃжД PrestaShop Ń ĐĐ°ŃĐ°ŃĐ° база ĐŽĐ°ĐœĐœĐž. ',
+ 'Database server address' => 'ĐĐŽŃĐ”Ń ĐœĐ° ŃŃŃĐČŃŃĐ° ĐœĐ° базаŃĐ° ĐŽĐ°ĐœĐœĐž',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'ĐĐŸŃŃŃŃ ĐżĐŸ ĐżĐŸĐŽŃазбОŃĐ°ĐœĐ” Đ” 3306. ĐĐ° ĐŽĐ° ĐžĐ·ĐżĐŸĐ»Đ·ĐČĐ°ŃĐ” ŃазлОŃĐ”Đœ ĐżĐŸŃŃ, ĐŽĐŸĐ±Đ°ĐČĐ”ŃĐ” ĐœĐŸĐŒĐ”ŃĐ° ĐœĐ° ĐżĐŸŃŃĐ° ŃлДЎ Đ°ĐŽŃĐ”ŃĐ° ĐœĐ° ŃŃŃĐČŃŃĐ° ĐĐž, ĐœĐ°ĐżŃĐžĐŒĐ”Ń: ":4242".',
+ 'Database name' => 'ĐĐŒĐ” ĐœĐ° базаŃĐ° ĐŸŃ ĐŽĐ°ĐœĐœĐž',
+ 'Database login' => 'ĐĐŸŃŃДбОŃДлŃĐșĐŸ ĐžĐŒĐ”',
+ 'Database password' => 'ĐĐ°ŃĐŸĐ»Đ°',
+ 'Database Engine' => 'ĐĐœĐŽĐ¶ĐžĐœ ĐœĐ° базаŃĐ° ĐŽĐ°ĐœĐœĐž',
+ 'Tables prefix' => 'ĐŃĐ”ŃĐžĐșŃ ĐœĐ° ŃаблОŃĐž',
+ 'Drop existing tables (mode dev)' => 'ĐĐ·ŃŃĐžĐČĐ°ĐœĐ” ĐœĐ° ŃŃŃĐ”ŃŃĐČŃĐČĐ°ŃĐžŃĐ” ŃаблОŃĐž (ŃĐ”Đ¶ĐžĐŒ ŃĐ°Đ·ŃĐ°Đ±ĐŸŃĐČĐ°ĐœĐ”)',
+ 'Test your database connection now!' => 'йДŃŃĐČĐ°ĐčŃĐ” ĐČŃŃĐ·ĐșĐ°ŃĐ° ŃĐž Ń Đ±Đ°Đ·Đ°ŃĐ° ĐŽĐ°ĐœĐœĐž ŃДга!',
+ 'Next' => 'ĐĐ°ĐżŃДЎ',
+ 'Back' => 'ĐĐ°Đ·Đ°ĐŽ',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'ĐĐșĐŸ ĐČĐž Đ” ĐœŃĐ¶ĐœĐ° ĐżĐŸĐŒĐŸŃ, ĐŒĐŸĐ¶Đ”ŃĐ” ĐŽĐ° Ń ĐżĐŸĐ»ŃŃĐžŃĐ” ĐŸŃ ĐœĐ°ŃĐžŃ Đ”ĐșОп ĐżĐŸ ĐżĐŸĐŽĐŽŃŃжĐșĐ°ŃĐ°. ĐĄŃŃĐŸ ŃĐ°ĐșĐ°, ĐŒĐŸĐ¶Đ”ŃĐ” ĐŽĐ° ŃĐ” ĐČŃĐ·ĐżĐŸĐ»Đ·ĐČĐ°ŃĐ” ĐŸŃ ĐŸŃĐžŃĐžĐ°Đ»ĐœĐ°ŃĐ° ĐŽĐŸĐșŃĐŒĐ”ĐœŃĐ°ŃĐžŃ .',
+ 'Official forum' => 'ĐŃĐžŃĐžĐ°Đ»Đ”Đœ ŃĐŸŃŃĐŒ',
+ 'Support' => 'ĐĐŸĐŽĐŽŃŃжĐșĐ°',
+ 'Documentation' => 'ĐĐŸĐșŃĐŒĐ”ĐœŃĐ°ŃĐžŃ',
+ 'Contact us' => 'ĐĐŸĐœŃĐ°ĐșŃĐž',
+ 'PrestaShop Installation Assistant' => 'ĐŃĐžŃŃĐ”ĐœŃ Đ·Đ° ĐžĐœŃŃалОŃĐ°ĐœĐ” ĐœĐ° PrestaShop',
+ 'Forum' => 'Đ€ĐŸŃŃĐŒ',
+ 'Blog' => 'ĐĐ»ĐŸĐł',
+ 'Contact us!' => 'ĐĄĐČŃŃжДŃĐ” ŃĐ” Ń ĐœĐ°Ń!',
+ 'menu_welcome' => 'ĐзбДŃĐ”ŃĐ” ĐČĐ°ŃĐžŃŃ Đ”Đ·ĐžĐș',
+ 'menu_license' => 'ĐĐžŃĐ”ĐœĐ·ĐžĐŸĐœĐœĐž ŃĐżĐŸŃĐ°Đ·ŃĐŒĐ”ĐœĐžŃ',
+ 'menu_system' => 'ĐĄŃĐČĐŒĐ”ŃŃĐžĐŒĐŸŃŃ ĐœĐ° ŃĐžŃŃĐ”ĐŒĐ°ŃĐ°',
+ 'menu_configure' => 'ĐĐœŃĐŸŃĐŒĐ°ŃĐžŃ Đ·Đ° ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°',
+ 'menu_database' => 'ĐĄĐžŃŃĐ”ĐŒĐœĐ° ĐșĐŸĐœŃОгŃŃĐ°ŃĐžŃ',
+ 'menu_process' => 'ĐĐœŃŃалОŃĐ°ĐœĐ” ĐœĐ° ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°',
+ 'Installation Assistant' => 'ĐŃĐžŃŃĐ”ĐœŃ Đ·Đ° ĐžĐœŃŃалОŃĐ°ĐœĐ”',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'ĐĐ° ĐŽĐ° ĐžĐœŃŃалОŃĐ°ŃĐ” PrestaShop ŃŃŃбĐČĐ° ĐŽĐ° Đ°ĐșŃĐžĐČĐžŃĐ°ŃĐ” JavaScript ĐœĐ° ĐČĐ°ŃĐžŃŃ Đ±ŃĐ°ŃĐ·ŃŃ.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/',
+ 'License Agreements' => 'ĐĐžŃĐ”ĐœĐ·ĐžĐŸĐœĐœĐž ŃĐżĐŸŃĐ°Đ·ŃĐŒĐ”ĐœĐžŃ',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'ĐĐ° ĐŽĐ° ŃĐ” ĐœĐ°ŃлаЎОŃĐ” ĐœĐ° бДзбŃĐŸĐčĐœĐžŃĐ” ĐŸĐżŃОО, ĐșĐŸĐžŃĐŸ ĐżŃДЎлага бДзплаŃĐœĐŸ PrestaShop, ĐŒĐŸĐ»Ń ĐżŃĐŸŃĐ”ŃĐ”ŃĐ” лОŃĐ”ĐœĐ·ĐœĐŸŃĐŸ ŃĐżĐŸŃĐ°Đ·ŃĐŒĐ”ĐœĐžĐ” ĐżĐŸ-ĐŽĐŸĐ»Ń. ĐŻĐŽŃĐŸŃĐŸ ĐœĐ° PrestaShop Đ” лОŃĐ”ĐœĐ·ĐžŃĐ°ĐœĐŸ ĐżĐŸĐŽ OSL 3.0, ĐŽĐŸĐșĐ°ŃĐŸ ĐŒĐŸĐŽŃлОŃĐ” Đž ŃĐ”ĐŒĐžŃĐ” ŃĐ° лОŃĐ”ĐœĐ·ĐžŃĐ°ĐœĐž ĐżĐŸĐŽ AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'ĐĄŃглаŃĐ”Đœ ŃŃĐŒ Ń ĐżĐŸ-ĐłĐŸŃĐœĐžŃĐ” ĐŸĐ±ŃĐž ŃŃĐ»ĐŸĐČĐžŃ.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'ĐĄŃглаŃĐ”Đœ ŃŃĐŒ ĐŽĐ° ŃŃĐ°ŃŃĐČĐ°ĐŒ ĐČ ĐżĐŸĐŽĐŸĐ±ŃŃĐČĐ°ĐœĐžŃŃĐ° ŃŃДз ОзпŃĐ°ŃĐ°ĐœĐ” ĐœĐ° Đ°ĐœĐŸĐœĐžĐŒĐœĐ° ĐžĐœŃĐŸŃĐŒĐ°ŃĐžŃ Đ·Đ° ĐŒĐŸŃŃĐ° ĐșĐŸĐœŃОгŃŃĐ°ŃĐžŃ.',
+ 'Done!' => 'ĐĐŸŃĐŸĐČĐŸ!',
+ 'An error occurred during installation...' => 'ĐĐŸ ĐČŃĐ”ĐŒĐ” ĐœĐ° ĐžĐœŃŃалаŃĐžŃŃĐ° ĐČŃĐ·ĐœĐžĐșĐœĐ° ĐłŃĐ”ŃĐșĐ°...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'ĐĐŸĐ¶Đ”ŃĐ” ĐŽĐ° ĐžĐ·ĐżĐŸĐ»Đ·ĐČĐ°ŃĐ” Đ»ĐžĐœĐșĐŸĐČĐ”ŃĐ” ĐČ Đ»ŃĐČĐ°ŃĐ° ĐșĐŸĐ»ĐŸĐœĐ°, Đ·Đ° ĐŽĐ° ŃĐ” ĐČŃŃĐœĐ”ŃĐ” ĐșŃĐŒ ĐżŃДЎŃ
ĐŸĐŽĐœĐžŃĐ” ŃŃŃĐżĐșĐž ОлО ĐŽĐ° ŃĐ”ŃŃĐ°ŃŃĐžŃĐ°ŃĐ” ĐżŃĐŸŃĐ”ŃĐ° ĐșĐ°ŃĐŸ ĐœĐ°ŃĐžŃĐœĐ”ŃĐ” ŃŃĐș .',
+ 'Your installation is finished!' => 'ĐĐœŃŃалаŃĐžŃŃĐ° ĐČĐž ĐżŃĐžĐșĐ»ŃŃĐž!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'ĐąĐŸĐșŃ-ŃĐŸ ĐżŃĐžĐșĐ»ŃŃĐžŃ
ŃĐ” Ń ĐžĐœŃŃалОŃĐ°ĐœĐ”ŃĐŸ ĐœĐ° ĐČĐ°ŃĐžŃŃ ĐŒĐ°ĐłĐ°Đ·ĐžĐœ. ĐĐ»Đ°ĐłĐŸĐŽĐ°ŃĐžĐŒ ĐĐž, ŃĐ” ĐžĐ·ĐżĐŸĐ»Đ·ĐČĐ°ŃĐ” PrestaShop!',
+ 'Please remember your login information:' => 'ĐĐŸĐ»Ń Đ·Đ°ĐżĐŸĐŒĐœĐ”ŃĐ” ĐČĐ°ŃĐ°ŃĐ° ĐžĐœŃĐŸŃĐŒĐ°ŃĐžŃ Đ·Đ° ĐČŃ
ĐŸĐŽ:',
+ 'E-mail' => 'E-mail',
+ 'Print my login information' => 'РазпДŃĐ°ŃĐČĐ°ĐœĐ” ĐœĐ° ĐŒĐŸŃŃĐ° ĐžĐœŃĐŸŃĐŒĐ°ŃĐžŃ Đ·Đ° ĐČŃ
ĐŸĐŽ',
+ 'Password' => 'ĐĐ°ŃĐŸĐ»Đ°',
+ 'Display' => 'ĐĐŸĐșĐ°Đ·ĐČĐ°ĐœĐ”',
+ 'For security purposes, you must delete the "install" folder.' => 'ĐŃĐČ ĐČŃŃĐ·ĐșĐ° ŃŃŃ ŃОгŃŃĐœĐŸŃŃŃĐ°, ŃŃŃбĐČĐ° ĐŽĐ° ОзŃŃОДŃĐ” папĐșĐ°ŃĐ° "install".',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'ĐĐŽĐŒĐžĐœĐžŃŃŃĐ°ŃĐžĐČĐ”Đœ ĐżĐ°ĐœĐ”Đ»',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'ĐŁĐżŃĐ°ĐČĐ»ŃĐČĐ°ĐčŃĐ” ĐĐ°ŃĐžŃŃ ĐŒĐ°ĐłĐ°Đ·ĐžĐœ, ĐșĐ°ŃĐŸ ĐżĐŸĐ»Đ·ĐČĐ°ŃĐ” ĐĐ°ŃĐžŃŃ ĐĐŽĐŒĐžĐœĐžŃŃŃĐ°ŃĐžĐČĐ”Đœ ĐżĐ°ĐœĐ”Đ». ĐŁĐżŃĐ°ĐČĐ»ŃĐČĐ°ĐčŃĐ” ĐżĐŸŃŃŃĐșĐžŃĐ” Đž ĐșĐ»ĐžĐ”ĐœŃĐžŃĐ”, ĐŽĐŸĐ±Đ°ĐČŃĐčŃĐ” ĐŒĐŸĐŽŃлО, ĐżŃĐŸĐŒĐ”ĐœŃĐčŃĐ” ŃĐ”ĐŒĐž Đž Ń.Đœ.',
+ 'Manage your store' => 'ĐŁĐżŃĐ°ĐČĐ»Đ”ĐœĐžĐ” ĐœĐ° ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°',
+ 'Front Office' => 'Đ€ŃĐŸĐœŃ-ŃĐ°ĐčŃ',
+ 'Discover your store as your future customers will see it!' => 'ĐОжŃĐ” ĐĐ°ŃĐžŃŃ ĐŒĐ°ĐłĐ°Đ·ĐžĐœ ĐșĐ°ĐșŃĐŸ бŃĐŽĐ”ŃĐžŃĐ” ĐĐž ĐșĐ»ĐžĐ”ĐœŃĐž!',
+ 'Discover your store' => 'РазглДЎаĐčŃĐ” ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ° ŃĐž',
+ 'Share your experience with your friends!' => 'ĐĄĐżĐŸĐŽĐ”Đ»Đ”ŃĐ” ĐĐ°ŃĐžŃŃ ĐŸĐżĐžŃ Ń ĐĐ°ŃĐž ĐżŃĐžŃŃДлО!',
+ 'I just built an online store with PrestaShop!' => 'ĐąĐŸĐșŃ-ŃĐŸ ĐœĐ°ĐżŃĐ°ĐČĐžŃ
ДлДĐșŃŃĐŸĐœĐ”Đœ ĐŒĐ°ĐłĐ°Đ·ĐžĐœ Ń PrestaShop!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'ĐлДЎаĐčŃĐ” ŃĐŸĐČĐ° ĐŸĐ±ĐŸĐŽŃŃĐČĐ°ŃĐŸ ОзжОĐČŃĐČĐ°ĐœĐ”: http://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'ĐĄĐżĐŸĐŽĐ”Đ»ŃĐœĐ”',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'РазглДЎаĐčŃĐ” PrestaShop Addons, Đ·Đ° ĐŽĐ° ĐŽĐŸĐ±Đ°ĐČĐžŃĐ” ĐŽĐŸĐżŃĐ»ĐœĐžŃĐ”Đ»ĐœĐ° ŃŃĐœĐșŃĐžĐŸĐœĐ°Đ»ĐœĐŸŃŃ ĐșŃĐŒ ĐČĐ°ŃĐžŃŃ ĐŒĐ°ĐłĐ°Đ·ĐžĐœ!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'ĐŃĐŸĐČĐ”ŃŃĐČĐ°ĐŒĐ” ŃŃĐČĐŒĐ”ŃŃĐžĐŒĐŸŃŃŃĐ° ĐœĐ° PrestaShop Ń ĐĐ°ŃĐ°ŃĐ° ŃĐžŃŃĐ”ĐŒĐ°',
+ 'If you have any questions, please visit our documentation and community forum .' => 'ĐĐŸĐ»Ń, ĐŸĐ±ŃŃĐœĐ”ŃĐ” ŃĐ” ĐșŃĐŒ ĐœĐ°ŃĐ°ŃĐ° ĐŽĐŸĐșŃĐŒĐ”ĐœŃĐ°ŃĐžŃ Đž ŃĐŸŃŃĐŒ Đ°ĐșĐŸ ĐžĐŒĐ°ŃĐ” ĐœŃĐșĐ°ĐșĐČĐž ĐČŃĐżŃĐŸŃĐž.',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'ĐĄŃĐČĐŒĐ”ŃŃĐžĐŒĐŸŃŃŃĐ° ĐœĐ° PrestaShop Ń ĐČĐ°ŃĐ°ŃĐ° ŃĐžŃŃĐ”ĐŒĐ° бДŃĐ” ĐżĐŸŃĐČŃŃĐŽĐ”ĐœĐ°!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'ĐĐŸĐ»Ń, ĐșĐŸŃОгОŃĐ°ĐčŃĐ” Đ°ŃŃĐžĐșŃла(ĐžŃĐ”) ĐżĐŸ-ĐŽĐŸĐ»Ń Đž ĐœĐ°ŃĐžŃĐœĐ”ŃĐ” ĐœĐ° "ĐĐżŃĐ”ŃĐœŃĐČĐ°ĐœĐ” ĐœĐ° ĐžĐœŃĐŸŃĐŒĐ°ŃĐžŃŃĐ°", Đ·Đ° ĐŽĐ° ŃĐ”ŃŃĐČĐ°ŃĐ” ŃŃĐČĐŒĐ”ŃŃĐžĐŒĐŸŃŃŃĐ° ĐœĐ° ĐĐ°ŃĐ°ŃĐ° ĐœĐŸĐČĐ° ŃĐžŃŃĐ”ĐŒĐ°.',
+ 'Refresh these settings' => 'ĐĐżŃĐ”ŃĐœŃĐČĐ°ĐœĐ” ĐœĐ° ŃДзО ĐœĐ°ŃŃŃĐŸĐčĐșĐž',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'ĐĐ° ĐŽĐ° ŃĐ°Đ±ĐŸŃĐž, PrestaShop ОзОŃĐșĐČĐ° ĐżĐŸĐœĐ” 32 ĐĐ ĐżĐ°ĐŒĐ”Ń: ĐŒĐŸĐ»Ń ĐżŃĐŸĐČĐ”ŃĐ”ŃĐ” ĐŽĐžŃĐ”ĐșŃĐžĐČĐ°ŃĐ° memory_limit ĐČŃĐČ ĐĐ°ŃĐžŃŃ ŃĐ°ĐčĐ» php.ini ОлО ŃĐ” ŃĐČŃŃжДŃĐ” Ń Ń
ĐŸŃŃĐžĐœĐł ĐŽĐŸŃŃĐ°ĐČŃĐžĐșĐ° ŃĐž.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'ĐĐœĐžĐŒĐ°ĐœĐžĐ”: ĐżĐŸĐČĐ”ŃĐ” ĐœĐ” ĐŒĐŸĐ¶Đ”ŃĐ” ĐŽĐ° ĐżĐŸĐ»Đ·ĐČĐ°ŃĐ” ŃĐŸĐ·Đž ĐžĐœŃŃŃŃĐŒĐ”ĐœŃ, Đ·Đ° ĐŽĐ° ĐŸĐ±ĐœĐŸĐČŃĐČĐ°ŃĐ” ĐĐ°ŃĐžŃŃ ĐŒĐ°ĐłĐ°Đ·ĐžĐœ. ĐĐ”ŃĐ” ŃĐ°Đ·ĐżĐŸĐ»Đ°ĐłĐ°ŃĐ” Ń ĐžĐœŃŃалОŃĐ°Đœ PrestaShop ĐČĐ”ŃŃĐžŃ %1$s . ĐĐșĐŸ жДлаДŃĐ” ĐŽĐ° ĐŸĐ±ĐœĐŸĐČĐžŃĐ” ĐŽĐŸ ĐżĐŸŃĐ»Đ”ĐŽĐœĐ°ŃĐ° ĐČĐ”ŃŃĐžŃ, ĐŒĐŸĐ»Ń ĐżŃĐŸŃĐ”ŃĐ”ŃĐ” ĐœĐ°ŃĐ°ŃĐ° ĐŽĐŸĐșŃĐŒĐ”ĐœŃĐ°ŃĐžŃ: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'ĐĐŸĐ±ŃĐ” ĐŽĐŸŃлО ĐČ ĐžĐœŃŃалаŃĐŸŃĐ° ĐœĐ° PrestaShop %s',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'ĐĐœŃŃалаŃĐžŃŃĐ° ĐœĐ° PrestaShop Đ” бŃŃĐ·Đ° Đž лДŃĐœĐ°. ĐĄŃĐČŃĐ”ĐŒ ŃĐșĐŸŃĐŸ, ŃĐ” ŃŃĐ°ĐœĐ”ŃĐ” ŃĐ°ŃŃ ĐŸŃ ĐŸĐ±ŃĐœĐŸŃŃŃĐ°, ŃŃŃŃĐŸŃŃĐ° ŃĐ” ĐŸŃ ĐżĐŸĐČĐ”ŃĐ” ĐŸŃ 230000 ŃŃŃĐłĐŸĐČŃĐž. ĐĐ° ĐżŃŃ ŃŃĐ” ĐŽĐ° ŃŃĐ·ĐŽĐ°ĐŽĐ”ŃĐ” ŃĐČĐŸĐč ŃĐŸĐ±ŃŃĐČĐ”Đœ ŃĐœĐžĐșĐ°Đ»Đ”Đœ ĐŸĐœĐ»Đ°ĐčĐœ ĐŒĐ°ĐłĐ°Đ·ĐžĐœ, ĐșĐŸĐčŃĐŸ ĐŒĐŸĐ¶Đ”ŃĐ” ĐŽĐ° ŃĐżŃĐ°ĐČĐ»ŃĐČĐ°ŃĐ” лДŃĐœĐŸ ĐČŃĐ”ĐșĐž ĐŽĐ”Đœ.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'ĐĐșĐŸ ĐČĐž Đ” ĐœŃĐ¶ĐœĐ° ĐżĐŸĐŒĐŸŃ, ĐœĐ” ŃĐ” ĐżŃĐžŃĐ”ŃĐœŃĐČĐ°ĐčŃĐ” ĐŽĐ° ĐżĐŸĐłĐ»Đ”ĐŽĐ”ĐœĐ” ĐČ ŃĐŸĐČĐ° ŃŃĐșĐŸĐČĐŸĐŽŃŃĐČĐŸ ОлО ĐŽĐ° ĐżŃĐŸĐČĐ”ŃĐžŃĐ” ĐČ ĐŸŃĐžŃĐžĐ°Đ»ĐœĐ°ŃĐ° ĐŽĐŸĐșŃĐŒĐ”ĐœŃĐ°ŃĐžŃ .',
+ 'Continue the installation in:' => 'ĐŃĐŸĐŽŃлжаĐČĐ°ĐœĐ” ĐœĐ° ĐžĐœŃŃалаŃĐžŃŃĐ° ĐœĐ°:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'ĐзбŃĐ°ĐœĐžŃŃ ĐżĐŸ-ĐłĐŸŃĐ” ДзОĐș ĐČажО ŃĐ°ĐŒĐŸ Đ·Đ° ĐžĐœŃŃалаŃĐžĐŸĐœĐœĐžŃŃ ĐżĐŸĐŒĐŸŃĐœĐžĐș. ХлДЎ ĐșĐ°ŃĐŸ ĐŒĐ°ĐłĐ°Đ·ĐžĐœŃŃ ĐĐž Đ” ĐžĐœŃŃалОŃĐ°Đœ, ĐŒĐŸĐ¶Đ”ŃĐ” ĐŽĐ° ОзбДŃĐ”ŃĐ” ДзОĐșĐ° ĐœĐ° ĐĐ°ŃĐžŃŃ ĐŒĐ°ĐłĐ°Đ·ĐžĐœ ĐŸŃ ĐœĐ°ĐŽ %d ĐżŃĐ”ĐČĐŸĐŽĐ°, ĐœĐ°ĐżŃĐ»ĐœĐŸ бДзплаŃĐœĐž!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'ĐĐœŃŃалаŃĐžŃŃĐ° ĐœĐ° PrestaShop Đ” бŃŃĐ·Đ° Đž лДŃĐœĐ°. ĐĄŃĐČŃĐ”ĐŒ ŃĐșĐŸŃĐŸ, ŃĐ” ŃŃĐ°ĐœĐ”ŃĐ” ŃĐ°ŃŃ ĐŸŃ ĐŸĐ±ŃĐœĐŸŃŃŃĐ°, ŃŃŃŃĐŸŃŃĐ° ŃĐ” ĐŸŃ ĐżĐŸĐČĐ”ŃĐ” ĐŸŃ 250000 ŃŃŃĐłĐŸĐČŃĐž. ĐĐ° ĐżŃŃ ŃŃĐ” ĐŽĐ° ŃŃĐ·ĐŽĐ°ĐŽĐ”ŃĐ” ŃĐČĐŸĐč ŃĐŸĐ±ŃŃĐČĐ”Đœ ŃĐœĐžĐșĐ°Đ»Đ”Đœ ĐŸĐœĐ»Đ°ĐčĐœ ĐŒĐ°ĐłĐ°Đ·ĐžĐœ, ĐșĐŸĐčŃĐŸ ĐŒĐŸĐ¶Đ”ŃĐ” ĐŽĐ° ŃĐżŃĐ°ĐČĐ»ŃĐČĐ°ŃĐ” лДŃĐœĐŸ ĐČŃĐ”ĐșĐž ĐŽĐ”Đœ.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/bg/language.xml b/_install/langs/bg/language.xml
new file mode 100644
index 00000000..414d6938
--- /dev/null
+++ b/_install/langs/bg/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ bg-bg
+ d/m/Y
+ d/m/Y H:i:s
+ false
+
diff --git a/_install/langs/bg/mail_identifiers.txt b/_install/langs/bg/mail_identifiers.txt
new file mode 100644
index 00000000..3f768acb
--- /dev/null
+++ b/_install/langs/bg/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Hi {firstname} {lastname},
+
+Here is your personal login information for {shop_name}:
+
+Password: {passwd}
+E-mail address: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/bn/data/carrier.xml b/_install/langs/bn/data/carrier.xml
new file mode 100644
index 00000000..db968ca0
--- /dev/null
+++ b/_install/langs/bn/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ àŠŠà§àŠàŠŸàŠš àŠ„à§àŠà§ àŠšàŠżàŠš
+
+
diff --git a/_install/langs/bn/data/category.xml b/_install/langs/bn/data/category.xml
new file mode 100644
index 00000000..be0c6bd9
--- /dev/null
+++ b/_install/langs/bn/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ àŠ°à§àŠ
+
+ root
+
+
+
+
+
+ àŠčà§àŠź
+
+ home
+
+
+
+
+
diff --git a/_install/langs/bn/data/cms.xml b/_install/langs/bn/data/cms.xml
new file mode 100644
index 00000000..85941f6e
--- /dev/null
+++ b/_install/langs/bn/data/cms.xml
@@ -0,0 +1,45 @@
+
+
+
+ àŠŹàŠżàŠ€àŠ°àŠš
+ àŠŹàŠżàŠ€àŠ°àŠšà§àŠ° àŠ¶àŠ°à§àŠ€ àŠžàŠźà§àŠč
+ conditions, delivery, delay, shipment, pack
+ <h2>àŠŹàŠżàŠČàŠż àŠàŠŹàŠ àŠ«à§àŠ°àŠ€</h2><h3>àŠàŠȘàŠšàŠŸàŠ° àŠȘà§àŠŻàŠŸàŠ àŠŹàŠżàŠČàŠżt</h3><p>àŠȘà§àŠŻàŠŸàŠà§àŠ àŠžàŠŸàŠ§àŠŸàŠ°àŠŁàŠ€ àŠȘà§àŠźà§àŠšà§àŠ àŠȘà§àŠ°àŠŸàŠȘà§àŠ€àŠżàŠ° àŠȘàŠ° 2 àŠŠàŠżàŠšà§àŠ° àŠźàŠ§à§àŠŻà§ àŠȘà§àŠ°à§àŠ·àŠżàŠ€ àŠčàŠŻàŠŒ àŠàŠŹàŠ àŠžà§àŠŹàŠŸàŠà§àŠ·àŠ° àŠàŠŸàŠĄàŠŒàŠŸàŠ àŠà§àŠ°à§àŠŻàŠŸàŠàŠżàŠ àŠàŠŹàŠ àŠĄà§àŠ°àŠȘ àŠ
àŠ« àŠžàŠà§àŠà§ àŠàŠ.àŠȘàŠż. àŠźàŠŸàŠ§à§àŠŻàŠźà§ àŠȘà§àŠ°à§àŠ°àŠŁ àŠàŠ°àŠŸ àŠčàŠŻàŠŒ. àŠàŠȘàŠšàŠż àŠȘà§àŠ°àŠŻàŠŒà§àŠàŠšà§àŠŻàŠŒ àŠžà§àŠŹàŠŸàŠà§àŠ·àŠ° àŠžàŠà§àŠà§ àŠ
àŠ€àŠżàŠ°àŠżàŠà§àŠ€ àŠàŠ.àŠȘàŠż. àŠŠà§àŠŹàŠŸàŠ°àŠŸ àŠĄà§àŠČàŠżàŠàŠŸàŠ°àŠż àŠȘàŠàŠšà§àŠŠ àŠàŠ°à§àŠš, àŠàŠàŠàŠż àŠ
àŠ€àŠżàŠ°àŠżàŠà§àŠ€ àŠàŠ°àŠ àŠȘà§àŠ°àŠŻàŠŒà§àŠ àŠàŠ°àŠŸ àŠčàŠŹà§, àŠ€àŠŸàŠ àŠàŠ àŠȘàŠŠà§àŠ§àŠ€àŠż àŠàŠŻàŠŒàŠš àŠàŠ°àŠŸàŠ° àŠàŠà§ àŠàŠźàŠŸàŠŠà§àŠ° àŠžàŠŸàŠ„à§ àŠŻà§àŠàŠŸàŠŻà§àŠ àŠàŠ°à§àŠš. àŠàŠȘàŠšàŠż àŠŻà§àŠàŠŸ àŠȘàŠàŠšà§àŠŠ àŠàŠŸàŠČàŠŸàŠš, àŠàŠźàŠ°àŠŸ àŠàŠȘàŠšàŠŸàŠà§ àŠàŠȘàŠšàŠŸàŠ° àŠȘà§àŠŻàŠŸàŠà§àŠ àŠ
àŠšàŠČàŠŸàŠàŠš àŠà§àŠ°à§àŠŻàŠŸàŠ àŠàŠàŠàŠż àŠČàŠżàŠà§àŠ àŠȘà§àŠ°àŠŠàŠŸàŠš àŠàŠ°àŠŸ àŠčàŠŹà§.</p><p>àŠ¶àŠżàŠȘàŠżàŠ àŠ«àŠż àŠ«àŠż àŠčàŠżàŠžà§àŠŹà§ àŠĄàŠŸàŠàŠźàŠŸàŠžà§àŠČ àŠàŠ°àŠ àŠžàŠŸàŠźàŠČàŠŸàŠà§àŠà§ àŠ àŠȘà§àŠŻàŠŸàŠàŠżàŠ àŠ
àŠšà§àŠ€àŠ°à§àŠà§àŠà§àŠ€. àŠȘàŠ°àŠżàŠŹàŠčàŠš àŠ«àŠż àŠàŠŸàŠČàŠŸàŠšà§àŠ° àŠźà§àŠ àŠàŠàŠš àŠ
àŠšà§àŠŻàŠŸàŠŻàŠŒà§ àŠȘàŠ°àŠżàŠŹàŠ°à§àŠ€àŠš àŠčàŠàŠŻàŠŒàŠŸàŠ° àŠžàŠźà§àŠàŠŸàŠŹàŠšàŠŸ àŠ°àŠŻàŠŒà§àŠà§, àŠŻà§àŠčà§àŠ€à§ àŠžàŠŸàŠźàŠČàŠŸàŠà§àŠà§ àŠ«àŠż, àŠžàŠàŠ¶à§àŠ§àŠš àŠàŠ°àŠŸ àŠčàŠŻàŠŒ. àŠàŠźàŠ°àŠŸ àŠàŠ àŠàŠ°àŠŸàŠ° àŠàŠšà§àŠŻ àŠàŠȘàŠšàŠŸàŠ° àŠàŠàŠà§àŠź àŠà§àŠ°à§àŠȘৠàŠàŠȘàŠšàŠŸàŠà§ àŠàŠȘàŠŠà§àŠ¶. àŠàŠźàŠ°àŠŸ àŠàŠČàŠŸàŠŠàŠŸ àŠàŠČàŠŸàŠŠàŠŸàŠàŠŸàŠŹà§ àŠžà§àŠ„àŠŸàŠȘàŠżàŠ€ àŠŠà§àŠàŠż àŠžà§àŠŹàŠ€àŠšà§àŠ€à§àŠ° àŠàŠŠà§àŠ¶ àŠà§àŠ°à§àŠȘ àŠàŠ°àŠ€à§ àŠȘàŠŸàŠ°àŠŹà§ àŠšàŠŸ, àŠàŠŹàŠ àŠ¶àŠżàŠȘàŠżàŠ àŠ«àŠż àŠ€àŠŸàŠŠà§àŠ° àŠȘà§àŠ°àŠ€àŠżàŠàŠż àŠà§àŠ·à§àŠ€à§àŠ°à§ àŠȘà§àŠ°àŠŻà§àŠà§àŠŻ àŠčàŠŹà§. àŠàŠȘàŠšàŠŸàŠ° àŠȘà§àŠŻàŠŸàŠà§àŠ àŠàŠȘàŠšàŠŸàŠ° àŠšàŠżàŠà§àŠ° àŠà§àŠàŠàŠżàŠ€à§ àŠȘà§àŠ°à§àŠ·àŠżàŠ€ àŠàŠ°àŠŸ àŠčàŠŹà§, àŠàŠżàŠšà§àŠ€à§ àŠàŠà§àŠà§àŠ° àŠŹàŠžà§àŠ€à§àŠ° àŠ°àŠà§àŠ·àŠŸ àŠŹàŠżàŠ¶à§àŠ· àŠŻàŠ€à§àŠš àŠšà§àŠàŠŻàŠŒàŠŸ àŠčàŠŻàŠŒ.<br /><br />àŠŹàŠà§àŠžàŠà§àŠČàŠżàŠ€à§ àŠŻàŠŸ àŠàŠà§ àŠȘàŠ°à§àŠŻàŠŸàŠȘà§àŠ€àŠàŠŸàŠŹà§ àŠźàŠŸàŠȘà§àŠ° àŠàŠŹàŠ àŠàŠȘàŠšàŠŸàŠ° àŠàŠàŠà§àŠź àŠàŠŸàŠČ àŠžà§àŠ°àŠà§àŠ·àŠżàŠ€ àŠčàŠŻàŠŒ.</p>
+ delivery
+
+
+ àŠàŠàŠšàŠż àŠŹàŠżàŠà§àŠàŠȘà§àŠ€àŠż
+ àŠàŠàŠšàŠż àŠŹàŠżàŠà§àŠàŠȘà§àŠ€àŠż
+ notice, legal, credits
+ <h2>àŠàŠàŠšàŠàŠ€</h2><h3>àŠŹàŠà§à§àŠŸ</h3><p>àŠ§àŠŸàŠ°àŠšàŠŸ àŠàŠŹàŠ àŠà§àŠȘàŠŸàŠŠàŠš:</p><p>àŠàŠ àŠà§à§àŠŹ àŠžàŠŸàŠàŠ àŠàŠż àŠŹà§àŠŻàŠŸàŠŹàŠčàŠŸàŠ° àŠàŠ°à§ àŠ€à§àŠ°àŠż<a href="http://www.prestashop.com">PrestaShop</a>™ open-source software.</p>
+ legal-notice
+
+
+ àŠŹà§àŠŻàŠŸàŠŹàŠčàŠŸàŠ°à§àŠ° àŠ¶àŠ°à§àŠ€
+ àŠàŠźàŠŸàŠŠà§àŠ° àŠŹà§àŠŻàŠŸàŠŹàŠčàŠŸàŠ°à§àŠ° àŠ¶àŠ°à§àŠ€
+ conditions, terms, use, sell
+ <h2>àŠàŠȘàŠšàŠŸàŠ° àŠàŠšà§àŠŻ àŠŹà§àŠŻàŠŸàŠŹàŠčàŠŸàŠ°à§àŠ° àŠ¶àŠ°à§àŠ€</h2><h3>àŠšàŠżà§àŠź ১</h3><p>àŠàŠàŠŸàŠšà§ àŠšàŠżà§àŠź ১ content</p>
+<h3>àŠšàŠżà§àŠźà§š</h3><p>àŠàŠàŠŸàŠšà§ àŠšàŠżà§àŠźà§š</p>
+<h3>àŠšàŠżà§àŠź ৩</h3><p>àŠàŠàŠŸàŠšà§ àŠšàŠżà§àŠźà§© content</p>
+ terms-and-conditions-of-use
+
+
+ àŠàŠźàŠŸàŠŠà§àŠ° àŠžàŠźà§àŠȘàŠ°à§àŠà§
+ àŠàŠźàŠŸàŠŠà§àŠ° àŠžàŠźà§àŠȘàŠ°à§àŠà§ àŠàŠ°àŠ àŠàŠŸàŠšà§àŠš
+ about us, informations
+ <h2>àŠàŠźàŠŸàŠŠà§àŠ° àŠžàŠźà§àŠȘàŠ°à§àŠà§</h2>
+<h3>àŠàŠźàŠŸàŠŠà§àŠ° àŠà§àŠźà§àŠȘàŠŸàŠšàŠż</h3><p>Our company</p>
+<h3>àŠàŠźàŠŸàŠŠà§àŠ° àŠàŠżàŠź</h3><p>Our team</p>
+<h3>àŠ€àŠ„à§àŠŻ</h3><p>Informations</p>
+ about-us
+
+
+ àŠšàŠżàŠ°àŠŸàŠȘàŠŠ àŠȘàŠ°àŠżàŠ¶à§àŠ§
+ àŠàŠźàŠŸàŠŠà§àŠ° àŠšàŠżàŠ°àŠŸàŠȘàŠŠ àŠȘàŠ°àŠżàŠ¶à§àŠ§ àŠȘàŠŠà§àŠ§àŠ€àŠż
+ secure payment, ssl, visa, mastercard, paypal
+ <h2>àŠšàŠżàŠ°àŠŸàŠȘàŠŠ àŠȘàŠ°àŠżàŠ¶à§àŠ§</h2>
+<h3>àŠàŠźàŠŸàŠŠà§àŠ° àŠšàŠżàŠ°àŠŸàŠȘàŠŠ àŠȘàŠ°àŠżàŠ¶à§àŠ§</h3><p>With SSL</p>
+<h3>àŠŹà§àŠŻàŠŸàŠŹàŠčàŠŸàŠ° àŠàŠ°à§ Visa/Mastercard/Paypal</h3><p>àŠàŠ àŠžà§àŠŹàŠŸ àŠžàŠźà§àŠȘàŠ°à§àŠà§</p>
+ secure-payment
+
+
diff --git a/_install/langs/bn/data/cms_category.xml b/_install/langs/bn/data/cms_category.xml
new file mode 100644
index 00000000..ae6a122c
--- /dev/null
+++ b/_install/langs/bn/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ àŠčà§àŠź
+
+ home
+
+
+
+
+
diff --git a/_install/langs/bn/data/configuration.xml b/_install/langs/bn/data/configuration.xml
new file mode 100644
index 00000000..4ed133d4
--- /dev/null
+++ b/_install/langs/bn/data/configuration.xml
@@ -0,0 +1,21 @@
+
+
+
+ #àŠàŠżàŠ€àŠ°à§
+
+
+ #àŠĄàŠż àŠ
+
+
+ #RE
+
+
+ àŠàŠàŠàŠż|àŠàŠàŠż|àŠ„à§àŠà§|àŠàŠŹàŠ|àŠčàŠ€à§
+
+
+ 0
+
+
+ àŠȘà§àŠ°àŠżà§ àŠà§àŠ°àŠŸàŠčàŠ, àŠ¶à§àŠà§àŠà§àŠàŠŸ, àŠà§àŠ°àŠŸàŠčàŠ àŠžà§àŠŹàŠŸ àŠŹàŠżàŠàŠŸàŠ
+
+
diff --git a/_install/langs/bn/data/contact.xml b/_install/langs/bn/data/contact.xml
new file mode 100644
index 00000000..d1917ad6
--- /dev/null
+++ b/_install/langs/bn/data/contact.xml
@@ -0,0 +1,9 @@
+
+
+
+ àŠŻàŠŠàŠż àŠàŠ àŠà§à§àŠŹ àŠžàŠŸàŠàŠà§ àŠàŠàŠàŠż àŠà§àŠàŠšàŠżàŠàŠŸàŠČ àŠ€à§àŠ°à§àŠàŠż àŠàŠà§
+
+
+ àŠŻà§ àŠà§àŠšà§ àŠȘàŠŁà§àŠŻ àŠžàŠźà§àŠȘàŠ°à§àŠà§ àŠȘà§àŠ°àŠ¶à§àŠš, àŠàŠàŠàŠż àŠ
àŠ°à§àŠĄàŠŸàŠ°
+
+
diff --git a/_install/langs/bn/data/country.xml b/_install/langs/bn/data/country.xml
new file mode 100644
index 00000000..d57ea1e3
--- /dev/null
+++ b/_install/langs/bn/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
+
+
+ Andorra
+
+
+ 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/_install/langs/bn/data/gender.xml b/_install/langs/bn/data/gender.xml
new file mode 100644
index 00000000..e6592970
--- /dev/null
+++ b/_install/langs/bn/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/bn/data/group.xml b/_install/langs/bn/data/group.xml
new file mode 100644
index 00000000..e1bc2653
--- /dev/null
+++ b/_install/langs/bn/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/bn/data/index.php b/_install/langs/bn/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/bn/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/bn/data/meta.xml b/_install/langs/bn/data/meta.xml
new file mode 100644
index 00000000..16ac4d9b
--- /dev/null
+++ b/_install/langs/bn/data/meta.xml
@@ -0,0 +1,165 @@
+
+
+
+ à§Ș৊à§Ș-àŠ€à§àŠ°à§àŠàŠż
+ àŠàŠ àŠȘà§àŠàŠ àŠàŠż àŠà§àŠà§ àŠȘàŠŸàŠà§àŠŸ àŠŻàŠŸà§ àŠšàŠż
+
+ page-not-found
+
+
+ àŠžà§àŠ°àŠŸ àŠŹàŠżàŠà§àŠ°àŠż
+ àŠàŠźàŠŸàŠŠà§àŠ° àŠžà§àŠ°àŠŸ àŠŹàŠżàŠà§àŠ°àŠż
+
+ best-sales
+
+
+ àŠàŠźàŠŸàŠŠà§àŠ° àŠžàŠŸàŠ„à§ àŠŻà§àŠàŠŸàŠŻà§àŠ àŠàŠ°à§àŠš
+ àŠàŠźàŠŸàŠŠà§àŠ° àŠžàŠŸàŠ„à§ àŠŻà§àŠàŠŸàŠŻà§àŠ àŠàŠ°àŠ€à§ àŠŻà§àŠàŠŸàŠŻà§àŠ àŠ«àŠ°à§àŠź àŠŹà§àŠŻàŠŹàŠčàŠŸàŠ° àŠàŠ°à§àŠš
+
+ contact-us
+
+
+
+ PrestaShop àŠŠà§àŠŹàŠŸàŠ°àŠŸ àŠàŠŸàŠČàŠżàŠ€
+
+
+
+
+ àŠàŠ€àŠȘàŠŸàŠŠàŠ
+ àŠàŠ€àŠȘàŠŸàŠŠàŠ àŠ€àŠŸàŠČàŠżàŠàŠŸ
+
+ manufacturers
+
+
+ àŠšàŠ€à§àŠš àŠȘàŠŁà§àŠŻ
+ àŠàŠźàŠŸàŠŠà§àŠ° àŠšàŠ€à§àŠš àŠȘàŠŁà§àŠŻ
+
+ new-products
+
+
+ àŠàŠȘàŠŸàŠšàŠ° àŠȘàŠŸàŠžàŠà§àŠŸàŠ°à§àŠĄ àŠà§àŠČৠàŠà§àŠà§àŠš?
+ àŠàŠȘàŠšàŠŸàŠ° àŠšàŠ€à§àŠš àŠȘàŠŸàŠžàŠà§àŠŸàŠ°à§àŠĄ àŠźà§àŠàŠČ àŠ àŠȘà§àŠ€à§ àŠ°à§àŠàŠżàŠžàŠà§àŠ°à§àŠžàŠš àŠźà§àŠàŠČ àŠ àŠżàŠàŠŸàŠšàŠŸ àŠŠàŠżàŠš
+
+ password-recovery
+
+
+ àŠźà§àŠČà§àŠŻ àŠàŠźàŠŸàŠšà§
+ àŠàŠźàŠŸàŠŠà§àŠ° àŠŹàŠżàŠ¶à§àŠ· àŠȘàŠŁà§àŠŻ
+
+ prices-drop
+
+
+ àŠžàŠŸàŠàŠ àŠźà§àŠŻàŠŸàŠȘ
+ àŠà§àŠČৠàŠà§àŠà§àŠš? àŠŻàŠŸ àŠàŠŸàŠš àŠ€àŠŸ àŠà§àŠà§àŠš
+
+ sitemap
+
+
+ àŠžàŠ°àŠŹàŠ°àŠŸàŠčàŠàŠŸàŠ°à§
+ àŠžàŠ°àŠŹàŠ°àŠŸàŠčàŠàŠŸàŠ°àŠżàŠ° àŠ€àŠŸàŠČàŠżàŠàŠŸ
+
+ supplier
+
+
+ àŠ àŠżàŠàŠŸàŠšàŠŸ
+
+
+ address
+
+
+ àŠ àŠżàŠàŠŸàŠšàŠŸ
+
+
+ addresses
+
+
+ àŠČàŠ àŠàŠš
+
+
+ login
+
+
+ àŠàŠŸàŠ°à§àŠ
+
+
+ cart
+
+
+ àŠźà§àŠČà§àŠŻ àŠàŠŸàŠ°
+
+
+ discount
+
+
+ àŠ
àŠ°à§àŠĄàŠŸàŠ° àŠàŠ€àŠżàŠčàŠŸàŠž
+
+
+ order-history
+
+
+ àŠȘàŠ°àŠżàŠà§
+
+
+ identity
+
+
+ àŠàŠźàŠŸàŠ° àŠàŠàŠŸàŠàŠšàŠ
+
+
+ my-account
+
+
+ àŠ
àŠ°à§àŠĄàŠŸàŠ° àŠ«àŠČà§
+
+
+ order-follow
+
+
+ àŠ
àŠ°à§àŠĄàŠŸàŠ° àŠžà§àŠČàŠżàŠȘ
+
+
+ order-slip
+
+
+ àŠ
àŠ°à§àŠĄàŠŸàŠ°
+
+
+ order
+
+
+ àŠà§àŠ
+
+
+ search
+
+
+ àŠŠà§àŠàŠŸàŠš
+
+
+ stores
+
+
+ àŠ
àŠ°à§àŠĄàŠŸàŠ°
+
+
+ quick-order
+
+
+ àŠ
àŠ€àŠżàŠ€à§àŠ„àŠż àŠ
àŠšà§àŠžàŠ°àŠš
+
+
+ guest-tracking
+
+
+ àŠ
àŠ°à§àŠĄàŠŸàŠ° àŠšàŠżàŠ¶à§àŠàŠżàŠ€ àŠàŠ°àŠš
+
+
+ order-confirmation
+
+
+ Products Comparison
+
+
+ products-comparison
+
+
diff --git a/_install/langs/bn/data/order_return_state.xml b/_install/langs/bn/data/order_return_state.xml
new file mode 100644
index 00000000..259ad4eb
--- /dev/null
+++ b/_install/langs/bn/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ àŠšàŠżàŠ¶à§àŠàŠżàŠ€ àŠàŠ°àŠšà§àŠ° àŠàŠšà§àŠŻ àŠ
àŠȘà§àŠà§àŠ·àŠźàŠŸàŠš
+
+
+ àŠȘà§àŠŻàŠŸàŠàŠżàŠ àŠàŠ° àŠàŠšà§àŠŻ àŠ
àŠȘà§àŠà§àŠ·àŠźàŠŸàŠŁ
+
+
+ àŠȘà§àŠŻàŠŸàŠà§àŠ àŠ°àŠżàŠžàŠżàŠ àŠàŠ°àŠŸ àŠčà§à§àŠà§
+
+
+ àŠ«à§àŠ°àŠ€ àŠŹàŠŸàŠ€àŠżàŠČ
+
+
+ àŠ«à§àŠ°àŠ€ àŠžàŠźà§àŠȘàŠšà§àŠš
+
+
diff --git a/_install/langs/bn/data/order_state.xml b/_install/langs/bn/data/order_state.xml
new file mode 100644
index 00000000..fdb45e57
--- /dev/null
+++ b/_install/langs/bn/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ àŠ
àŠȘà§àŠà§àŠ·àŠźàŠŸàŠš àŠà§àŠ àŠȘà§àŠźà§àŠšà§àŠ
+ cheque
+
+
+ àŠȘà§àŠźà§àŠšà§àŠ àŠà§àŠčà§àŠ€
+ payment
+
+
+ àŠȘà§àŠ°àŠžà§àŠ€à§àŠ€àŠż àŠàŠàŠŸàŠà§àŠà§
+ preparation
+
+
+ àŠŹàŠżàŠČàŠż àŠčà§à§àŠà§
+ shipped
+
+
+ àŠȘà§àŠàŠàŠŸàŠšà§ àŠčà§à§àŠà§
+
+
+
+ àŠŹàŠŸàŠ€àŠżàŠČ
+ order_canceled
+
+
+ àŠźà§àŠČà§àŠŻ àŠ«à§àŠ°àŠ€
+ refund
+
+
+ àŠȘàŠ°àŠżàŠ¶à§àŠ§ àŠ€à§àŠ°à§àŠàŠż
+ payment_error
+
+
+ àŠ
àŠš àŠŹà§àŠŻàŠŸàŠ àŠ
àŠ°à§àŠĄàŠŸàŠ°
+ outofstock
+
+
+ àŠ
àŠš àŠŹà§àŠŻàŠŸàŠ àŠ
àŠ°à§àŠĄàŠŸàŠ°
+ outofstock
+
+
+ àŠŹà§àŠŻàŠŸàŠàŠ àŠ
à§à§àŠŻàŠŸàŠ° àŠȘà§àŠźà§àŠšà§àŠ àŠàŠ° àŠàŠšà§àŠŻ àŠ
àŠȘà§àŠà§àŠ·àŠźàŠŸàŠŁ
+ bankwire
+
+
+ àŠȘৠàŠȘàŠČ àŠȘà§àŠźà§àŠšà§àŠ àŠàŠ° àŠàŠšà§àŠŻ àŠ
àŠȘà§àŠà§àŠ·àŠźàŠŸàŠš
+
+
+
+ àŠȘà§àŠźà§àŠšà§àŠ àŠžà§àŠ„àŠŸàŠšàŠżà§ àŠàŠŸàŠŹà§ àŠà§àŠčà§àŠ€
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/bn/data/profile.xml b/_install/langs/bn/data/profile.xml
new file mode 100644
index 00000000..c638f90d
--- /dev/null
+++ b/_install/langs/bn/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ àŠžà§àŠȘàŠŸàŠ° àŠàŠĄàŠźàŠżàŠš
+
+
diff --git a/_install/langs/bn/data/quick_access.xml b/_install/langs/bn/data/quick_access.xml
new file mode 100644
index 00000000..8a1ea3ca
--- /dev/null
+++ b/_install/langs/bn/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/bn/data/risk.xml b/_install/langs/bn/data/risk.xml
new file mode 100644
index 00000000..bf1c5d57
--- /dev/null
+++ b/_install/langs/bn/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/bn/data/stock_mvt_reason.xml b/_install/langs/bn/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..f402e147
--- /dev/null
+++ b/_install/langs/bn/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ àŠŹà§àŠŠà§àŠ§àŠż
+
+
+ àŠčà§àŠ°àŠŸàŠž
+
+
+ àŠà§àŠ°à§àŠ€àŠŸ àŠ
àŠ°à§àŠĄàŠŸàŠ°
+
+
+ àŠȘàŠŁà§àŠŻ àŠžà§àŠàŠ àŠàŠ° àŠšàŠżà§àŠź
+
+
+ àŠȘàŠŁà§àŠŻ àŠžà§àŠàŠ àŠàŠ° àŠšàŠżà§àŠź
+
+
+ àŠ
àŠšà§àŠŻ àŠà§àŠŠàŠŸàŠźà§ àŠȘàŠŸàŠ àŠŸàŠš
+
+
+ àŠ
àŠšà§àŠŻ àŠà§àŠŠàŠŸàŠź àŠ€à§àŠ„à§àŠà§ àŠàŠšà§àŠš
+
+
+ àŠžàŠ°àŠŹàŠ°àŠŸàŠč àŠàŠŠà§àŠ¶
+
+
diff --git a/_install/langs/bn/data/supplier_order_state.xml b/_install/langs/bn/data/supplier_order_state.xml
new file mode 100644
index 00000000..4d2dca3b
--- /dev/null
+++ b/_install/langs/bn/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ àŠ€àŠàŠ°àŠżàŠ° àŠàŠšà§àŠšàŠ€àŠż
+
+
+ àŠ
àŠ°à§àŠĄàŠŸàŠ° àŠŻàŠŸàŠàŠŸàŠ àŠčà§à§àŠà§
+
+
+ àŠ
àŠȘà§àŠà§àŠ·àŠźàŠŸàŠš àŠ°àŠżàŠžàŠżàŠȘàŠ
+
+
+ àŠ
àŠ°à§àŠĄàŠŸàŠ° àŠàŠàŠ¶àŠżàŠ àŠ°àŠżàŠžàŠżàŠ àŠčà§à§àŠà§
+
+
+ àŠ
àŠ°à§àŠĄàŠŸàŠ° àŠžàŠźà§àŠȘà§àŠ°à§àŠŁ àŠ°àŠżàŠžàŠżàŠ àŠčà§à§àŠà§
+
+
+ àŠ
àŠ°à§àŠĄàŠŸàŠ° àŠ
à§àŠŻàŠŸàŠàŠà§ àŠàŠà§
+
+
\ No newline at end of file
diff --git a/_install/langs/bn/data/supply_order_state.xml b/_install/langs/bn/data/supply_order_state.xml
new file mode 100644
index 00000000..d5ef37dd
--- /dev/null
+++ b/_install/langs/bn/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ ১-àŠ€àŠàŠ°àŠż àŠàŠàŠŸàŠà§àŠà§
+
+
+ ৚-àŠ
àŠ°à§àŠĄàŠŸàŠ° àŠŻàŠŸàŠàŠŸàŠ àŠčà§à§àŠà§
+
+
+ ৩- àŠ°àŠżàŠžàŠżàŠȘàŠ àŠ
àŠȘà§àŠà§àŠ·àŠźàŠŸàŠš
+
+
+ à§Ș-àŠ
àŠ°à§àŠĄàŠŸàŠ° àŠàŠàŠ¶àŠżàŠ àŠ°àŠżàŠžàŠżàŠ àŠčà§à§àŠà§
+
+
+ ৫- àŠ
àŠ°à§àŠĄàŠŸàŠ° àŠžàŠźà§àŠȘà§àŠ°à§àŠŁ àŠ°àŠżàŠžàŠżàŠ àŠčà§à§àŠà§
+
+
+ à§Ź- àŠ
àŠ°à§àŠĄàŠŸàŠ° àŠŹàŠŸàŠ€àŠżàŠČ
+
+
diff --git a/_install/langs/bn/data/tab.xml b/_install/langs/bn/data/tab.xml
new file mode 100644
index 00000000..51709aa6
--- /dev/null
+++ b/_install/langs/bn/data/tab.xml
@@ -0,0 +1,104 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/bn/flag.jpg b/_install/langs/bn/flag.jpg
new file mode 100644
index 00000000..68e5f0e1
Binary files /dev/null and b/_install/langs/bn/flag.jpg differ
diff --git a/_install/langs/bn/img/bn-default-category.jpg b/_install/langs/bn/img/bn-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/bn/img/bn-default-category.jpg differ
diff --git a/_install/langs/bn/img/bn-default-home.jpg b/_install/langs/bn/img/bn-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/bn/img/bn-default-home.jpg differ
diff --git a/_install/langs/bn/img/bn-default-large.jpg b/_install/langs/bn/img/bn-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/bn/img/bn-default-large.jpg differ
diff --git a/_install/langs/bn/img/bn-default-large_scene.jpg b/_install/langs/bn/img/bn-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/bn/img/bn-default-large_scene.jpg differ
diff --git a/_install/langs/bn/img/bn-default-medium.jpg b/_install/langs/bn/img/bn-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/bn/img/bn-default-medium.jpg differ
diff --git a/_install/langs/bn/img/bn-default-small.jpg b/_install/langs/bn/img/bn-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/bn/img/bn-default-small.jpg differ
diff --git a/_install/langs/bn/img/bn-default-thickbox.jpg b/_install/langs/bn/img/bn-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/bn/img/bn-default-thickbox.jpg differ
diff --git a/_install/langs/bn/img/bn-default-thumb_scene.jpg b/_install/langs/bn/img/bn-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/bn/img/bn-default-thumb_scene.jpg differ
diff --git a/_install/langs/bn/img/bn.jpg b/_install/langs/bn/img/bn.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/bn/img/bn.jpg differ
diff --git a/_install/langs/bn/img/index.php b/_install/langs/bn/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/bn/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/bn/index.php b/_install/langs/bn/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/bn/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/bn/install.php b/_install/langs/bn/install.php
new file mode 100644
index 00000000..c3cfb393
--- /dev/null
+++ b/_install/langs/bn/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => '%1$s : %2$s àŠàŠšàŠàŠżàŠàŠżàŠ° àŠàŠšà§àŠŻ àŠàŠàŠàŠż àŠ€à§àŠ°à§àŠàŠż àŠàŠà§àŠà§ ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'àŠàŠšàŠàŠżàŠàŠż "%2$s"àŠàŠ° àŠàŠšà§àŠŻ àŠàŠżàŠ€à§àŠ° "%1$s" àŠ€à§àŠ°àŠż àŠàŠ°àŠŸ àŠŻàŠŸà§ àŠšàŠż',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'àŠàŠżàŠ€à§àŠ° "%1$s" àŠ€à§àŠ°àŠż àŠàŠ°àŠŸ àŠŻàŠŸà§ àŠšàŠż (àŠ«à§àŠČà§àŠĄàŠŸàŠ° "%2$s"àŠ àŠ
àŠšà§àŠźàŠ€àŠż àŠàŠšàŠżàŠ€ àŠžàŠźàŠžà§àŠŻàŠŸ)',
+ 'Cannot create image "%s"' => 'àŠàŠżàŠ€à§àŠ° "%s" àŠ€à§àŠ°àŠż àŠàŠ°àŠŸ àŠŻàŠŸà§ àŠšàŠż ',
+ 'SQL error on query %s ' => 'àŠà§à§à§àŠ°àŠż %s àŠ€à§ SQLàŠ€à§àŠ°à§àŠàŠż',
+ '%s Login information' => '%s àŠČàŠàŠàŠš àŠ€àŠ„à§àŠŻ',
+ 'Field required' => 'àŠà§àŠ·à§àŠ€à§àŠ°àŠàŠż àŠȘà§àŠ°àŠŻàŠŒà§àŠàŠš',
+ 'Invalid shop name' => 'àŠŠà§àŠàŠŸàŠšà§àŠ° àŠšàŠŸàŠź àŠà§àŠČ',
+ 'The field %s is limited to %d characters' => 'àŠà§àŠ·à§àŠ€à§àŠ°%s, %dàŠàŠż àŠŹàŠ°à§àŠŁà§àŠ° àŠàŠżàŠ€àŠ° àŠžàŠżàŠźàŠŸàŠŹàŠŠà§àŠ§',
+ 'Your firstname contains some invalid characters' => 'àŠàŠȘàŠšàŠŸàŠ° àŠšàŠŸàŠźà§àŠ° à§§àŠź àŠ
àŠàŠ¶ àŠàŠżàŠà§ àŠà§àŠČ àŠ
àŠà§àŠ·àŠ° àŠŹàŠčàŠš àŠàŠ°àŠà§',
+ 'Your lastname contains some invalid characters' => 'àŠàŠȘàŠšàŠŸàŠ° àŠšàŠŸàŠźà§àŠ° àŠ¶à§àŠ· àŠ
àŠàŠ¶ àŠàŠżàŠà§ àŠà§àŠČ àŠ
àŠà§àŠ·àŠ° àŠŹàŠčàŠš àŠàŠ°àŠà§ ',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'àŠȘàŠŸàŠžàŠàŠŻàŠŒàŠŸàŠ°à§àŠĄàŠàŠż àŠà§àŠČ(àŠàŠźàŠȘàŠà§àŠ·à§ à§ź àŠ
àŠà§àŠ·àŠ°à§àŠ° àŠžàŠàŠàŠŸ-àŠ¶àŠŹà§àŠŠ àŠàŠ° àŠźàŠżàŠČàŠżàŠ€ àŠžà§àŠà§àŠ°àŠżàŠ)',
+ 'Password and its confirmation are different' => 'àŠȘàŠŸàŠžàŠàŠŻàŠŒàŠŸàŠ°à§àŠĄ àŠàŠŹàŠ àŠ€àŠŸàŠ° àŠšàŠżàŠ¶à§àŠàŠŻàŠŒàŠ€àŠŸ àŠàŠżàŠšà§àŠš',
+ 'This e-mail address is invalid' => 'àŠàŠ àŠàŠźà§àŠàŠČ àŠ àŠżàŠàŠŸàŠšàŠŸàŠàŠż àŠà§àŠČ',
+ 'Image folder %s is not writable' => 'àŠàŠżàŠ€à§àŠ°à§àŠ° àŠ«à§àŠČà§àŠĄàŠŸàŠ°%s àŠ
àŠšà§àŠČàŠżàŠȘàŠż àŠŻà§àŠà§àŠŻ àŠšà§',
+ 'An error occurred during logo copy.' => 'àŠČà§àŠà§ àŠàŠȘàŠż àŠàŠ°àŠŸàŠ° àŠžàŠźà§ àŠàŠàŠàŠż àŠ€à§àŠ°à§àŠàŠż àŠàŠà§àŠà§',
+ 'An error occurred during logo upload.' => 'àŠČà§àŠà§ àŠàŠȘàŠČà§àŠĄ àŠàŠ°àŠŸàŠ° àŠžàŠźà§ àŠàŠàŠàŠż àŠ€à§àŠ°à§àŠàŠż àŠàŠà§àŠà§',
+ 'Lingerie and Adult' => ' àŠ
àŠšà§àŠ€àŠ°à§àŠŹàŠŸàŠž àŠ àŠȘà§àŠ°à§àŠŁàŠŹàŠŻàŠŒàŠžà§àŠ',
+ 'Animals and Pets' => 'àŠȘà§àŠ°àŠŸàŠŁà§ àŠàŠŹàŠ àŠà§àŠčàŠȘàŠŸàŠČàŠżàŠ€',
+ 'Art and Culture' => 'àŠ¶àŠżàŠČà§àŠȘ àŠ àŠžàŠàŠžà§àŠà§àŠ€àŠż',
+ 'Babies' => 'àŠ¶àŠżàŠ¶à§',
+ 'Beauty and Personal Care' => 'àŠžà§àŠšà§àŠŠàŠ°à§àŠŻà§àŠŻ àŠ àŠŹà§àŠŻàŠà§àŠ€àŠżàŠàŠ€ àŠȘàŠ°àŠżàŠàŠ°à§àŠŻàŠŸ',
+ 'Cars' => 'àŠàŠŸàŠĄàŠŒà§',
+ 'Computer Hardware and Software' => 'àŠàŠźà§àŠȘàŠżàŠàŠàŠŸàŠ° àŠčàŠŸàŠ°à§àŠĄàŠàŠŻàŠŒà§àŠŻàŠŸàŠ° àŠ àŠžàŠ«àŠàŠàŠŻàŠŒà§àŠŻàŠŸàŠ°',
+ 'Download' => 'àŠĄàŠŸàŠà§àŠšàŠČà§àŠĄ',
+ 'Fashion and accessories' => 'àŠ«à§àŠŻàŠŸàŠ¶àŠš àŠ àŠàŠšà§àŠ·àŠŸàŠà§àŠàŠżàŠ',
+ 'Flowers, Gifts and Crafts' => 'àŠ«à§àŠČ, àŠàŠȘàŠčàŠŸàŠ° àŠàŠŹàŠ àŠčàŠžà§àŠ€àŠ¶àŠżàŠČà§àŠȘ',
+ 'Food and beverage' => 'àŠàŠŸàŠŠà§àŠŻ àŠàŠŹàŠ àŠȘàŠŸàŠšà§àŠŻàŠŒ',
+ 'HiFi, Photo and Video' => 'HiFi, àŠ«àŠà§ àŠàŠŹàŠ àŠàŠżàŠĄàŠżàŠ',
+ 'Home and Garden' => 'àŠŹàŠŸàŠĄàŠŒàŠż àŠàŠŹàŠ àŠŹàŠŸàŠàŠŸàŠš',
+ 'Home Appliances' => 'àŠà§àŠčàŠžà§àŠ„àŠŸàŠČàŠż àŠžàŠŸàŠźàŠà§àŠ°à§',
+ 'Jewelry' => 'àŠàŠŻàŠŒàŠšàŠŸ',
+ 'Mobile and Telecom' => 'àŠźà§àŠŹàŠŸàŠàŠČ àŠàŠŹàŠ àŠà§àŠČàŠżàŠàŠź',
+ 'Services' => 'àŠžà§àŠŹàŠŸ ',
+ 'Shoes and accessories' => 'àŠà§àŠ€à§ àŠàŠŹàŠ àŠàŠšà§àŠ·àŠŸàŠà§àŠàŠżàŠ',
+ 'Sports and Entertainment' => 'àŠà§àŠ°à§àŠĄàŠŒàŠŸ àŠ àŠŹàŠżàŠšà§àŠŠàŠš',
+ 'Travel' => 'àŠȘàŠ°à§àŠŻàŠàŠš',
+ 'Database is connected' => 'àŠĄàŠŸàŠàŠŸàŠŹà§àŠž àŠžàŠàŠŻà§àŠà§àŠ€ àŠàŠ°àŠŸ àŠčà§à§àŠà§',
+ 'Database is created' => 'àŠĄàŠŸàŠàŠŸàŠŹà§àŠ àŠ€à§àŠ°àŠż àŠàŠ°àŠŸ àŠčà§à§àŠà§',
+ 'Cannot create the database automatically' => 'àŠžà§àŠŹàŠŻàŠŒàŠàŠà§àŠ°àŠżàŠŻàŠŒàŠàŠŸàŠŹà§ àŠĄàŠŸàŠàŠŸàŠŹà§àŠž àŠ€à§àŠ°àŠż àŠàŠ°àŠ€à§ àŠȘàŠŸàŠ°àŠŹà§àŠš àŠšàŠŸ',
+ 'Create settings.inc file' => 'settings.inc àŠ«àŠŸàŠàŠČ àŠ€à§àŠ°àŠż àŠčà§à§àŠà§',
+ 'Create database tables' => 'àŠĄàŠŸàŠàŠŸàŠŹà§àŠž àŠžàŠŸàŠ°àŠŁà§ àŠ€à§àŠ°à§ àŠčà§à§àŠà§',
+ 'Create default shop and languages' => 'àŠĄàŠżàŠ«àŠČà§àŠ àŠŠà§àŠàŠŸàŠš àŠàŠŹàŠ àŠàŠŸàŠ·àŠŸàŠžàŠźà§àŠč àŠ€à§àŠ° àŠčà§à§àŠà§',
+ 'Populate database tables' => 'àŠĄàŠŸàŠàŠŸàŠŹà§àŠž àŠà§àŠŹàŠżàŠČ àŠ€àŠ„à§àŠŻàŠȘà§àŠ°à§àŠŁ àŠčà§à§àŠà§',
+ 'Configure shop information' => 'àŠŠà§àŠàŠŸàŠšà§àŠ° àŠ€àŠ„à§àŠŻ àŠàŠšàŠ«àŠżàŠàŠŸàŠ° àŠčà§à§àŠà§',
+ 'Install demonstration data' => 'àŠĄà§àŠźàŠšà§àŠžàŠà§àŠ°à§àŠžàŠš àŠ€àŠ„à§àŠŻ àŠàŠšàŠžà§àŠàŠČ àŠčà§à§àŠà§',
+ 'Install modules' => 'àŠźàŠĄàŠżàŠàŠČ àŠàŠšàŠžà§àŠàŠČ àŠčà§à§àŠà§',
+ 'Install Addons modules' => 'àŠźàŠĄàŠżàŠàŠČ àŠ
à§àŠŻàŠŸàŠĄàŠ
àŠšàŠž àŠàŠšàŠžà§àŠàŠČ àŠčà§à§àŠà§',
+ 'Install theme' => 'àŠ„àŠżàŠź àŠàŠšàŠžà§àŠàŠČ àŠčà§à§àŠà§',
+ 'Required PHP parameters' => 'àŠȘà§àŠ°àŠŻàŠŒà§àŠàŠšà§àŠŻàŠŒ àŠȘàŠżàŠàŠàŠàŠȘàŠż àŠȘàŠ°àŠŸàŠźàŠżàŠ€àŠż',
+ 'PHP 5.1.2 or later is not enabled' => 'àŠȘàŠżàŠàŠàŠàŠȘàŠż 5.1.2 àŠ
àŠ„àŠŹàŠŸ àŠȘàŠ°àŠŹàŠ°à§àŠ€à§ àŠžàŠàŠžà§àŠàŠ°àŠŁ àŠžàŠà§àŠ°àŠżàŠŻàŠŒ àŠàŠ°àŠŸ àŠšà§àŠ',
+ 'Cannot upload files' => 'àŠ«àŠŸàŠàŠČ àŠàŠȘàŠČà§àŠĄ àŠàŠ°àŠŸ àŠŻàŠŸàŠà§àŠà§ àŠšàŠŸ',
+ 'Cannot create new files and folders' => 'àŠšàŠ€à§àŠš àŠ«àŠŸàŠàŠČ àŠàŠŹàŠ àŠ«à§àŠČà§àŠĄàŠŸàŠ° àŠ€à§àŠ°àŠż àŠàŠ°àŠŸ àŠŻàŠŸàŠà§àŠà§ àŠšàŠŸ',
+ 'GD library is not installed' => 'àŠàŠżàŠĄàŠż àŠČàŠŸàŠàŠŹà§àŠ°à§àŠ°à§ àŠàŠšàŠžà§àŠàŠČ àŠàŠ°àŠŸ àŠšà§àŠ',
+ 'MySQL support is not activated' => 'àŠźàŠŸàŠàŠàŠžàŠàŠżàŠàŠàŠČ àŠžàŠźàŠ°à§àŠ„àŠš àŠžàŠà§àŠ°àŠżàŠŻàŠŒ àŠàŠ°àŠŸ àŠšà§àŠ',
+ 'Files' => 'àŠ«àŠŸàŠàŠČ',
+ 'Not all files were successfully uploaded on your server' => 'àŠžàŠŹ àŠ«àŠŸàŠàŠČ àŠžàŠ«àŠČàŠàŠŸàŠŹà§ àŠàŠȘàŠšàŠŸàŠ° àŠžàŠŸàŠ°à§àŠàŠŸàŠ°à§ àŠàŠȘàŠČà§àŠĄ àŠàŠ°àŠŸ àŠčàŠŻàŠŒ àŠšàŠż',
+ 'Permissions on files and folders' => 'àŠ«àŠŸàŠàŠČ àŠàŠŹàŠ àŠ«à§àŠČà§àŠĄàŠŸàŠ° àŠ
àŠšà§àŠźàŠ€àŠż',
+ 'Recursive write permissions for %1$s user on %2$s' => ' %1$s àŠŹà§àŠŻàŠàŠŸàŠ°àŠàŠŸàŠ°àŠżàŠ° %2$s àŠàŠ° àŠàŠšà§àŠŻ àŠ°àŠżàŠàŠŸàŠ°àŠžàŠżàŠ àŠ°àŠŸàŠàŠ àŠ
àŠšà§àŠźàŠ€àŠż ',
+ 'Recommended PHP parameters' => 'àŠȘà§àŠ°àŠžà§àŠ€àŠŸàŠŹàŠżàŠ€ àŠȘàŠżàŠàŠàŠàŠȘàŠż àŠȘàŠ°àŠŸàŠźàŠżàŠ€àŠż',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => '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!',
+ 'Cannot open external URLs' => 'àŠŹàŠŸàŠčà§àŠŻàŠżàŠ URL-àŠà§àŠČàŠŸ àŠŻàŠŸàŠà§àŠà§ àŠšàŠŸ',
+ 'PHP register_globals option is enabled' => 'PHP register_globals àŠ
àŠȘàŠ¶àŠš àŠžàŠà§àŠ°àŠżà§ ',
+ 'GZIP compression is not activated' => 'Gzip àŠàŠźà§àŠȘà§àŠ°à§àŠ¶àŠš àŠžàŠà§àŠ°àŠżàŠŻàŠŒ àŠàŠ°àŠŸ àŠšà§àŠ',
+ 'Mcrypt extension is not enabled' => 'Mcrypt àŠàŠà§àŠžàŠà§àŠšàŠ¶àŠš àŠžàŠà§àŠ°àŠżàŠŻàŠŒ àŠàŠ°àŠŸ àŠšà§àŠ',
+ 'Mbstring extension is not enabled' => 'Mbstring àŠàŠà§àŠžàŠà§àŠšàŠ¶àŠš àŠžàŠà§àŠ°àŠżàŠŻàŠŒ àŠàŠ°àŠŸ àŠšà§àŠ',
+ 'PHP magic quotes option is enabled' => 'PHP magic quotes àŠ
àŠȘàŠ¶àŠšàŠàŠż àŠžàŠà§àŠ°àŠżàŠŻàŠŒ àŠàŠ°àŠŸ',
+ 'Dom extension is not loaded' => 'Dom àŠàŠà§àŠžàŠà§àŠšàŠ¶àŠš àŠČà§àŠĄ àŠàŠ°àŠŸ àŠčàŠŻàŠŒ àŠšàŠż',
+ 'PDO MySQL extension is not loaded' => 'PDO MySQLàŠàŠà§àŠžàŠà§àŠšàŠ¶àŠš àŠČà§àŠĄ àŠàŠ°àŠŸ àŠčàŠŻàŠŒ àŠšàŠż',
+ 'Server name is not valid' => 'àŠžàŠŸàŠ°à§àŠàŠŸàŠ°à§àŠ° àŠšàŠŸàŠź àŠžàŠ àŠżàŠ àŠšà§ ',
+ 'You must enter a database name' => 'àŠàŠȘàŠšàŠŸàŠà§ àŠàŠàŠàŠż àŠĄàŠŸàŠàŠŸàŠŹà§àŠžà§àŠ° àŠšàŠŸàŠź àŠČàŠżàŠàŠ€à§ àŠčàŠŹà§',
+ 'You must enter a database login' => 'àŠàŠȘàŠšàŠŸàŠà§ àŠàŠàŠàŠż àŠĄàŠŸàŠàŠŸàŠŹà§àŠž àŠČàŠàŠàŠš àŠ„à§àŠà§ àŠȘà§àŠ°àŠŹà§àŠ¶ àŠàŠ°àŠ€à§ àŠčàŠŹà§',
+ 'Tables prefix is invalid' => 'àŠà§àŠŹàŠżàŠČ àŠȘà§àŠ°àŠżàŠ«àŠżàŠà§àŠž àŠà§àŠČ',
+ 'Cannot convert database data to utf-8' => ' àŠĄàŠŸàŠàŠŸàŠŹà§àŠžà§àŠ° àŠ€àŠ„à§àŠŻ utf-8 àŠ àŠ°à§àŠȘàŠŸàŠšà§àŠ€àŠ° àŠàŠ°àŠ€à§ àŠȘàŠŸàŠ°àŠŹà§àŠš àŠšàŠŸ',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'àŠàŠàŠ àŠȘà§àŠ°àŠżàŠ«àŠżàŠà§àŠž àŠŻà§àŠà§àŠ€ àŠàŠźàŠȘàŠà§àŠ·à§ àŠàŠ°àŠ àŠàŠàŠàŠż àŠà§àŠŹàŠżàŠČ àŠȘàŠŸàŠà§àŠŸ àŠà§àŠà§,àŠàŠȘàŠšàŠŸàŠ° àŠȘà§àŠ°àŠżàŠ«àŠżàŠà§àŠž àŠŹàŠŠàŠČàŠŸàŠš àŠ
àŠ„àŠŹàŠŸ àŠĄàŠŸàŠàŠŸàŠŹà§àŠž àŠĄà§àŠ°àŠȘ àŠàŠ°à§àŠš',
+ 'The values of auto_increment increment and offset must be set to 1' => 'The values of auto_increment increment and offset must be set to 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'àŠĄàŠŸàŠàŠŸàŠŹà§àŠž àŠžàŠŸàŠ°à§àŠàŠŸàŠ° àŠà§àŠàŠà§ àŠȘàŠŸàŠàŠŻàŠŒàŠŸ àŠŻàŠŸàŠŻàŠŒ àŠšàŠżà„€àŠČàŠàŠàŠš, àŠȘàŠŸàŠžàŠàŠŻàŠŒàŠŸàŠ°à§àŠĄ àŠàŠŹàŠ àŠžàŠŸàŠ°à§àŠàŠŸàŠ° àŠà§àŠ·à§àŠ€à§àŠ° àŠŠàŠŻàŠŒàŠŸ àŠàŠ°à§ àŠŻàŠŸàŠàŠŸàŠ àŠàŠ°à§àŠšà„€',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'MySQLàŠžàŠŸàŠ°à§àŠàŠŸàŠ°à§ àŠžàŠàŠŻà§àŠ àŠžàŠ«àŠČ àŠčàŠàŠà§,àŠàŠżàŠšà§àŠ€à§ àŠĄàŠŸàŠàŠŸàŠŹà§àŠž "%s" àŠà§àŠà§ àŠȘàŠŸàŠà§àŠŸ àŠŻàŠŸà§ àŠšàŠż',
+ 'Attempt to create the database automatically' => 'àŠžà§àŠŹàŠŻàŠŒàŠàŠà§àŠ°àŠżàŠŻàŠŒàŠàŠŸàŠŹà§ àŠĄàŠŸàŠàŠŸàŠŹà§àŠž àŠ€à§àŠ°àŠż àŠàŠ°àŠŸàŠ° àŠà§àŠ·à§àŠàŠŸ àŠàŠ°à§àŠš',
+ '%s file is not writable (check permissions)' => '%sàŠ«àŠŸàŠàŠČ àŠČàŠżàŠàŠšàŠŻà§àŠà§àŠŻ àŠšàŠŻàŠŒ(àŠ
àŠšà§àŠźàŠ€àŠż àŠà§àŠ àŠàŠ°à§àŠš)',
+ '%s folder is not writable (check permissions)' => '%sàŠ«à§àŠČà§àŠĄàŠŸàŠ° àŠČàŠżàŠàŠšàŠŻà§àŠà§àŠŻ àŠšàŠŻàŠŒ(àŠ
àŠšà§àŠźàŠ€àŠż àŠà§àŠ àŠàŠ°à§àŠš) ',
+ 'Cannot write settings file' => 'àŠžà§àŠàŠżàŠàŠž àŠ«àŠŸàŠàŠČ àŠ°àŠŸàŠàŠ àŠàŠ°àŠŸ àŠŻàŠŸà§ àŠšàŠż ',
+ 'Database structure file not found' => 'àŠĄàŠŸàŠàŠŸàŠŹà§àŠ àŠàŠŸàŠ àŠŸàŠźà§ àŠ«àŠŸàŠàŠČ àŠà§àŠàŠà§ àŠȘàŠŸàŠàŠŻàŠŒàŠŸ àŠŻàŠŸàŠŻàŠŒ àŠšàŠż',
+ 'Cannot create group shop' => 'àŠà§àŠ°à§àŠȘ àŠŠà§àŠàŠŸàŠš àŠ€à§àŠ°àŠż àŠàŠ°àŠŸ àŠŻàŠŸà§ àŠšàŠż ',
+ 'Cannot create shop' => ' àŠŠà§àŠàŠŸàŠš àŠ€à§àŠ°àŠż àŠàŠ°àŠŸ àŠŻàŠŸà§ àŠšàŠż ',
+ 'Cannot create shop URL' => ' àŠŠà§àŠàŠŸàŠšà§àŠ° URL àŠ€à§àŠ°àŠż àŠàŠ°àŠŸ àŠŻàŠŸà§ àŠšàŠż ',
+ 'File "language.xml" not found for language iso "%s"' => '"language.xml"àŠ«àŠŸàŠàŠČ àŠàŠż language iso "%s" àŠ€à§ àŠȘàŠŸàŠà§àŠŸ àŠŻàŠŸà§ àŠšàŠż',
+ 'File "language.xml" not valid for language iso "%s"' => '"language.xml" àŠ«àŠŸàŠàŠČ àŠàŠż language iso "%s àŠàŠ° àŠàŠšà§àŠŻ àŠžàŠ àŠżàŠ àŠšà§',
+ 'Cannot install language "%s"' => ' "%s" àŠàŠŸàŠ·àŠŸ àŠàŠšàŠžà§àŠàŠČ àŠàŠ°àŠŸ àŠŻàŠŸàŠà§àŠà§ àŠšàŠŸ',
+ 'Cannot copy flag language "%s"' => '"%s" àŠ«à§àŠČàŠŸàŠ àŠàŠŸàŠ·àŠŸ àŠàŠȘàŠż àŠàŠ°àŠŸ àŠŻàŠŸàŠà§àŠà§ àŠšàŠŸ ',
+ 'Cannot create admin account' => 'àŠàŠĄàŠźàŠżàŠš àŠ
à§àŠŻàŠŸàŠàŠŸàŠàŠšà§àŠ àŠ€à§àŠ°àŠż àŠàŠ°àŠŸ àŠŻàŠŸà§ àŠšàŠż ',
+ 'Cannot install module "%s"' => '"%s" àŠźàŠĄàŠżàŠàŠČ àŠàŠšàŠžà§àŠàŠČ àŠàŠ°àŠŸ àŠŻàŠŸàŠà§àŠà§ àŠšàŠŸ',
+ 'Fixtures class "%s" not found' => '"%s" Fixtures class àŠȘàŠŸàŠà§àŠŸ àŠŻàŠŸà§ àŠšàŠż',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" àŠà§ àŠ
àŠŹàŠ¶à§àŠŻàŠ "InstallXmlLoader" àŠàŠ° àŠàŠàŠàŠż instaneàŠčàŠ€à§ àŠčàŠŹà§',
+ 'Information about your Store' => 'àŠàŠȘàŠšàŠŸàŠ° àŠŠà§àŠàŠŸàŠš àŠžàŠźà§àŠȘàŠ°à§àŠà§ àŠ€àŠ„à§àŠŻ',
+ 'Shop name' => 'àŠŠà§àŠàŠŸàŠš àŠàŠ° àŠšàŠŸàŠź',
+ 'Main activity' => 'àŠźà§àŠà§àŠŻ àŠàŠŸàŠ°à§àŠŻàŠàŠČàŠŸàŠȘ',
+ 'Please choose your main activity' => 'àŠàŠȘàŠšàŠŸàŠ° àŠȘà§àŠ°àŠ§àŠŸàŠš àŠàŠŸàŠ°à§àŠŻàŠàŠČàŠŸàŠȘ àŠŹà§àŠà§ àŠšàŠżàŠš',
+ 'Other activity...' => 'àŠ
àŠšà§àŠŻ àŠàŠŸàŠ°à§àŠŻàŠàŠČàŠŸàŠȘ ...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'àŠàŠźàŠ°àŠŸ àŠŻàŠŸàŠ€à§ àŠàŠȘàŠšàŠŸàŠà§ àŠàŠȘàŠšàŠŸàŠ° àŠŹà§àŠŻàŠŹàŠžàŠŸàŠ° àŠàŠšà§àŠŻ àŠ
àŠšà§àŠà§àŠČ àŠšàŠżàŠ°à§àŠŠà§àŠ¶àŠżàŠàŠŸ àŠàŠŹàŠ àŠžàŠ°à§àŠŹà§àŠ€à§àŠ€àŠź àŠŹà§àŠ¶àŠżàŠ·à§àŠà§àŠŻ àŠ
àŠ«àŠŸàŠ° àŠàŠ°àŠ€à§ àŠȘàŠŸàŠ°àŠż àŠžà§àŠàŠšà§àŠŻ àŠàŠźàŠŸàŠŠà§àŠ° àŠàŠȘàŠšàŠŸàŠ° àŠŠà§àŠàŠŸàŠš àŠžàŠźà§àŠŹàŠšà§àŠ§à§ àŠàŠ°àŠ àŠàŠŸàŠšàŠ€à§ àŠžàŠŸàŠčàŠŸàŠŻà§àŠŻ àŠàŠ°à§àŠš!',
+ 'Install demo products' => 'àŠĄà§àŠźà§àŠŸ àŠȘàŠŁà§àŠŻ àŠàŠšàŠžà§àŠàŠČ àŠàŠ°à§àŠš',
+ 'Yes' => 'àŠčà§àŠŻàŠŸàŠ',
+ 'No' => 'àŠšàŠŸ',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'àŠĄà§àŠźà§ àŠȘàŠŁà§àŠŻ PrestaShopàŠàŠ° àŠŹà§àŠŻàŠŹàŠčàŠŸàŠ° àŠ¶àŠżàŠàŠŸàŠ° àŠàŠàŠàŠż àŠàŠŸàŠČৠàŠàŠȘàŠŸàŠŻàŠŒà„€àŠàŠȘàŠšàŠż àŠŻàŠŠàŠż àŠàŠàŠŸàŠ° àŠžàŠŸàŠ„à§ àŠȘàŠ°àŠżàŠàŠżàŠ€ àŠšàŠŸ àŠčàŠš, àŠ€àŠŸàŠčàŠČà§ àŠ€àŠŸàŠŠà§àŠ° àŠàŠšàŠžà§àŠàŠČ àŠàŠ°àŠŸ àŠàŠàŠżàŠ€à„€',
+ 'Country' => 'àŠŠà§àŠ¶',
+ 'Select your country' => 'àŠàŠȘàŠšàŠŸàŠ° àŠŠà§àŠ¶ àŠšàŠżàŠ°à§àŠŹàŠŸàŠàŠš àŠàŠ°à§àŠš',
+ 'Shop timezone' => 'àŠŠà§àŠàŠŸàŠšà§àŠ° àŠžàŠźà§ àŠ
àŠà§àŠàŠČ (timezone)',
+ 'Select your timezone' => 'àŠàŠȘàŠšàŠŸàŠ° àŠžàŠźàŠŻàŠŒ àŠ
àŠà§àŠàŠČ àŠšàŠżàŠ°à§àŠŹàŠŸàŠàŠš àŠàŠ°à§àŠš',
+ 'Shop logo' => 'àŠŠà§àŠàŠŸàŠš àŠČà§àŠà§',
+ 'Optional - You can add you logo at a later time.' => 'àŠàŠà§àŠàŠżàŠ - àŠȘàŠ°àŠŹàŠ°à§àŠ€à§ àŠžàŠźàŠŻàŠŒà§ àŠČà§àŠà§ àŠŻà§àŠ àŠàŠ°àŠ€à§ àŠȘàŠŸàŠ°à§àŠš.',
+ 'Your Account' => 'àŠàŠȘàŠšàŠŸàŠ° àŠ
à§àŠŻàŠŸàŠàŠŸàŠàŠšà§àŠ',
+ 'First name' => 'àŠšàŠŸàŠźà§àŠ° àŠȘà§àŠ°àŠ„àŠźàŠŸàŠàŠ¶',
+ 'Last name' => 'àŠšàŠŸàŠźà§àŠ° àŠ¶à§àŠ·àŠŸàŠàŠ¶',
+ 'E-mail address' => 'àŠàŠźà§àŠàŠČ àŠ àŠżàŠàŠŸàŠšàŠŸ',
+ 'This email address will be your username to access your store\'s back office.' => 'àŠàŠ àŠàŠźà§àŠàŠČ àŠ àŠżàŠàŠŸàŠšàŠŸ àŠàŠȘàŠšàŠŸàŠ° àŠŠà§àŠàŠŸàŠš àŠàŠ° àŠŹà§àŠŻàŠŸàŠ àŠ
àŠ«àŠżàŠž àŠ
à§àŠŻàŠŸàŠà§àŠžà§àŠž àŠàŠ°àŠ€à§ àŠàŠȘàŠšàŠŸàŠ° àŠàŠàŠàŠŸàŠ°àŠšà§àŠź àŠčàŠŹà§',
+ 'Shop password' => 'àŠŠà§àŠàŠŸàŠšà§àŠ° àŠȘàŠŸàŠžàŠàŠŻàŠŒàŠŸàŠ°à§àŠĄ',
+ 'Must be at least 8 characters' => 'àŠàŠ àŠ
àŠà§àŠ·àŠ° àŠšà§àŠšà§àŠŻàŠ€àŠź',
+ 'Re-type to confirm' => 'àŠšàŠżàŠ¶à§àŠàŠżàŠ€ àŠàŠ°àŠŸàŠ° àŠàŠšà§àŠŻ àŠàŠŹàŠŸàŠ° àŠàŠŸàŠàŠȘ àŠàŠ°à§àŠš',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .',
+ 'Configure your database by filling out the following fields' => 'àŠšàŠżàŠźà§àŠšàŠČàŠżàŠàŠżàŠ€ àŠà§àŠ·à§àŠ€à§àŠ°àŠà§àŠČàŠż àŠȘà§àŠ°àŠŁ àŠàŠ°à§ àŠàŠȘàŠšàŠŸàŠ° àŠĄàŠŸàŠàŠŸàŠŹà§àŠž àŠàŠšàŠ«àŠżàŠàŠŸàŠ° àŠàŠ°à§àŠš',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'PrestaShop àŠŹà§àŠŻàŠŹàŠčàŠŸàŠ° àŠàŠ°àŠ€à§, àŠàŠȘàŠšàŠŸàŠà§ àŠ
àŠŹàŠ¶à§àŠŻàŠ a href="http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Creatingadatabaseforyourshop" target="_blank">create a database àŠàŠȘàŠšàŠŸàŠ° àŠŠà§àŠàŠŸàŠš àŠžàŠźà§àŠȘàŠ°à§àŠàŠżàŠ€ àŠžàŠàŠČ àŠ€àŠ„à§àŠŻ àŠžàŠàŠà§àŠ°àŠč àŠàŠ°àŠŸàŠ° àŠàŠšà§àŠŻ ',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'PrestaShop àŠàŠȘàŠšàŠŸàŠ° àŠĄàŠŸàŠàŠŸàŠŹà§àŠžà§àŠ° àŠžàŠŸàŠ„à§ àŠžàŠàŠŻà§àŠ àŠàŠ°àŠŸàŠ° àŠàŠšà§àŠŻ àŠšà§àŠà§àŠ° àŠà§àŠ·à§àŠ€à§àŠ°àŠà§àŠČàŠż àŠȘà§àŠ°àŠŁ àŠàŠ°à§àŠš.',
+ 'Database server address' => 'àŠĄàŠŸàŠàŠŸàŠŹà§àŠž àŠžàŠŸàŠ°à§àŠàŠŸàŠ°à§àŠ° àŠ àŠżàŠàŠŸàŠšàŠŸ',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'àŠĄàŠżàŠ«àŠČà§àŠ àŠȘà§àŠ°à§àŠ àŠčàŠČ 3306à„€àŠàŠżàŠšà§àŠš àŠȘà§àŠ°à§àŠ àŠŹà§àŠŻàŠŹàŠčàŠŸàŠ° àŠàŠ°àŠ€à§ àŠčàŠČৠàŠàŠȘàŠšàŠŸàŠ° àŠžàŠŸàŠ°à§àŠàŠŸàŠ°à§àŠ° àŠ àŠżàŠàŠŸàŠšàŠŸ àŠàŠŹàŠ àŠ¶à§àŠ·à§ àŠȘà§àŠ°à§àŠ àŠžàŠàŠà§àŠŻàŠŸ àŠŻà§àŠ àŠàŠ°à§àŠšà„€àŠŻà§àŠźàŠš-":4242". ',
+ 'Database name' => 'àŠĄà§àŠàŠŸàŠŹà§àŠž àŠšàŠŸàŠź',
+ 'Database login' => 'àŠĄàŠŸàŠàŠŸàŠŹà§àŠž àŠČàŠàŠàŠš',
+ 'Database password' => 'àŠĄàŠŸàŠàŠŸàŠŹà§àŠ àŠȘàŠŸàŠžàŠàŠŻàŠŒàŠŸàŠ°à§àŠĄ',
+ 'Database Engine' => 'àŠĄàŠŸàŠàŠŸàŠŹà§àŠž àŠàŠà§àŠàŠżàŠš',
+ 'Tables prefix' => 'àŠà§àŠŹàŠżàŠČ àŠȘà§àŠ°àŠżàŠ«àŠżàŠà§àŠžàŠ',
+ 'Drop existing tables (mode dev)' => 'àŠŹàŠżàŠŠà§àŠŻàŠźàŠŸàŠš àŠà§àŠŹàŠżàŠČ àŠĄà§àŠ°àŠȘ àŠàŠ°à§àŠš(mode dev)',
+ 'Test your database connection now!' => 'àŠàŠàŠš àŠàŠȘàŠšàŠŸàŠ° àŠĄàŠŸàŠàŠŸàŠŹà§àŠž àŠžàŠàŠŻà§àŠ àŠȘàŠ°à§àŠà§àŠ·àŠŸ àŠàŠ°à§àŠš!',
+ 'Next' => 'àŠȘàŠ°àŠŹàŠ°à§àŠ€à§ ',
+ 'Back' => 'àŠȘà§àŠàŠšà§',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.',
+ 'Official forum' => 'àŠ
àŠ«àŠżàŠžàŠżàŠŻàŠŒàŠŸàŠČ àŠ«à§àŠ°àŠŸàŠź',
+ 'Support' => 'àŠžàŠčàŠŸàŠŻàŠŒàŠ€àŠŸ',
+ 'Documentation' => 'àŠšàŠ„àŠżàŠȘàŠ€à§àŠ° àŠàŠ°àŠš',
+ 'Contact us' => 'àŠàŠźàŠŸàŠŠà§àŠ° àŠžàŠŸàŠ„à§ àŠŻà§àŠàŠŸàŠŻà§àŠ àŠàŠ°à§àŠš',
+ 'PrestaShop Installation Assistant' => 'PrestaShop àŠàŠšàŠžà§àŠàŠČà§àŠ¶àŠš àŠžàŠčàŠàŠŸàŠ°à§',
+ 'Forum' => 'àŠ«à§àŠ°àŠŸàŠź',
+ 'Blog' => 'àŠŹà§àŠČàŠ',
+ 'Contact us!' => 'àŠàŠźàŠŸàŠŠà§àŠ° àŠžàŠŸàŠ„à§ àŠŻà§àŠàŠŸàŠŻà§àŠ àŠàŠ°à§àŠš',
+ 'menu_welcome' => 'àŠàŠȘàŠšàŠŸàŠ° àŠàŠŸàŠ·àŠŸ àŠšàŠżàŠ°à§àŠŹàŠŸàŠàŠš àŠàŠ°à§àŠš',
+ 'menu_license' => 'àŠČàŠŸàŠàŠžà§àŠšà§àŠž àŠà§àŠà§àŠ€àŠż ',
+ 'menu_system' => 'àŠžàŠżàŠžà§àŠà§àŠź àŠȘà§àŠ°à§à§àŠàŠšà§à§àŠ€àŠŸ',
+ 'menu_configure' => 'àŠŠà§àŠàŠŸàŠš àŠàŠ° àŠ€àŠ„à§àŠŻ',
+ 'menu_database' => 'àŠžàŠżàŠžà§àŠà§àŠź àŠàŠšàŠ«àŠżàŠàŠŸàŠ°à§àŠžàŠš',
+ 'menu_process' => 'àŠŠà§àŠàŠŸàŠš àŠàŠšà§àŠžàŠàŠČà§àŠžàŠš ',
+ 'Installation Assistant' => 'àŠàŠšàŠžà§àŠàŠČà§àŠ¶àŠš àŠžàŠčàŠàŠŸàŠ°à§',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'PrestaShop àŠàŠšàŠžà§àŠàŠČ àŠàŠ°àŠŸàŠ° àŠàŠšà§àŠŻ,àŠàŠȘàŠšàŠŸàŠà§ àŠàŠŸàŠàŠŸàŠžà§àŠà§àŠ°àŠżàŠȘà§àŠ àŠàŠȘàŠšàŠŸàŠ° àŠŹà§àŠ°àŠŸàŠàŠàŠŸàŠ°à§ àŠžàŠà§àŠ°àŠżàŠŻàŠŒ àŠàŠ°àŠ€à§ àŠčàŠŹà§',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/',
+ 'License Agreements' => 'àŠČàŠŸàŠàŠžà§àŠšà§àŠž àŠà§àŠà§àŠ€àŠż',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'PrestaShop àŠŠà§àŠŹàŠŸàŠ°àŠŸ àŠŹàŠżàŠšàŠŸàŠźà§àŠČà§àŠŻà§ àŠŠà§àŠàŠŻàŠŒàŠŸ àŠ
àŠšà§àŠ àŠŹà§àŠ¶àŠżàŠ·à§àŠà§àŠŻ àŠà§àŠ àŠàŠ°àŠ€à§, àŠšà§àŠà§àŠ° àŠČàŠŸàŠàŠžà§àŠšà§àŠž àŠ¶àŠ°à§àŠ€ àŠŠàŠŻàŠŒàŠŸ àŠàŠ°à§ àŠȘàŠĄàŠŒà§àŠšà„€PrestaShop àŠà§àŠ°, OSL 3.0 àŠàŠ° àŠ
àŠ§à§àŠšà§ àŠČàŠŸàŠàŠžà§àŠšà§àŠž àŠàŠ°àŠŸ àŠčàŠŻàŠŒ àŠàŠŹàŠ àŠźàŠĄàŠżàŠàŠČ, àŠàŠŹàŠ àŠ„àŠżàŠźàŠà§àŠČàŠż afl 3.0 àŠ
àŠ§à§àŠšà§ àŠČàŠŸàŠàŠžà§àŠšà§àŠž àŠàŠ°àŠŸ àŠčàŠŻàŠŒ',
+ 'I agree to the above terms and conditions.' => 'àŠàŠźàŠż àŠàŠȘàŠ°à§àŠ° àŠ¶àŠ°à§àŠ€àŠŸàŠŹàŠČà§àŠ° àŠžàŠŸàŠ„à§ àŠžàŠźà§àŠźàŠ€ ',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'àŠàŠźàŠż àŠàŠźàŠŸàŠ° àŠàŠšàŠ«àŠżàŠàŠŸàŠ°à§àŠ¶àŠš àŠžàŠźà§àŠȘàŠ°à§àŠà§ àŠŹà§àŠšàŠŸàŠźà§ àŠ€àŠ„à§àŠŻ àŠȘàŠŸàŠ àŠżàŠŻàŠŒà§ àŠžàŠźàŠŸàŠ§àŠŸàŠš àŠàŠšà§àŠšàŠ€àŠżàŠ€à§ àŠ
àŠàŠ¶àŠà§àŠ°àŠčàŠŁà§àŠ° àŠàŠšà§àŠŻ àŠžàŠźà§àŠźàŠ€ ',
+ 'Done!' => 'àŠžàŠźà§àŠȘàŠšà§àŠš!',
+ 'An error occurred during installation...' => 'àŠàŠšàŠžà§àŠàŠČà§àŠ¶àŠšà§àŠ° àŠžàŠźàŠŻàŠŒ àŠàŠàŠàŠż àŠ€à§àŠ°à§àŠàŠż àŠàŠà§àŠà§ ...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'àŠàŠȘàŠšàŠż àŠŹàŠŸàŠź àŠàŠČàŠŸàŠźà§àŠ° àŠȘàŠżàŠàŠšà§ àŠ«à§àŠ°àŠŸàŠ° àŠČàŠżàŠà§àŠ àŠŠàŠżà§à§ àŠàŠà§àŠ° àŠ§àŠŸàŠȘà§ àŠ«àŠżàŠ°à§ àŠŻà§àŠ€à§ àŠȘàŠŸàŠ°à§àŠš àŠ
àŠ„àŠŹàŠŸ àŠàŠšàŠžà§àŠàŠČà§àŠ¶àŠš àŠȘà§àŠ°àŠà§àŠ°àŠżàŠŻàŠŒàŠŸ àŠȘà§àŠšàŠ°àŠŸàŠŻàŠŒ àŠàŠ°àŠźà§àŠ àŠàŠ°à§àŠš-clicking here . àŠčàŠ€à§',
+ 'Your installation is finished!' => 'àŠàŠȘàŠšàŠŸàŠ° àŠàŠšàŠžà§àŠàŠČà§àŠ¶àŠš àŠžàŠźàŠŸàŠȘà§àŠ€!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => ' àŠàŠȘàŠšàŠŸàŠ° àŠŠà§àŠàŠŸàŠš àŠàŠšàŠžà§àŠàŠČ àŠžàŠźàŠŸàŠȘà§àŠ€ àŠčàŠŻàŠŒà§àŠà§. PrestaShop àŠŹà§àŠŻàŠŹàŠčàŠŸàŠ°à§àŠ° àŠàŠšà§àŠŻ àŠàŠȘàŠšàŠŸàŠà§ àŠ§àŠšà§àŠŻàŠŹàŠŸàŠŠ!',
+ 'Please remember your login information:' => 'àŠàŠȘàŠšàŠŸàŠ° àŠČàŠàŠàŠš àŠ€àŠ„à§àŠŻ àŠŠàŠŻàŠŒàŠŸ àŠàŠ°à§ àŠźàŠšà§ àŠ°àŠŸàŠàŠŹà§àŠš',
+ 'E-mail' => 'àŠ àŠźà§àŠàŠČ',
+ 'Print my login information' => 'àŠàŠȘàŠšàŠŸàŠ° àŠČàŠàŠàŠš àŠ€àŠ„à§àŠŻ àŠźà§àŠŠà§àŠ°àŠŁ àŠàŠ°à§àŠš',
+ 'Password' => 'àŠȘàŠŸàŠžàŠàŠŻàŠŒàŠŸàŠ°à§àŠĄ',
+ 'Display' => 'àŠȘà§àŠ°àŠŠàŠ°à§àŠ¶àŠš ',
+ 'For security purposes, you must delete the "install" folder.' => 'àŠšàŠżàŠ°àŠŸàŠȘàŠ€à§àŠ€àŠŸàŠ° àŠàŠšà§àŠŻ "install" àŠ«à§àŠČà§àŠĄàŠŸàŠ° àŠźà§àŠà§ àŠ«à§àŠČàŠŸ àŠàŠŹàŠ¶à§àŠŻàŠ.',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'àŠŹà§àŠŻàŠŸàŠ àŠ
àŠ«àŠżàŠž',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'àŠàŠȘàŠšàŠŸàŠ° àŠŹà§àŠŻàŠŸàŠ àŠ
àŠ«àŠżàŠž àŠŹà§àŠŻàŠŹàŠčàŠŸàŠ° àŠàŠ°à§ àŠàŠȘàŠšàŠŸàŠ° àŠŠà§àŠàŠŸàŠš àŠȘàŠ°àŠżàŠàŠŸàŠČàŠšàŠŸ àŠàŠ°à§àŠšà„€àŠàŠȘàŠšàŠŸàŠ° àŠ
àŠ°à§àŠĄàŠŸàŠ° àŠàŠŹàŠ àŠà§àŠ°àŠŸàŠčàŠàŠŠà§àŠ°, àŠźàŠĄàŠżàŠàŠČ, àŠ„àŠżàŠź àŠȘàŠ°àŠżàŠŹàŠ°à§àŠ€àŠš , àŠàŠ€à§àŠŻàŠŸàŠŠàŠż àŠȘàŠ°àŠżàŠàŠŸàŠČàŠšàŠŸ àŠàŠ°à§àŠš',
+ 'Manage your store' => 'àŠàŠȘàŠšàŠŸàŠ° àŠŠà§àŠàŠŸàŠš àŠȘàŠ°àŠżàŠàŠŸàŠČàŠšàŠŸ àŠàŠ°à§àŠš',
+ 'Front Office' => 'àŠ«à§àŠ°àŠšà§àŠ àŠ
àŠ«àŠżàŠž',
+ 'Discover your store as your future customers will see it!' => 'àŠàŠȘàŠšàŠŸàŠ° àŠàŠŹàŠżàŠ·à§àŠŻàŠ€ àŠà§àŠ°àŠŸàŠčàŠ àŠŠà§àŠàŠ€à§ àŠȘàŠŸàŠŹà§ àŠàŠȘàŠšàŠŸàŠ° àŠŻà§ àŠŠà§àŠàŠŸàŠšàŠàŠż àŠ€àŠŸ àŠàŠŹàŠżàŠžà§àŠàŠŸàŠ° àŠàŠ°à§àŠš!',
+ 'Discover your store' => 'àŠàŠȘàŠšàŠŸàŠ° àŠŠà§àŠàŠŸàŠš àŠàŠšà§àŠźà§àŠàŠš àŠàŠ°à§àŠš',
+ 'Share your experience with your friends!' => 'àŠàŠȘàŠšàŠŸàŠ° àŠŹàŠšà§àŠ§à§àŠŠà§àŠ° àŠžàŠà§àŠà§ àŠàŠȘàŠšàŠŸàŠ° àŠ
àŠàŠżàŠà§àŠàŠ€àŠŸ àŠ¶à§àŠŻàŠŒàŠŸàŠ° àŠàŠ°à§àŠš!',
+ 'I just built an online store with PrestaShop!' => 'àŠàŠźàŠż PrestaShop àŠŠàŠżà§à§ àŠàŠàŠàŠż àŠ
àŠšàŠČàŠŸàŠàŠš àŠŠà§àŠàŠŸàŠš àŠšàŠżàŠ°à§àŠźàŠŸàŠŁ àŠàŠ°àŠČàŠŸàŠź!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Watch this exhilarating experience: http://vimeo.com/89298199',
+ 'Tweet' => 'àŠà§àŠàŠ',
+ 'Share' => 'àŠ¶à§à§àŠŸàŠ° ',
+ 'Google+' => 'Google+ ',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn ',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'àŠàŠȘàŠšàŠŸàŠ° àŠŠà§àŠàŠŸàŠšà§ àŠ
àŠ€àŠżàŠ°àŠżàŠà§àŠ€ àŠàŠżàŠà§ àŠŻà§àŠ àŠàŠ°àŠ€à§ PrestaShop àŠ
à§àŠŻàŠŸàŠĄàŠ
àŠšàŠž àŠȘàŠ°à§àŠà§àŠ·àŠŸ àŠàŠ°à§ àŠŠà§àŠà§àŠš!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'àŠàŠźàŠ°àŠŸ àŠŹàŠ°à§àŠ€àŠźàŠŸàŠšà§ àŠàŠȘàŠšàŠŸàŠ° àŠžàŠżàŠžà§àŠà§àŠź àŠȘàŠ°àŠżàŠŹà§àŠ¶à§àŠ° àŠžàŠà§àŠà§ PrestaShopàŠàŠ° àŠàŠȘàŠŻà§àŠà§àŠ€àŠ€àŠŸ àŠŻàŠŸàŠàŠŸàŠ àŠàŠ°àŠàŠż',
+ 'If you have any questions, please visit our documentation and community forum .' => 'àŠŻàŠŠàŠż àŠàŠȘàŠšàŠŸàŠ° àŠà§àŠš àŠȘà§àŠ°àŠ¶à§àŠš àŠ„àŠŸàŠà§, àŠ€àŠŸàŠčàŠČৠàŠ
àŠšà§àŠà§àŠ°àŠčàŠȘà§àŠ°à§àŠŹàŠ àŠàŠźàŠŸàŠŠà§àŠ° àŠšàŠ„àŠżàŠȘàŠ€à§àŠ° àŠàŠŹàŠ àŠàŠźà§àŠšàŠżàŠàŠż àŠ«à§àŠ°àŠŸàŠź . àŠȘàŠ°àŠżàŠŠàŠ°à§àŠ¶àŠš àŠàŠ°à§àŠš',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'àŠàŠȘàŠšàŠŸàŠ° àŠžàŠżàŠžà§àŠà§àŠźà§ àŠȘàŠ°àŠżàŠŹà§àŠ¶à§àŠ° àŠžàŠà§àŠà§ PrestaShop àŠàŠȘàŠŻà§àŠà§àŠ€àŠ€àŠŸ àŠŻàŠŸàŠàŠŸàŠ àŠàŠ°àŠŸ àŠčàŠŻàŠŒà§àŠà§!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => ' àŠšà§àŠà§àŠ° àŠàŠàŠà§àŠź (àŠà§àŠČàŠż) àŠŠàŠŻàŠŒàŠŸ àŠàŠ°à§ àŠžàŠ àŠżàŠ àŠàŠ°à§àŠš àŠ€àŠŸàŠ°àŠȘàŠ° àŠàŠȘàŠšàŠŸàŠ° àŠšàŠ€à§àŠš àŠžàŠżàŠžà§àŠà§àŠź àŠžàŠŸàŠźàŠà§àŠàŠžà§àŠŻà§àŠ° àŠȘàŠ°à§àŠà§àŠ·àŠŸ àŠàŠ°àŠ€à§ "Refresh information" àŠà§àŠČàŠżàŠ àŠàŠ°à§àŠš',
+ 'Refresh these settings' => 'àŠàŠ àŠžà§àŠàŠżàŠàŠž àŠ°àŠżàŠ«à§àŠ°à§àŠ¶ àŠàŠ°à§àŠš',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop àŠàŠŸàŠČàŠŸàŠ€à§ àŠ
àŠšà§àŠ€àŠ€ 32M àŠźà§àŠźàŠ°àŠż àŠȘà§àŠ°àŠŻàŠŒà§àŠàŠšà„€php.ini àŠ€à§ àŠàŠȘàŠšàŠŸàŠ° àŠźà§àŠźàŠ°àŠż àŠà§àŠ àŠàŠ°à§àŠš àŠ
àŠ„àŠŹàŠŸ àŠ
àŠ„àŠŹàŠŸ àŠàŠȘàŠšàŠŸàŠ° àŠčà§àŠžà§àŠ àŠžàŠ°àŠŹàŠ°àŠŸàŠčàŠàŠŸàŠ°à§àŠ° àŠžàŠŸàŠ„à§ àŠŻà§àŠàŠŸàŠŻà§àŠ àŠàŠ°à§àŠšà„€',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'àŠžàŠ€àŠ°à§àŠàŠŹàŠŸàŠ°à§àŠ€àŠŸ: àŠàŠȘàŠšàŠż àŠàŠȘàŠšàŠŸàŠ° àŠŠà§àŠàŠŸàŠš àŠàŠȘàŠà§àŠ°à§àŠĄ àŠàŠ°àŠ€à§ àŠàŠ° àŠàŠ àŠà§àŠČ àŠŹà§àŠŻàŠŹàŠčàŠŸàŠ° àŠàŠ°àŠ€à§ àŠȘàŠŸàŠ°àŠŹà§àŠš àŠšàŠŸ àŠàŠȘàŠšàŠŸàŠ° àŠàŠ€àŠżàŠźàŠ§à§àŠŻà§àŠ àŠàŠà§PrestaShop àŠžàŠàŠžà§àŠàŠ°àŠŁ %1$s àŠàŠšàŠžà§àŠàŠČ àŠàŠ°àŠŸ . àŠàŠȘàŠšàŠż àŠžàŠ°à§àŠŹàŠ¶à§àŠ· àŠžàŠàŠžà§àŠàŠ°àŠŁà§ àŠàŠȘàŠà§àŠ°à§àŠĄ àŠàŠ°àŠ€à§ àŠàŠŸàŠš àŠ€àŠŸàŠčàŠČৠàŠàŠźàŠŸàŠŠà§àŠ° àŠĄàŠà§àŠźà§àŠšà§àŠà§àŠ¶àŠš àŠŠàŠŻàŠŒàŠŸ àŠàŠ°à§ àŠȘàŠĄàŠŒà§àŠš:%2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'PrestaShop àŠàŠšàŠžà§àŠàŠČàŠŸàŠ° %s àŠ àŠžà§àŠŹàŠŸàŠàŠ€àŠź',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'PrestaShop àŠàŠšàŠžà§àŠàŠČà§àŠ¶àŠš àŠŠà§àŠ°à§àŠ€ àŠàŠŹàŠ àŠžàŠčàŠà„€ àŠźàŠŸàŠ€à§àŠ° àŠàŠŻàŠŒà§àŠ àŠźà§àŠčà§àŠ°à§àŠ€à§àŠ° àŠźàŠ§à§àŠŻà§, àŠàŠȘàŠšàŠż 230.000 àŠàŠ° àŠŹà§àŠ¶àŠż àŠŹàŠŁàŠżàŠàŠŠà§àŠ° àŠàŠàŠàŠż àŠàŠźàŠżàŠàŠšàŠżàŠàŠżàŠ° àŠ
àŠàŠ¶ àŠčàŠŻàŠŒà§ àŠŻàŠŸàŠŹà§àŠšà„€ àŠàŠȘàŠšàŠż àŠàŠȘàŠšàŠŸàŠ° àŠšàŠżàŠà§àŠ° àŠ
àŠžàŠŸàŠ§àŠŸàŠ°àŠš àŠŠà§àŠàŠŸàŠš àŠ€à§àŠ°àŠżàŠ° àŠȘàŠ„à§ àŠàŠà§àŠš àŠŻà§àŠàŠż àŠà§àŠŹ àŠžàŠčàŠà§ àŠȘà§àŠ°àŠ€àŠżàŠŠàŠżàŠš àŠźà§àŠŻàŠŸàŠšà§àŠ àŠàŠ°àŠ€à§ àŠȘàŠŸàŠ°àŠŹà§àŠšà„€',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .',
+ 'Continue the installation in:' => 'àŠ àŠàŠšàŠžà§àŠàŠČà§àŠ¶àŠš àŠàŠŸàŠČàŠżàŠŻàŠŒà§ àŠŻàŠŸàŠš: ',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'àŠàŠȘàŠ°à§àŠà§àŠ€ àŠàŠŸàŠ·àŠŸ àŠšàŠżàŠ°à§àŠŹàŠŸàŠàŠš àŠ¶à§àŠ§à§àŠźàŠŸàŠ€à§àŠ° àŠàŠšàŠžà§àŠàŠČà§àŠ¶àŠšà§àŠ° àŠžàŠčàŠàŠŸàŠ°à§àŠ° àŠàŠšà§àŠŻ àŠȘà§àŠ°àŠŻà§àŠà§àŠŻà„€àŠàŠȘàŠšàŠŸàŠ° àŠŠà§àŠàŠŸàŠš àŠàŠšàŠžà§àŠàŠČ àŠàŠ°àŠŸ àŠčàŠČà§,àŠàŠȘàŠšàŠż àŠàŠȘàŠ° àŠ„à§àŠà§ àŠàŠȘàŠšàŠŸàŠ° àŠŠà§àŠàŠŸàŠšà§àŠ° àŠàŠŸàŠ·àŠŸ àŠšàŠżàŠ°à§àŠŹàŠŸàŠàŠš àŠàŠ°àŠ€à§ àŠȘàŠŸàŠ°àŠŹà§àŠš àŠàŠàŠŠàŠź àŠŹàŠżàŠšàŠŸàŠźà§àŠČà§àŠŻà§!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'PrestaShop àŠàŠšàŠžà§àŠàŠČà§àŠ¶àŠš àŠŠà§àŠ°à§àŠ€ àŠàŠŹàŠ àŠžàŠčàŠà„€ àŠźàŠŸàŠ€à§àŠ° àŠàŠŻàŠŒà§àŠ àŠźà§àŠčà§àŠ°à§àŠ€à§àŠ° àŠźàŠ§à§àŠŻà§, àŠàŠȘàŠšàŠż 250.000 àŠàŠ° àŠŹà§àŠ¶àŠż àŠŹàŠŁàŠżàŠàŠŠà§àŠ° àŠàŠàŠàŠż àŠàŠźàŠżàŠàŠšàŠżàŠàŠżàŠ° àŠ
àŠàŠ¶ àŠčàŠŻàŠŒà§ àŠŻàŠŸàŠŹà§àŠšà„€ àŠàŠȘàŠšàŠż àŠàŠȘàŠšàŠŸàŠ° àŠšàŠżàŠà§àŠ° àŠ
àŠžàŠŸàŠ§àŠŸàŠ°àŠš àŠŠà§àŠàŠŸàŠš àŠ€à§àŠ°àŠżàŠ° àŠȘàŠ„à§ àŠàŠà§àŠš àŠŻà§àŠàŠż àŠà§àŠŹ àŠžàŠčàŠà§ àŠȘà§àŠ°àŠ€àŠżàŠŠàŠżàŠš àŠźà§àŠŻàŠŸàŠšà§àŠ àŠàŠ°àŠ€à§ àŠȘàŠŸàŠ°àŠŹà§àŠšà„€',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/bn/language.xml b/_install/langs/bn/language.xml
new file mode 100644
index 00000000..e058efde
--- /dev/null
+++ b/_install/langs/bn/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ bn-bd
+ m/j/Y
+ m/j/Y H:i:s
+ false
+
diff --git a/_install/langs/bn/mail_identifiers.txt b/_install/langs/bn/mail_identifiers.txt
new file mode 100644
index 00000000..3f768acb
--- /dev/null
+++ b/_install/langs/bn/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Hi {firstname} {lastname},
+
+Here is your personal login information for {shop_name}:
+
+Password: {passwd}
+E-mail address: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/br/data/carrier.xml b/_install/langs/br/data/carrier.xml
new file mode 100644
index 00000000..832a8dfc
--- /dev/null
+++ b/_install/langs/br/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Recuperar na loja
+
+
diff --git a/_install/langs/br/data/category.xml b/_install/langs/br/data/category.xml
new file mode 100644
index 00000000..10f6dc11
--- /dev/null
+++ b/_install/langs/br/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Origem
+
+ origem
+
+
+
+
+
+ InĂcio
+
+ inicio
+
+
+
+
+
diff --git a/_install/langs/br/data/cms.xml b/_install/langs/br/data/cms.xml
new file mode 100644
index 00000000..75a4a915
--- /dev/null
+++ b/_install/langs/br/data/cms.xml
@@ -0,0 +1,81 @@
+
+
+
+ Entrega
+ Nossos termos e condiçÔes de entrega
+ condiçÔes, entrega, atraso, envio, pacote
+ <h2>Envios e retornos</h2><h3>O envio do seu pedido</h3><p>Geralmente os envios são efetuados dentro de 2 dias após o recebimento do pagamento, via UPS com rastreamento, e entregues sem necessidade de assinatura. Se preferir a entrega por UPS Extra com assinatura exigida, serå aplicado um custo adicional, por isso, entre em contato conosco antes de escolher este meio. Seja qual for a escolha que fizer, iremos fornecer-lhe um link que permite o rastreamento da sua encomenda on-line.</p><p>As taxas de envio incluem o manuseio, o empacotamento e os custos de postagem. As taxas de manuseio são fixas, jå as de transporte variam de acordo com o peso total da encomenda. Aconselhamos que faça um só pedido com todos os seus produtos. Não podemos reunir dois pedidos diferentes efetuados separadamente, e as taxas de envio serão aplicadas para cada um. Sua encomenda serå enviada a seu próprio risco, mas um cuidado especial serå tomado para proteger os objetos frågeis.<br /><br />As caixas são espaçosas e sua mercadoria é bem protegida.</p>
+ entrega
+
+
+ AdvertĂȘncia Legal
+ AdvertĂȘncia legal
+ advertĂȘncia, legal, crĂ©ditos
+ <h2>Créditos</h2><h3>Legais</h3><p>Conceito e produção:</p><p>Esta loja on-line foi criada por meio do Software de carrinho de compras da PrestaShop<a href="http://www.prestashop.com"></a>. Confira o blog de comércio eletrÎnico da PrestaShop <a href="http://www.prestashop.com/blog/en/"></a> para obter novidades e conselhos sobre como vender on-line e operar seu site de comércio eletrÎnico.</p>
+ advertencia-legal
+
+
+ Termos e condiçÔes de utilização
+ Nossos termos e condiçÔes de utilização
+ condiçÔes, termos, utilização, venda
+ <h1 class="page-heading">Termos e condiçÔes de utilização</h1>
+<h3 class="page-subheading">Regra n.° 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">Regra n.° 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ю</p>
+<h3 class="page-subheading">Regra n.° 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ю</p>
+ termos-e-condicoes-de-utilizacao
+
+
+ Quem somos
+ Saiba mais sobre nĂłs
+ quem somos, informaçÔes
+ <h1 class="page-heading bottom-indent">Quem somos</h1>
+<div class="row">
+<div class="col-xs-12 col-sm-4">
+<div class="cms-block">
+<h3 class="page-subheading">Nossa empresa</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>Produtos de alta qualidade</li>
+<li><em class="icon-ok"></em>Melhor serviço ao cliente</li>
+<li><em class="icon-ok"></em>Garantia de devolução de dinheiro em 30 dias</li>
+</ul>
+</div>
+</div>
+<div class="col-xs-12 col-sm-4">
+<div class="cms-box">
+<h3 class="page-subheading">Nossa equipe</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">Depoimentos</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>
+ quem-somos
+
+
+ Pagamento seguro
+ Nosso meio de pagamento seguro
+ pagamento seguro, ssl, visa, mastercard, paypal
+ <h2>Pagamento seguro</h2>
+<h3>Nosso pagamento seguro</h3><p>Com o SSL</p>
+<h3>Pagar com Visa/Mastercard/Paypal</h3><p>Sobre este serviço</p>
+ pagamento-seguro
+
+
diff --git a/_install/langs/br/data/cms_category.xml b/_install/langs/br/data/cms_category.xml
new file mode 100644
index 00000000..8521b943
--- /dev/null
+++ b/_install/langs/br/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ InĂcio
+
+ inicio
+
+
+
+
+
diff --git a/_install/langs/br/data/configuration.xml b/_install/langs/br/data/configuration.xml
new file mode 100644
index 00000000..14dd1bd5
--- /dev/null
+++ b/_install/langs/br/data/configuration.xml
@@ -0,0 +1,24 @@
+
+
+
+ #FA
+
+
+ #EN
+
+
+ #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
+
+
+ Caro(a) cliente,
+
+Atenciosamente,
+Serviço ao cliente
+
+
diff --git a/_install/langs/br/data/contact.xml b/_install/langs/br/data/contact.xml
new file mode 100644
index 00000000..32c5e4f1
--- /dev/null
+++ b/_install/langs/br/data/contact.xml
@@ -0,0 +1,9 @@
+
+
+
+ Se ocorrer algum problema técnico neste site
+
+
+ Para qualquer pergunta sobre um produto, um pedido
+
+
diff --git a/_install/langs/br/data/country.xml b/_install/langs/br/data/country.xml
new file mode 100644
index 00000000..84581791
--- /dev/null
+++ b/_install/langs/br/data/country.xml
@@ -0,0 +1,735 @@
+
+
+
+ Alemanha
+
+
+ Áustria
+
+
+ Bélgica
+
+
+ Canadá
+
+
+ China
+
+
+ Espanha
+
+
+ Finlândia
+
+
+ França
+
+
+ Grécia
+
+
+ Itália
+
+
+ Japão
+
+
+ Luxemburgo
+
+
+ Holanda
+
+
+ Polônia
+
+
+ Portugal
+
+
+ República Tcheca
+
+
+ Reino Unido
+
+
+ Suécia
+
+
+ Suíça
+
+
+ Dinamarca
+
+
+ Estados Unidos
+
+
+ HongKong
+
+
+ Noruega
+
+
+ Australia
+
+
+ Singapura
+
+
+ Irlanda
+
+
+ Nova Zelândia
+
+
+ Coréa do Sul
+
+
+ Israel
+
+
+ África do Sul
+
+
+ Nigeria
+
+
+ Costa do Marfim
+
+
+ Togo
+
+
+ Bolivia
+
+
+ Mauritius
+
+
+ Romania
+
+
+ Slovakia
+
+
+ Algeria
+
+
+ Samoa Americana
+
+
+ Andorra
+
+
+ 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/_install/langs/br/data/gender.xml b/_install/langs/br/data/gender.xml
new file mode 100644
index 00000000..77aa0fb1
--- /dev/null
+++ b/_install/langs/br/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/br/data/group.xml b/_install/langs/br/data/group.xml
new file mode 100644
index 00000000..ea964a48
--- /dev/null
+++ b/_install/langs/br/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/br/data/index.php b/_install/langs/br/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/br/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/br/data/meta.xml b/_install/langs/br/data/meta.xml
new file mode 100644
index 00000000..3f4f58bb
--- /dev/null
+++ b/_install/langs/br/data/meta.xml
@@ -0,0 +1,165 @@
+
+
+
+ Erro 404
+ A pĂĄgina nĂŁo foi encontrada
+ error, 404, not found
+ pĂĄgina-nĂŁo-encontrada
+
+
+ Melhores vendas
+ Nossas melhores vendas
+ best sales
+ melhores-vendas
+
+
+ Entrar em contato conosco
+ Preencha o formulĂĄrio para entrar em contato conosco
+ contact, form, e-mail
+ entrar-em-contato-conosco
+
+
+
+ Loja desenvolvida pela PrestaShop
+ shop, prestashop
+
+
+
+ Fabricantes
+ Lista de fabricantes
+ manufacturer
+ fabricantes
+
+
+ Novos produtos
+ Nossos novos produtos
+ new, products
+ novos-produtos
+
+
+ Esqueceu a senha?
+ Digite o seu e-mail pessoal para se inscrever para receber um e-mail com uma nova senha
+ forgot, password, e-mail, new, reset
+ recuperar-senha
+
+
+ Preços em queda
+ Nossos produtos especiais
+ special, prices drop
+ preços-em-queda
+
+
+ Mapa do site
+ Perdido(a)? Encontre o que procura
+ sitemap
+ mapa do site
+
+
+ Fornecedores
+ Lista de fornecedores
+ supplier
+ fornecedor
+
+
+ Endereço
+
+
+ endereço
+
+
+ Endereços
+
+
+ endereços
+
+
+ Login
+
+
+ login
+
+
+ Carrinho
+
+
+ carrinho
+
+
+ Desconto
+
+
+ desconto
+
+
+ HistĂłrico de pedidos
+
+
+ histĂłrico-de-pedidos
+
+
+ Identificação
+
+
+ identificação
+
+
+ Minha conta
+
+
+ minha-conta
+
+
+ Acompanhar meu pedido
+
+
+ acompanhar-meu-pedido
+
+
+ Nota do pedido
+
+
+ nota-do-pedido
+
+
+ Pedido
+
+
+ pedido
+
+
+ Procurar
+
+
+ procurar
+
+
+ Lojas
+
+
+ lojas
+
+
+ Pedido
+
+
+ pedido-imediato
+
+
+ Acompanhamento do convidado
+
+
+ acompanhamento-do-convidado
+
+
+ Confirmação do pedido
+
+
+ confirmação-do-pedido
+
+
+ Comparação de produtos
+
+
+ comparação-de-produtos
+
+
diff --git a/_install/langs/br/data/order_return_state.xml b/_install/langs/br/data/order_return_state.xml
new file mode 100644
index 00000000..2dc9e8c4
--- /dev/null
+++ b/_install/langs/br/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ Aguardando confirmação
+
+
+ Aguardando empacotamento
+
+
+ Pacote recebido
+
+
+ Retorno recusado
+
+
+ Retorno efetuado
+
+
diff --git a/_install/langs/br/data/order_state.xml b/_install/langs/br/data/order_state.xml
new file mode 100644
index 00000000..b47cba53
--- /dev/null
+++ b/_install/langs/br/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ Aguardando o pagamento por cheque
+ cheque
+
+
+ Pagamento aceito
+ payment
+
+
+ Preparação em andamento
+ preparation
+
+
+ Enviado
+ shipped
+
+
+ Entregue
+
+
+
+ Cancelado
+ order_canceled
+
+
+ Reembolsado
+ refund
+
+
+ Erro no pagamento
+ payment_error
+
+
+ On backorder (paid)
+ outofstock
+
+
+ On backorder (not paid)
+ outofstock
+
+
+ Aguardando a transferĂȘncia do pagamento pelo banco
+ bankwire
+
+
+ Aguardando o pagamento pelo Paypal
+
+
+
+ Pagamento a distĂąncia aceito
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/br/data/profile.xml b/_install/langs/br/data/profile.xml
new file mode 100644
index 00000000..b388d5f2
--- /dev/null
+++ b/_install/langs/br/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/br/data/quick_access.xml b/_install/langs/br/data/quick_access.xml
new file mode 100644
index 00000000..11e92266
--- /dev/null
+++ b/_install/langs/br/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/br/data/risk.xml b/_install/langs/br/data/risk.xml
new file mode 100644
index 00000000..bb8bf6dd
--- /dev/null
+++ b/_install/langs/br/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/br/data/stock_mvt_reason.xml b/_install/langs/br/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..f765d9fc
--- /dev/null
+++ b/_install/langs/br/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Crescente
+
+
+ Decrescente
+
+
+ Pedido do cliente
+
+
+ Atualização após inventårio de estoque
+
+
+ Atualização após inventårio de estoque
+
+
+ TransferĂȘncia para outro depĂłsito
+
+
+ TransferĂȘncia de outro depĂłsito
+
+
+ Pedido de fornecimento
+
+
diff --git a/_install/langs/br/data/supplier_order_state.xml b/_install/langs/br/data/supplier_order_state.xml
new file mode 100644
index 00000000..dfc4ce42
--- /dev/null
+++ b/_install/langs/br/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/br/data/supply_order_state.xml b/_install/langs/br/data/supply_order_state.xml
new file mode 100644
index 00000000..53a993ef
--- /dev/null
+++ b/_install/langs/br/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Criação em andamento
+
+
+ 2 - Pedido validado
+
+
+ 3 - Recepção pendente
+
+
+ 4 - Pedido recebido parcialmente
+
+
+ 5 - Pedido recebido totalmente
+
+
+ 6 - Pedido cancelado
+
+
diff --git a/_install/langs/br/data/tab.xml b/_install/langs/br/data/tab.xml
new file mode 100644
index 00000000..9281bc9f
--- /dev/null
+++ b/_install/langs/br/data/tab.xml
@@ -0,0 +1,103 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/br/flag.jpg b/_install/langs/br/flag.jpg
new file mode 100644
index 00000000..adb72cf6
Binary files /dev/null and b/_install/langs/br/flag.jpg differ
diff --git a/_install/langs/br/img/br-default-category.jpg b/_install/langs/br/img/br-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/br/img/br-default-category.jpg differ
diff --git a/_install/langs/br/img/br-default-home.jpg b/_install/langs/br/img/br-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/br/img/br-default-home.jpg differ
diff --git a/_install/langs/br/img/br-default-large.jpg b/_install/langs/br/img/br-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/br/img/br-default-large.jpg differ
diff --git a/_install/langs/br/img/br-default-large_scene.jpg b/_install/langs/br/img/br-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/br/img/br-default-large_scene.jpg differ
diff --git a/_install/langs/br/img/br-default-medium.jpg b/_install/langs/br/img/br-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/br/img/br-default-medium.jpg differ
diff --git a/_install/langs/br/img/br-default-small.jpg b/_install/langs/br/img/br-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/br/img/br-default-small.jpg differ
diff --git a/_install/langs/br/img/br-default-thickbox.jpg b/_install/langs/br/img/br-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/br/img/br-default-thickbox.jpg differ
diff --git a/_install/langs/br/img/br-default-thumb_scene.jpg b/_install/langs/br/img/br-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/br/img/br-default-thumb_scene.jpg differ
diff --git a/_install/langs/br/img/br.jpg b/_install/langs/br/img/br.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/br/img/br.jpg differ
diff --git a/_install/langs/br/img/index.php b/_install/langs/br/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/br/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/br/index.php b/_install/langs/br/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/br/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/br/install.php b/_install/langs/br/install.php
new file mode 100644
index 00000000..4228e5d6
--- /dev/null
+++ b/_install/langs/br/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/forum/203-forum-brasileiro/',
+ 'blog' => 'http://www.prestashop.com/blog/pt/',
+ 'support' => 'https://www.prestashop.com/pt/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/pt/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'Ocorreu um erro SQL para a entidade %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'NĂŁo foi possĂvel criar imagem "%1$s" para a entidade "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'NĂŁo foi possĂvel criar imagem "%1$s" (permissĂŁo invĂĄlida na pasta "%2$s")',
+ 'Cannot create image "%s"' => 'NĂŁo foi possĂvel criar imagem "%s"',
+ 'SQL error on query %s ' => 'Erro SQL na consulta %s ',
+ '%s Login information' => '%s Informação de acesso',
+ 'Field required' => 'Campos obrigatĂłrios',
+ 'Invalid shop name' => 'Nome da loja invĂĄlido',
+ 'The field %s is limited to %d characters' => 'O campo %s estĂĄ limitado a %d caracteres',
+ 'Your firstname contains some invalid characters' => 'Seu nome contém alguns caracteres invålidos',
+ 'Your lastname contains some invalid characters' => 'Seu sobrenome contém alguns caracteres invålidos',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'A senha é invålida (alfa-numéricos com pelo menos 8 caracteres)',
+ 'Password and its confirmation are different' => 'A senha original e sua confirmação são diferentes',
+ 'This e-mail address is invalid' => 'E-mail errado!',
+ 'Image folder %s is not writable' => 'A pasta de imagem %s não tem permissÔes de escrita',
+ 'An error occurred during logo copy.' => 'Ocorreu um erro durante a cĂłpia do logotipo.',
+ 'An error occurred during logo upload.' => 'Um erro ocorreu durante o carregamento do logo',
+ 'Lingerie and Adult' => 'Lingerie e Adulto',
+ 'Animals and Pets' => 'Animais e Pets',
+ 'Art and Culture' => 'Arte e Cultura',
+ 'Babies' => 'BebĂȘs',
+ 'Beauty and Personal Care' => 'Beleza e Cuidados Pessoais',
+ 'Cars' => 'Carros',
+ 'Computer Hardware and Software' => 'InformĂĄtica',
+ 'Download' => 'Download',
+ 'Fashion and accessories' => 'Moda e acessĂłrios',
+ 'Flowers, Gifts and Crafts' => 'Flores, Presentes e Artesanatos',
+ 'Food and beverage' => 'Alimentos e Bebidas ',
+ 'HiFi, Photo and Video' => 'HiFi, Foto e VĂdeo',
+ 'Home and Garden' => 'Casa e Jardim',
+ 'Home Appliances' => 'Eletrodomésticos',
+ 'Jewelry' => 'JĂłias',
+ 'Mobile and Telecom' => 'Celular e Telecomunicação',
+ 'Services' => 'Serviços',
+ 'Shoes and accessories' => 'Sapatos e acessĂłrios',
+ 'Sports and Entertainment' => 'Esportes e Entretenimento',
+ 'Travel' => 'Viagens e Turismo',
+ 'Database is connected' => 'O banco de dados estĂĄ conectado',
+ 'Database is created' => 'Banco de dados foi criado',
+ 'Cannot create the database automatically' => 'NĂŁo foi possĂvel criar o banco de dados automaticamente',
+ 'Create settings.inc file' => 'Criando o arquivo settings.inc',
+ 'Create database tables' => 'Criando tabelas do banco de dados',
+ 'Create default shop and languages' => 'Criando a loja padrĂŁo e idiomas',
+ 'Populate database tables' => 'Preenchendo tabelas do banco de dados',
+ 'Configure shop information' => 'Configurando informaçÔes da loja',
+ 'Install demonstration data' => 'Instalando produtos de demonstração',
+ 'Install modules' => 'Instalando mĂłdulos',
+ 'Install Addons modules' => 'Instalando mĂłdulos do Addons',
+ 'Install theme' => 'Instalando o tema',
+ 'Required PHP parameters' => 'ParĂąmetros PHP obrigatĂłrios',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 ou acima nĂŁo estĂĄ ativado',
+ 'Cannot upload files' => 'NĂŁo Ă© possĂvel enviar arquivos',
+ 'Cannot create new files and folders' => 'NĂąo Ă© possĂvel criar novos arquivos e pastas',
+ 'GD library is not installed' => 'Biblioteca GD nĂŁo estĂĄ instalada',
+ 'MySQL support is not activated' => 'Suporte MySQL nĂŁo estĂĄ ativado',
+ 'Files' => 'Arquivos',
+ 'Not all files were successfully uploaded on your server' => 'Nem todos os arquivos foram carregados para o servidor com sucesso',
+ 'Permissions on files and folders' => 'PermissÔes em arquivos e pastas',
+ 'Recursive write permissions for %1$s user on %2$s' => 'PermissÔes de gravação recursivas para usuårio %1$s em %2$s',
+ 'Recommended PHP parameters' => 'ParĂąmetros PHP recomendados',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => 'VocĂȘ estĂĄ usando a versĂŁo do PHP %s. Em breve, a Ășltima versĂŁo suportada pelo PrestaShop serĂĄ a 5.4. Para garantir que a sua loja estarĂĄ pronta para futuras atualizaçÔes, recomendamos atualizar para a versĂŁo 5.4 agora!',
+ 'Cannot open external URLs' => 'NĂŁo Ă© possĂvel abrir URLs externas',
+ 'PHP register_globals option is enabled' => 'A opção PHP register_globals estå ativa',
+ 'GZIP compression is not activated' => 'CompressĂŁo GZIP nĂŁo estĂĄ ativada',
+ 'Mcrypt extension is not enabled' => 'ExtensĂŁo Mcrypt nĂŁo estĂĄ habilitada',
+ 'Mbstring extension is not enabled' => 'ExtensĂŁo Mbstring nĂŁo estĂĄ habilitada',
+ 'PHP magic quotes option is enabled' => 'Opção PHP magic_quotes estå habilitada',
+ 'Dom extension is not loaded' => 'ExtensĂŁo Dom nĂŁo estĂĄ carregada',
+ 'PDO MySQL extension is not loaded' => 'ExtensĂŁo PDO MySQL nĂŁo estĂĄ carregada',
+ 'Server name is not valid' => 'Nome do servidor nĂŁo Ă© vĂĄlido',
+ 'You must enter a database name' => 'VocĂȘ precisa informar o nome do banco de dados',
+ 'You must enter a database login' => 'VocĂȘ precisa informar o login do banco de dados',
+ 'Tables prefix is invalid' => 'O prefixo das tabelas Ă© invĂĄlido',
+ 'Cannot convert database data to utf-8' => 'NĂŁo Ă© possĂvel converter as informaçÔes do banco de dados para utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Pelo menos uma tabela com mesmo prefixo jĂĄ foi encontrada, por favor, mude seu prefixo ou exclua o seu banco de dados',
+ 'The values of auto_increment increment and offset must be set to 1' => 'Os valores de "auto_increment " e "offset" devem ser definidos como 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'O servidor do banco de dados nĂŁo foi encontrado. Por favor, verifique os campos de login, senha e servidor',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'A conexĂŁo para o servidor MySQL foi realizada com sucesso, mas o banco de dados "%s" nĂŁo foi encontrado',
+ 'Attempt to create the database automatically' => 'Tentativa de criar o banco de dados automaticamente',
+ '%s file is not writable (check permissions)' => 'O arquivo %s não pode ser escrito (verifique permissÔes)',
+ '%s folder is not writable (check permissions)' => 'A pasta %s não pode ser escrita (verifique permissÔes)',
+ 'Cannot write settings file' => 'NĂŁo foi possĂvel gravar o arquivo de configuraçÔes',
+ 'Database structure file not found' => 'Arquivo de estrutura do banco de dados nĂŁo encontrado',
+ 'Cannot create group shop' => 'NĂŁo foi possĂvel criar o grupo da loja',
+ 'Cannot create shop' => 'NĂŁo foi possĂvel criar a loja',
+ 'Cannot create shop URL' => 'NĂŁo foi possĂvel criar a URL da loja',
+ 'File "language.xml" not found for language iso "%s"' => 'O arquivo "language.xml" nĂŁo foi encontrado para o idioma iso "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'O arquivo "language.xml" nĂŁo Ă© vĂĄlido para o idioma iso "%s"',
+ 'Cannot install language "%s"' => 'NĂŁo foi possĂvel instalar o idioma "%s"',
+ 'Cannot copy flag language "%s"' => 'NĂŁo foi possĂvel copiar a bandeira do idioma "%s" ',
+ 'Cannot create admin account' => 'NĂŁo foi possĂvel criar a conta de administrador',
+ 'Cannot install module "%s"' => 'NĂŁo foi possĂvel instalar o mĂłdulo "%s"',
+ 'Fixtures class "%s" not found' => 'A classe fixtures "%s" nĂŁo foi encontrada',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" deve ser uma instĂąncia de "InstallXmlLoader"',
+ 'Information about your Store' => 'Informação sobre sua Loja',
+ 'Shop name' => 'Nome da loja',
+ 'Main activity' => 'Atividade Principal',
+ 'Please choose your main activity' => 'Por favor escolha sua atividade principal',
+ 'Other activity...' => 'Outra atividade...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Nos ajude a conhecer mais sobre a sua loja para que possamos oferecer melhor orientaçÔes e ótimos recursos para o seu negócio!',
+ 'Install demo products' => 'Instalar produtos de demonstração',
+ 'Yes' => 'Sim',
+ 'No' => 'NĂŁo',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Produtos de demonstração sĂŁo uma boa maneira de aprender como usar o PrestaShop. VocĂȘ deve instalĂĄ-los se vocĂȘ nĂŁo estiver familiarizado com a plataforma.',
+ 'Country' => 'PaĂs',
+ 'Select your country' => 'Selecione seu paĂs',
+ 'Shop timezone' => 'Fuso horĂĄrio da loja',
+ 'Select your timezone' => 'Selecione o seu fuso horĂĄrio',
+ 'Shop logo' => 'Logotipo da loja',
+ 'Optional - You can add you logo at a later time.' => 'Opcional â VocĂȘ pode adicionar o seu logo mais tarde.',
+ 'Your Account' => 'Sua Conta',
+ 'First name' => 'Nome',
+ 'Last name' => 'Sobrenome',
+ 'E-mail address' => 'E-mail',
+ 'This email address will be your username to access your store\'s back office.' => 'Este e-mail serĂĄ seu nome de usuĂĄrio para acessar a ĂĄrea administrativa da sua loja.',
+ 'Shop password' => 'Senha da loja',
+ 'Must be at least 8 characters' => 'MĂnimo de 8 caracteres',
+ 'Re-type to confirm' => 'Digite novamente para confirmar',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'Todas as informaçÔes que vocĂȘ nos dĂĄ sĂŁo coletadas e sujeitas ao processamento de dados estatĂsticos, elas sĂŁo necessĂĄrias para os membros da empresa PrestaShop responderem ĂĄs suas demandas e necessidades. Seus dados pessoais podem ser informados para parceiros e prestadores de serviços com relacionamento com o PrestaShop . Sob o documento atual "Act on Data Processing, Data Files and Individual Liberties" vocĂȘ tem o direito de acessar, corrigir e se opor acessando este link .',
+ 'Configure your database by filling out the following fields' => 'Configure o seu banco de dados preenchendo os seguintes campos',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Para usar o PrestaShop, vocĂȘ deve criar um banco de dados para coletar todas as atividades relacionadas aos dados de sua loja.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Por favor, complete os campos abaixo para que o PrestaShop possa se conectar ao seu banco de dados.',
+ 'Database server address' => 'Endereço do servidor do banco de dados',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'A porta padrĂŁo Ă© 3306. Para usar uma porta diferente, adicione o nĂșmero da porta no final do endereço do seu servidor, por exemplo â:4242â.',
+ 'Database name' => 'Nome do banco de dados',
+ 'Database login' => 'Login do banco de dados',
+ 'Database password' => 'Senha do banco de dados',
+ 'Database Engine' => 'Motor da base de dados',
+ 'Tables prefix' => 'Prefixo das tabelas',
+ 'Drop existing tables (mode dev)' => 'Excluir as tabelas existentes (mode dev)',
+ 'Test your database connection now!' => 'Teste a conexĂŁo do seu banco de dados agora!',
+ 'Next' => 'PrĂłximo',
+ 'Back' => 'Voltar',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Se precisar de assistĂȘncia, vocĂȘ pode obter ajuda personalizada da nossa equipe de suporte. A documentação oficial tambĂ©m pode lhe ajudar.',
+ 'Official forum' => 'FĂłrum oficial',
+ 'Support' => 'Suporte',
+ 'Documentation' => 'Documentação',
+ 'Contact us' => 'Fale conosco',
+ 'PrestaShop Installation Assistant' => 'Assistente de Instalação do PrestaShop',
+ 'Forum' => 'FĂłrum',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'Fale conosco!',
+ 'menu_welcome' => 'Escolha seu idioma',
+ 'menu_license' => 'Acordo de licença',
+ 'menu_system' => 'Compatibilidade do Sistema',
+ 'menu_configure' => 'InformaçÔes da Loja',
+ 'menu_database' => 'Configuração do sistema',
+ 'menu_process' => 'Instalação da Loja',
+ 'Installation Assistant' => 'Assistente de Instalação',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Para instalar o PrestaShop, vocĂȘ precisa ter JavaScript ativado no seu navegador',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/pt/',
+ 'License Agreements' => 'Acordo de licença',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Para aproveitar os muitos recursos que sĂŁo oferecidos gratuitamente pelo PrestaShop, por favor, leia os termos de licença abaixo. O nĂșcleo do PrestaShop Ă© licenciado sob OSL 3.0, enquanto os mĂłdulos e temas sĂŁo licenciados sob AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'Eu concordo com os termos e condiçÔes acima.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Eu concordo em participar na melhoria da solução enviando informaçÔes anÎnimas sobre a minha configuração.',
+ 'Done!' => 'Pronto!',
+ 'An error occurred during installation...' => 'Ocorreu um erro durante a instalação...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'VocĂȘ pode usar os links da coluna da esquerda para voltar Ă s etapas anteriores, ou reiniciar o processo de instalação clicando aqui .',
+ 'Your installation is finished!' => 'Sua instalação estå completa!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'VocĂȘ acabou de terminar de instalar sua loja. Obrigado por utilizar o PrestaShop!',
+ 'Please remember your login information:' => 'Por favor, memorize suas informaçÔes de acesso:',
+ 'E-mail' => 'Email',
+ 'Print my login information' => 'Imprimir meus dados de acesso',
+ 'Password' => 'Senha',
+ 'Display' => 'Exibir',
+ 'For security purposes, you must delete the "install" folder.' => 'Por questĂ”es de segurança, vocĂȘ deve apagar a pasta "install".',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Ărea Administrativa',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Gerencie sua loja usando sua Ărea Administrativa. Gerencie seus pedidos e clientes, adicione mĂłdulos, mude temas, etc...',
+ 'Manage your store' => 'Gerencie sua loja',
+ 'Front Office' => 'Loja',
+ 'Discover your store as your future customers will see it!' => 'Conheça a sua loja como seus futuros clientes vĂŁo vĂȘ-la!',
+ 'Discover your store' => 'Conheça sua loja',
+ 'Share your experience with your friends!' => 'Compartilhe sua experiĂȘncia com seus amigos!',
+ 'I just built an online store with PrestaShop!' => 'Acabei de construir uma loja online com o PrestaShop!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Assista a esta experiĂȘncia emocionante: http://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'Compartilhar',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Explore os mĂłdulos adicionais (Addons) do Prestashop para acrescentar algo mais Ă sua loja!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'Neste momento, nĂłs estamos verificando a compatibilidade do PrestaShop com seu ambiente de sistema',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Se vocĂȘ tiver alguma dĂșvida, por favor visite nossa documentação e nosso fĂłrum da comunidade .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'A compatibilidade do PrestaShop com seu ambiente de sistema foi verificada!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Ops! Por favor corrija os itens abaixo, e depois clique âAtualizar InformaçÔesâ para testar a compatibilidade do seu novo sistema.',
+ 'Refresh these settings' => 'Atualizar estas configuraçÔes',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop requer ao menos 32 MB para ser executado: por favor, verifique a diretiva memory_limit no seu arquivo php.ini ou contate seu provedor de hospedagem a respeito.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Atenção: VocĂȘ nĂŁo pode mais usar essa ferramenta para atualizar sua loja. VocĂȘ jĂĄ tem a versĂŁo %1$s do PrestaShop instalada. Se vocĂȘ deseja atualizar para a versĂŁo mais recente, por favor leia nossa documentação: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'Bem-vindo ao Instalador do PrestaShop %s',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'A instalação do PrestaShop Ă© rĂĄpida e simples. Dentro de apenas alguns momentos, vocĂȘ farĂĄ parte de uma comunidade com mais de 230.000 lojistas. VocĂȘ estĂĄ prestes a criar a sua loja online que pode sr gerenciada facilmente todos os dias.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'Se necessitar de ajuda, não hesite em ver este breve tutorial , ou a nossa documentação .',
+ 'Continue the installation in:' => 'Continue a instalação em:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'A seleção de idioma acima Ă© vĂĄlida somente para o Assistente de Instalação. Uma vez que a loja for instalada, vocĂȘ pode escolher o idioma da sua loja entre mais de %d traduçÔes disponĂveis, totalmente grĂĄtis!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'A instalação do PrestaShop Ă© rĂĄpida e simples. Dentro de apenas alguns momentos, vocĂȘ farĂĄ parte de uma comunidade com mais de 250.000 lojistas. VocĂȘ estĂĄ prestes a criar a sua loja online que pode sr gerenciada facilmente todos os dias.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/br/language.xml b/_install/langs/br/language.xml
new file mode 100644
index 00000000..bb00f705
--- /dev/null
+++ b/_install/langs/br/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ pt-br
+ d/m/Y
+ d/m/Y H:i:s
+ false
+
\ No newline at end of file
diff --git a/_install/langs/br/mail_identifiers.txt b/_install/langs/br/mail_identifiers.txt
new file mode 100644
index 00000000..3f768acb
--- /dev/null
+++ b/_install/langs/br/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Hi {firstname} {lastname},
+
+Here is your personal login information for {shop_name}:
+
+Password: {passwd}
+E-mail address: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/ca/flag.jpg b/_install/langs/ca/flag.jpg
new file mode 100644
index 00000000..f29a8c43
Binary files /dev/null and b/_install/langs/ca/flag.jpg differ
diff --git a/_install/langs/ca/index.php b/_install/langs/ca/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/ca/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/ca/install.php b/_install/langs/ca/install.php
new file mode 100644
index 00000000..e45b4a80
--- /dev/null
+++ b/_install/langs/ca/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/pages/viewpage.action?pageId=28016773',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'Ha succeĂŻt un error d\'SQL per a l\'entitat %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'No es pot crear la imatge "%1$s" per a l\'entitat "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'No es pot crear la imatge "%1$s" (permisos inadequats a la carpeta "%2$s")',
+ 'Cannot create image "%s"' => 'No es pot crear la imatge "%s"',
+ 'SQL error on query %s ' => 'Error d\'SQL a la consulta %s ',
+ '%s Login information' => '%s Informació d\'accés',
+ 'Field required' => 'Camp necessari',
+ 'Invalid shop name' => 'Nom de botiga no vĂ lid',
+ 'The field %s is limited to %d characters' => 'El camp %s estĂ limitat a %d carĂ cters',
+ 'Your firstname contains some invalid characters' => 'El vostre nom conté carà cters no và lids',
+ 'Your lastname contains some invalid characters' => 'El vostre nom conté carà cters no và lids',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'La contrasenya Ă©s incorrecta (cal un mĂnim de 8 carĂ cters i alfanumĂšrics)',
+ 'Password and its confirmation are different' => 'La contrasenya i la seva confirmaciĂł sĂłn diferents',
+ 'This e-mail address is invalid' => 'Aquesta adreça de correu electrĂČnic Ă©s incorrecta!',
+ 'Image folder %s is not writable' => 'No es pot escriure a la carpeta d\'imatges %s',
+ 'An error occurred during logo copy.' => 'Ha succeĂŻt un error mentre es copiava el logotip.',
+ 'An error occurred during logo upload.' => 'S\'ha produĂŻt un error mentre es pujava el logotip.',
+ 'Lingerie and Adult' => 'Llenceria i Adults',
+ 'Animals and Pets' => 'Animals i mascotes',
+ 'Art and Culture' => 'Art i Cultura',
+ 'Babies' => 'Canalla',
+ 'Beauty and Personal Care' => 'Bellesa i cura personal',
+ 'Cars' => 'AutomĂČbils',
+ 'Computer Hardware and Software' => 'Maquinari i programari',
+ 'Download' => 'Descarregar',
+ 'Fashion and accessories' => 'Moda i accessoris',
+ 'Flowers, Gifts and Crafts' => 'Flors, Regals i Artesania',
+ 'Food and beverage' => 'Menjar i beguda',
+ 'HiFi, Photo and Video' => 'HIFI, Foto i VĂdeo',
+ 'Home and Garden' => 'Casa i JardĂ',
+ 'Home Appliances' => 'ElectrodomĂšstics',
+ 'Jewelry' => 'Joieria',
+ 'Mobile and Telecom' => 'Telefonia i mĂČbils',
+ 'Services' => 'Serveis',
+ 'Shoes and accessories' => 'Sabates i accessoris',
+ 'Sports and Entertainment' => 'Esport i lleure',
+ 'Travel' => 'Viatges',
+ 'Database is connected' => 'S\'ha connectat la base de dades',
+ 'Database is created' => 'S\'ha creat la base de dades',
+ 'Cannot create the database automatically' => 'No es pot crear automĂ ticament la base de dades',
+ 'Create settings.inc file' => 'El fitxer settings.inc s\'ha creat',
+ 'Create database tables' => 'Crea les taules de la base de dades',
+ 'Create default shop and languages' => 'Crea la botiga predeterminada i els idiomes',
+ 'Populate database tables' => 'Emplenar les taules de la base de dades',
+ 'Configure shop information' => 'Configurar la informaciĂł de la botiga',
+ 'Install demonstration data' => 'Instal·la dades de demostració',
+ 'Install modules' => 'Instal·la mĂČduls',
+ 'Install Addons modules' => 'Instal·la mĂČduls d\'Addons',
+ 'Install theme' => 'Instal·la el tema',
+ 'Required PHP parameters' => 'ParĂ metres PHP necessaris',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 o superior no estĂ habilitat',
+ 'Cannot upload files' => 'No es poden pujar fitxers',
+ 'Cannot create new files and folders' => 'No es poden crear els nous fitxers i carpetes',
+ 'GD library is not installed' => 'La llibreria GD no està instal·lada',
+ 'MySQL support is not activated' => 'El suport de MySQL no estĂ activat',
+ 'Files' => 'Fitxers',
+ 'Not all files were successfully uploaded on your server' => 'No s\'han pujat bé tots els fitxers al servidor',
+ 'Permissions on files and folders' => 'Permisos de fitxers i carpetes',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Permisos recursius d\'escriptura per a l\'usuari %1$s a %2$s',
+ 'Recommended PHP parameters' => 'ParĂ metres PHP recomanats',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => '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!',
+ 'Cannot open external URLs' => 'No es poden obrir URL externs',
+ 'PHP register_globals option is enabled' => 'L\'opciĂł de PHP register_globals Ă©s activa',
+ 'GZIP compression is not activated' => 'La compressiĂł GZIP no estĂ activada',
+ 'Mcrypt extension is not enabled' => 'L\'extensiĂł Mcrypt no estĂ activada',
+ 'Mbstring extension is not enabled' => 'L\'extensiĂł Mbstring no estĂ activada',
+ 'PHP magic quotes option is enabled' => 'L\'opciĂł de PHP magic quotes estĂ activada',
+ 'Dom extension is not loaded' => 'L\'extensiĂł DOM no s\'ha carregat',
+ 'PDO MySQL extension is not loaded' => 'L\'extensiĂł PDO de MySQL no estĂ carregada',
+ 'Server name is not valid' => 'El nom del servidor no Ă©s vĂ lid',
+ 'You must enter a database name' => 'Cal que escriviu un nom per a la base de dades',
+ 'You must enter a database login' => 'Cal que escriviu un usuari per a la base de dades',
+ 'Tables prefix is invalid' => 'El prefix de les taules no Ă©s vĂ lid',
+ 'Cannot convert database data to utf-8' => 'No es pot convertir la base de dades en utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Com a mĂnim s\'ha trobat una taula amb el mateix prefix, si us plau canvieu el vostre prefix o elimineu la taula de la base de dades',
+ 'The values of auto_increment increment and offset must be set to 1' => 'El valor autoincremental d\'auto_increment ha d\'estar establert a 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'No es troba el servidor de bases de dades. Si us plau verifiqueu-ne l\'usuari, la contrasenya i els camps de servidor',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'S\'ha pogut connectar amb el servidor MySQL, perĂČ no es troba la base de dades "%s"',
+ 'Attempt to create the database automatically' => 'Intenta crear la base de dades automĂ ticament',
+ '%s file is not writable (check permissions)' => 'El fitxer %s no es pot escriure (verifiqueu-ne els permisos)',
+ '%s folder is not writable (check permissions)' => 'La carpeta %s no es pot escriure (verifiqueu-ne els permisos)',
+ 'Cannot write settings file' => 'No es pot escriure el fitxer de configuraciĂł',
+ 'Database structure file not found' => 'El fitxer d\'estructura de la base de dades no s\'ha trobat',
+ 'Cannot create group shop' => 'No es pot crear un grup de botigues',
+ 'Cannot create shop' => 'No es pot crear la botiga',
+ 'Cannot create shop URL' => 'No es pot crear l\'URL de la botiga',
+ 'File "language.xml" not found for language iso "%s"' => 'El fitxer "language.xml" no es troba per a la llengua iso "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'El fitxer "language.xml" no es troba per a la llengua iso "%s"',
+ 'Cannot install language "%s"' => 'No es pot instal·lar la llengua "%s"',
+ 'Cannot copy flag language "%s"' => 'No es pot copiar la llengua de la bandera "%s"',
+ 'Cannot create admin account' => 'No es pot crear un compte d\'administrador',
+ 'Cannot install module "%s"' => 'No es pot instal·lar el mĂČdul "%s"',
+ 'Fixtures class "%s" not found' => 'La classe Fixtures "%s" no s\'ha pogut trobar',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" ha de ser una instĂ ncia de "InstallXmlLoader"',
+ 'Information about your Store' => 'InformaciĂł sobre la vostra botiga',
+ 'Shop name' => 'Nom de la botiga',
+ 'Main activity' => 'Activitat principal',
+ 'Please choose your main activity' => 'Si us plau trieu la vostra activitat principal',
+ 'Other activity...' => 'Una altra activitat...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Ajudeu-nos a entendre mĂ©s sobre la vostra botiga per tal d\'oferir-vos una orientaciĂł ĂČptima i les millors prestacions per al vostre negoci!',
+ 'Install demo products' => 'Instal·lar productes de demostració',
+ 'Yes' => 'SĂ',
+ 'No' => 'No',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Els productes de demostració són un bon camà per conÚixer com utilitzar PrestaShop. Només cal que els instal·leu si no esteu familiaritzats amb el programa.',
+ 'Country' => 'PaĂs',
+ 'Select your country' => 'Seleccioneu el vostre paĂs',
+ 'Shop timezone' => 'Zona de data i hora de la vostra botiga',
+ 'Select your timezone' => 'Seleccioneu la vostra data i hora',
+ 'Shop logo' => 'Logotip de la botiga',
+ 'Optional - You can add you logo at a later time.' => 'Opcional - Podeu afegir el vostre logotip en un altre moment.',
+ 'Your Account' => 'El vostre compte',
+ 'First name' => 'Nom',
+ 'Last name' => 'Cognoms',
+ 'E-mail address' => 'Adreça electrónica',
+ 'This email address will be your username to access your store\'s back office.' => 'Aquesta adreça electrĂČnica serĂ el vostre nom d\'usuari per accedir a l\'AdministraciĂł de la botiga.',
+ 'Shop password' => 'Contrasenya de la botiga',
+ 'Must be at least 8 characters' => 'Ha de tenir un mĂnim de 8 carĂ cters',
+ 'Re-type to confirm' => 'Reescriviu-la per confirmar-la',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .',
+ 'Configure your database by filling out the following fields' => 'Configureu la vostra base de dades emplenant els camps segĂŒents',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Per utilitzar PrestaShop, cal que creeu una base de dades per emmagatzemar totes les dades de les vostres botigues.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Si us plau completeu primer els camps en ordre per tal de connectar PrestaShop a la vostra base de dades. ',
+ 'Database server address' => 'Adreça del servidor de base de dades',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'El port predeterminat Ă©s el 3306. Si voleu utilitzar un port diferent, afegiu el nĂșmero de port al final de l\'adreça, p.ex. ":4242".',
+ 'Database name' => 'Nom de la base de dades',
+ 'Database login' => 'Usuari de la base de dades',
+ 'Database password' => 'Contrasenya de la base de dades',
+ 'Database Engine' => 'Motor de base de dades',
+ 'Tables prefix' => 'Prefix de les taules',
+ 'Drop existing tables (mode dev)' => 'Esborrar les taules existents (mode dev)',
+ 'Test your database connection now!' => 'Comproveu ara la vostra connexiĂł a la base de dades!',
+ 'Next' => 'SegĂŒent',
+ 'Back' => 'Enrera',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.',
+ 'Official forum' => 'FĂČrum oficial',
+ 'Support' => 'Suport',
+ 'Documentation' => 'DocumentaciĂł',
+ 'Contact us' => 'Contacteu-nos',
+ 'PrestaShop Installation Assistant' => 'Assistent d\'Instal·lació de PrestaShop',
+ 'Forum' => 'FĂČrum',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'Contacteu-nos!',
+ 'menu_welcome' => 'Seleccioneu la vostra llengua',
+ 'menu_license' => 'Detalls de llicĂšncia',
+ 'menu_system' => 'Compatibilitat de Sistema',
+ 'menu_configure' => 'InformaciĂł sobre la botiga',
+ 'menu_database' => 'ConfiguraciĂł de Sistema',
+ 'menu_process' => 'Instal·lació de botiga',
+ 'Installation Assistant' => 'Assistent d\'Instal·lació',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Per tal d\'instal·lar PrestaShop, cal que tingueu habilitat JavaScript al vostre navegador.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/',
+ 'License Agreements' => 'Detalls de llicĂšncia',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Per gaudir de les prestacions que s\'ofereixen de franc per part de PrestaShop, si us plau llegiu-vos els detalls de la llicĂšncia. El codi de PrestaShop estĂ llicenciat sota OSL 3.0, mentre que els mĂČduls i temes estan llicenciats sota AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'Estic d\'acord amb tots els termes i condicions.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Estic d\'acord en participar en millorar la soluciĂł enviant informaciĂł anĂČnima sobre la meva configuraciĂł.',
+ 'Done!' => 'Fet!',
+ 'An error occurred during installation...' => 'Ha succeït un error mentre es feia la instal·lació...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'Podeu utilitzar els enllaços de la columna esquerra per tornar als passos anteriors, o tornar a començar el procés d\'instal·lació fent clic aquà .',
+ 'Your installation is finished!' => 'Ha finalitzat la vostra instal·lació!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Acabeu de finalitzar la instal·lació de la vostra botiga. Grà cies per utilitzar PrestaShop!',
+ 'Please remember your login information:' => 'Si us plau recordeu-vos de la vostra informació d\'accés:',
+ 'E-mail' => 'Adreça electrĂČnica',
+ 'Print my login information' => 'Imprimir la meva informació d\'accés',
+ 'Password' => 'Contrasenya',
+ 'Display' => 'Mostrar',
+ 'For security purposes, you must delete the "install" folder.' => 'Per raons de seguretat, cal que esborreu la carpeta "install".',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Tauler d\'AdministraciĂł',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Gestioneu la vostra botiga utilitzant el vostre Tauler d\'AdministraciĂł. Gestiioneu les vostres comandes i clients, afegiu mĂČduls, canvieu temes, etc.',
+ 'Manage your store' => 'Gestioneu la vostra botiga',
+ 'Front Office' => 'Portal PĂșblic',
+ 'Discover your store as your future customers will see it!' => 'Descobriu com els vostres clients veuran la vostra botiga!',
+ 'Discover your store' => 'Descobriu la vostra botiga',
+ 'Share your experience with your friends!' => 'Compartiu la vostra experiĂšncia amb els vostres amics!',
+ 'I just built an online store with PrestaShop!' => 'Ara he acabat de construir una botiga online amb PrestaShop!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Veieu una experiĂšncia estimulant: http://vimeo.com/89298199',
+ 'Tweet' => 'Tuit',
+ 'Share' => 'Compartir',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Doneu un cop d\'ull als Addons de PrestaShop i afegiu extres a la vostra botiga!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'Estem comprovant la compatibilitat de la vostra botiga amb el vostre entorn de sistema',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Si teniu preguntes, si us plau visiteu la nostra documentaciĂł i el nostre fĂČrum de comunitat .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'La compatibilitat de PrestaShop amb el vostre entorn de sistema ha estat verificada!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Uuui! Si us plau corregiu primer els elements segĂŒents, i feu clic a "Refrescar informaciĂł" per tal de provar la compatibilitat del vostre nou sistema.',
+ 'Refresh these settings' => 'Refresqueu la configuraciĂł',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop requereix com a mĂnim 32MB de memĂČria per funcionar: si us plau comproveu la directiva memory_limit al vostre fitxer php.ini o contacteu amb el vostre proveĂŻdor per solucionar-ho.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Alerta: No es pot utilitzar més aquesta eina per actualitzar la vostra botiga. Ara teniu la versió %1$s de PrestaShop instal·lada . Si voleu actualitzar-vos a la darrera versió si us plau llegiu la documentació:%2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'Benvinguts a l\'instal·lador de Prestashop %s',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'La instal·laciĂł de PrestaShop Ă©s rĂ pida i fĂ cil. En uns instants, formareu part d\'una comunitat formada per mĂ©s de 230.000 comerciants. Ara esteu en el procĂ©s de crear la vostra prĂČpia botiga online, la qual gestionareu fĂ cilment dia a dia.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .',
+ 'Continue the installation in:' => 'Continuar la instal·lació a:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'La secció d\'idiomes anterior només s\'aplica a l\'Assistent d\'Instal·lació. Quan la vostra botiga estigui instal·lada, podeu triar la llengua de la vostra botiga entre més de %d traduccions, totes de franc!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'La instal·laciĂł de PrestaShop Ă©s rĂ pida i fĂ cil. En uns instants, formareu part d\'una comunitat formada per mĂ©s de 250.000 comerciants. Ara esteu en el procĂ©s de crear la vostra prĂČpia botiga online, la qual gestionareu fĂ cilment dia a dia.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/ca/language.xml b/_install/langs/ca/language.xml
new file mode 100644
index 00000000..c1599ef1
--- /dev/null
+++ b/_install/langs/ca/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ ca-es
+ m/j/Y
+ m/j/Y H:i:s
+ false
+
diff --git a/_install/langs/cs/flag.jpg b/_install/langs/cs/flag.jpg
new file mode 100644
index 00000000..d8e77cba
Binary files /dev/null and b/_install/langs/cs/flag.jpg differ
diff --git a/_install/langs/cs/img/cs-default-category.jpg b/_install/langs/cs/img/cs-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/cs/img/cs-default-category.jpg differ
diff --git a/_install/langs/cs/img/cs-default-home.jpg b/_install/langs/cs/img/cs-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/cs/img/cs-default-home.jpg differ
diff --git a/_install/langs/cs/img/cs-default-large.jpg b/_install/langs/cs/img/cs-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/cs/img/cs-default-large.jpg differ
diff --git a/_install/langs/cs/img/cs-default-large_scene.jpg b/_install/langs/cs/img/cs-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/cs/img/cs-default-large_scene.jpg differ
diff --git a/_install/langs/cs/img/cs-default-medium.jpg b/_install/langs/cs/img/cs-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/cs/img/cs-default-medium.jpg differ
diff --git a/_install/langs/cs/img/cs-default-small.jpg b/_install/langs/cs/img/cs-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/cs/img/cs-default-small.jpg differ
diff --git a/_install/langs/cs/img/cs-default-thickbox.jpg b/_install/langs/cs/img/cs-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/cs/img/cs-default-thickbox.jpg differ
diff --git a/_install/langs/cs/img/cs-default-thumb_scene.jpg b/_install/langs/cs/img/cs-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/cs/img/cs-default-thumb_scene.jpg differ
diff --git a/_install/langs/cs/img/cs.jpg b/_install/langs/cs/img/cs.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/cs/img/cs.jpg differ
diff --git a/_install/langs/cs/img/index.php b/_install/langs/cs/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/cs/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/cs/index.php b/_install/langs/cs/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/cs/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/cs/install.php b/_install/langs/cs/install.php
new file mode 100644
index 00000000..4bbce093
--- /dev/null
+++ b/_install/langs/cs/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/forum/83-ceske-forum/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'DoĆĄlo k chybÄ SQL entity %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'NenĂ moĆŸnĂ© vytvoĆit obrĂĄzek "%1$s" pro "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'NenĂ moĆŸnĂ© vytvoĆit obrĂĄzek "%1$s" (sloĆŸka "%2$s" nemĂĄ nastavena potĆebnĂĄ prĂĄva)',
+ 'Cannot create image "%s"' => 'NenĂ moĆŸnĂ© vytvoĆit obrĂĄzek "%s"',
+ 'SQL error on query %s ' => 'Chyba SQL v dotazu %s ',
+ '%s Login information' => '%s PĆihlaĆĄovacĂ Ășdaje',
+ 'Field required' => 'Povinné pole',
+ 'Invalid shop name' => 'Neplatné jméno obchodu',
+ 'The field %s is limited to %d characters' => 'Pole %s je omezeno %d znaky',
+ 'Your firstname contains some invalid characters' => 'VaĆĄe kĆestnĂ jmĂ©no obsahuje neplatnĂ© znaky',
+ 'Your lastname contains some invalid characters' => 'VaĆĄe pĆĂjmenĂ obsahuje neplatnĂ© znaky',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'NesprĂĄvnĂ© heslo (alfanumerickĂœ ĆetÄzec dlouhĂœ minimĂĄlnÄ 8 znakĆŻ)',
+ 'Password and its confirmation are different' => 'Heslo a potvrzenĂ hesla se neshodujĂ',
+ 'This e-mail address is invalid' => 'Tato e-mailovĂĄ adresa je neplatnĂĄ',
+ 'Image folder %s is not writable' => 'SloĆŸka s obrĂĄzky %s nemĂĄ prĂĄva na zĂĄpis',
+ 'An error occurred during logo copy.' => 'DoĆĄlo k chybÄ pĆi kopĂrovĂĄnĂ loga.',
+ 'An error occurred during logo upload.' => 'Nastala chyba pĆi nahrĂĄvĂĄnĂ loga.',
+ 'Lingerie and Adult' => 'SpodnĂ prĂĄdlo a pro dospÄlĂ©',
+ 'Animals and Pets' => 'ZvĂĆata a mazlĂÄci',
+ 'Art and Culture' => 'UmÄnĂ a kultura',
+ 'Babies' => 'Pro dÄti',
+ 'Beauty and Personal Care' => 'KrĂĄsa a osobnĂ pĂ©Äe',
+ 'Cars' => 'Auta',
+ 'Computer Hardware and Software' => 'PoÄĂtaÄe, hardware a software',
+ 'Download' => 'Ke staĆŸenĂ',
+ 'Fashion and accessories' => 'MĂłda a doplĆky',
+ 'Flowers, Gifts and Crafts' => 'KvÄtiny, dĂĄrky',
+ 'Food and beverage' => 'Potraviny a nĂĄpoje',
+ 'HiFi, Photo and Video' => 'HiFi, Foto a Video',
+ 'Home and Garden' => 'DĆŻm a zahrada',
+ 'Home Appliances' => 'DomĂĄcĂ spotĆebiÄe',
+ 'Jewelry' => 'Ć perky',
+ 'Mobile and Telecom' => 'Mobily a telefony',
+ 'Services' => 'SluĆŸby',
+ 'Shoes and accessories' => 'Obuv a doplĆky',
+ 'Sports and Entertainment' => 'Sport a zĂĄbava',
+ 'Travel' => 'CestovĂĄnĂ',
+ 'Database is connected' => 'DatabĂĄze byla ĂșspÄĆĄnÄ pĆipojena',
+ 'Database is created' => 'DatabĂĄze byla vytvoĆena',
+ 'Cannot create the database automatically' => 'Nelze vytvoĆit databĂĄzi automaticky',
+ 'Create settings.inc file' => 'VytvĂĄĆĂm soubor settings.inc',
+ 'Create database tables' => 'VytvĂĄĆĂm tabulky databĂĄze',
+ 'Create default shop and languages' => 'VytvĂĄĆĂm obchod a jeho pĆeklad',
+ 'Populate database tables' => 'PlnĂm tabulky databĂĄze',
+ 'Configure shop information' => 'Nastavuji informace o obchodÄ',
+ 'Install demonstration data' => 'Instaluji ukĂĄzkovĂĄ data',
+ 'Install modules' => 'Instaluji moduly',
+ 'Install Addons modules' => 'Instaluji doplĆky k modulĆŻm',
+ 'Install theme' => 'Instaluji ĆĄablonu',
+ 'Required PHP parameters' => 'PoĆŸadovanĂ© parametry PHP',
+ 'PHP 5.1.2 or later is not enabled' => 'NenĂ nainstalovĂĄno PHP 5.1.2 nebo vyĆĄĆĄĂ',
+ 'Cannot upload files' => 'NenĂ moĆŸnĂ© nahrĂĄt soubory',
+ 'Cannot create new files and folders' => 'NenĂ moĆŸnĂ© vytvoĆit novĂ© sloĆŸky a soubory',
+ 'GD library is not installed' => 'Knihovna GD nenĂ nainstalovanĂĄ',
+ 'MySQL support is not activated' => 'Podpora MySQL nenĂ aktivovanĂĄ',
+ 'Files' => 'Soubory',
+ 'Not all files were successfully uploaded on your server' => 'Nebyly nahrĂĄny vĆĄechny soubory na vĂĄĆĄ server',
+ 'Permissions on files and folders' => 'PrĂĄva k souborĆŻm a sloĆŸkĂĄm',
+ 'Recursive write permissions for %1$s user on %2$s' => 'RekurzivnĂ prĂĄva k zĂĄpisu pro %1$s pouĆŸitĂ© na %2$s',
+ 'Recommended PHP parameters' => 'DoporuÄenĂ© parametry PHP',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => 'PouĆŸĂvĂĄte verzi PHP %s. ProsĂm aktualizujte na verzi PHP 5.4 nynĂ!',
+ 'Cannot open external URLs' => 'NenĂ moĆŸnĂ© otevĆĂt externĂ URL adresy',
+ 'PHP register_globals option is enabled' => 'PHP register_globals je povoleno',
+ 'GZIP compression is not activated' => 'GZIP komprese nenĂ aktivnĂ',
+ 'Mcrypt extension is not enabled' => 'Mcrypt rozĆĄĂĆenĂ nenĂ povoleno',
+ 'Mbstring extension is not enabled' => 'Mbstrings rozĆĄĂĆenĂ nenĂ povoleno',
+ 'PHP magic quotes option is enabled' => 'PHP magic quotes nenĂ povoleno',
+ 'Dom extension is not loaded' => 'Dom rozĆĄĂĆenĂ nenĂ naÄteno',
+ 'PDO MySQL extension is not loaded' => 'PDO MySQL rozĆĄĂĆenĂ nenĂ naÄteno',
+ 'Server name is not valid' => 'NĂĄzev serveru je neplatnĂœ',
+ 'You must enter a database name' => 'VloĆŸte nĂĄzev databĂĄze',
+ 'You must enter a database login' => 'VloĆŸte pĆihlaĆĄovacĂ jmĂ©no do databĂĄze',
+ 'Tables prefix is invalid' => 'Prefix tabulek je neplatnĂœ',
+ 'Cannot convert database data to utf-8' => 'Nelze pĆevĂ©st databĂĄzovĂĄ data na kĂłdovĂĄnĂ utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Byla nalezena nejmĂ©nÄ jedna tabulka se stejnĂœm prefixem, prosĂme, zmÄĆte prefix nebo vymaĆŸte databĂĄzi',
+ 'The values of auto_increment increment and offset must be set to 1' => 'Hodnota auto_increment musĂ bĂœt nastavena na 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'DatabĂĄzovĂœ server nenalezen. Zkontrolujte prosĂm pole login, heslo a server',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'PĆipojenĂ k databĂĄzi bylo ĂșspÄĆĄnĂ©, ale databĂĄze "%s" nebyla nalezena',
+ 'Attempt to create the database automatically' => 'PokouĆĄĂm se vytvoĆit databĂĄzi automaticky',
+ '%s file is not writable (check permissions)' => 'Soubor %s nemĂĄ prĂĄva pro zĂĄpis (zkontrolujte oprĂĄvnÄnĂ)',
+ '%s folder is not writable (check permissions)' => 'SloĆŸka %s nemĂĄ prĂĄva pro zĂĄpis (zkontrolujte oprĂĄvnÄnĂ)',
+ 'Cannot write settings file' => 'Nelze zapisovat do konfiguraÄnĂho souboru',
+ 'Database structure file not found' => 'Struktura databĂĄze nebyla nalezena',
+ 'Cannot create group shop' => 'Nelze vytvoĆit skupinu obchodu',
+ 'Cannot create shop' => 'NenĂ moĆŸnĂ© vytvoĆit obchod',
+ 'Cannot create shop URL' => 'NenĂ moĆŸnĂ© vytvoĆit URL obchodu',
+ 'File "language.xml" not found for language iso "%s"' => 'Soubor "language.xml" nebyl nalezen pro vaĆĄe iso "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'Soubor "language.xml" nenĂ platnĂœ pro vaĆĄe iso "%s"',
+ 'Cannot install language "%s"' => 'NenĂ moĆŸnĂ nainstalovat jazyk "%s"',
+ 'Cannot copy flag language "%s"' => 'NenĂ moĆŸnĂ© zkopĂrovat vlajku vaĆĄeho stĂĄtu "%s"',
+ 'Cannot create admin account' => 'NenĂ moĆŸnĂ© vytvoĆit ĂșÄet administrĂĄtora',
+ 'Cannot install module "%s"' => 'NenĂ moĆŸnĂ© nainstalovat modul "%s"',
+ 'Fixtures class "%s" not found' => 'Fixtures class "%s" nebyl nalezen',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" musĂ bĂœt instancĂ "InstallXmlLoader"',
+ 'Information about your Store' => 'Informace o VaĆĄem eshopu',
+ 'Shop name' => 'NĂĄzev obchodu',
+ 'Main activity' => 'HlavnĂ aktivita',
+ 'Please choose your main activity' => 'ProsĂme, zvolte vaĆĄi hlavnĂ aktivitu',
+ 'Other activity...' => 'ostatnĂ aktivity...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Pomozte nĂĄm co nejvĂce pochopit vĂĄĆĄ obchod a my vĂĄm potĂ© nabĂdneme optimĂĄlnĂ funkce pro vĂĄĆĄ byznys!',
+ 'Install demo products' => 'Instalovat demo produkty',
+ 'Yes' => 'Ano',
+ 'No' => 'Ne',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demo produkty jsou dobrĂ© pro pochopenĂ, jak pouĆŸĂvat PrestaShop. MĆŻĆŸete je nainstalovat pro lepĆĄĂ seznĂĄmenĂ.',
+ 'Country' => 'ZemÄ',
+ 'Select your country' => 'Vyberte svou zemi',
+ 'Shop timezone' => 'ÄasovĂ© pĂĄsmo obchodu',
+ 'Select your timezone' => 'Vyberte vaĆĄe ÄasovĂ© pĂĄsmo',
+ 'Shop logo' => 'Logo obchodu',
+ 'Optional - You can add you logo at a later time.' => 'VolitelnĂ© - logo mĆŻĆŸete pĆidat i pozdÄji.',
+ 'Your Account' => 'VĂĄĆĄ ĂșÄet',
+ 'First name' => 'Jméno',
+ 'Last name' => 'PĆĂjmenĂ',
+ 'E-mail address' => 'E-mailovĂĄ adresa',
+ 'This email address will be your username to access your store\'s back office.' => 'Tento email bude takĂ© vaĆĄe pĆihlaĆĄovacĂ jmĂ©no do back office vaĆĄeho obchodu.',
+ 'Shop password' => 'Heslo',
+ 'Must be at least 8 characters' => 'Zvolte nejmĂ©nÄ 8 znakĆŻ',
+ 'Re-type to confirm' => 'Zopakujte heslo pro potvrzenĂ',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .',
+ 'Configure your database by filling out the following fields' => 'Nastavte vaĆĄi databĂĄzi vyplnÄnĂm nĂĄsledujĂcĂch polĂ',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Pro pouĆŸitĂ PrestaShopu musĂte vytvoĆit databĂĄzi .',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'ProsĂme, vyplĆte pole nĂĆŸe, aby se mohl PrestaShop pĆipojit do vaĆĄĂ databĂĄze. ',
+ 'Database server address' => 'Adresa databåzového serveru',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'VĂœchozĂ port je 3306. Pokud pouĆŸĂvĂĄte jinĂœ port, zadejte ho na konec vaĆĄĂ adresy napĆ.: "localhost:4242".',
+ 'Database name' => 'NĂĄzev databĂĄze',
+ 'Database login' => 'PĆihlaĆĄovacĂ jmĂ©no databĂĄze',
+ 'Database password' => 'Heslo databĂĄze',
+ 'Database Engine' => 'DatabĂĄzovĂœ Engine',
+ 'Tables prefix' => 'Prefix tabulek',
+ 'Drop existing tables (mode dev)' => 'Vymazat existujĂcĂ tabulky (VĂœvojĂĄĆskĂœ reĆŸim)',
+ 'Test your database connection now!' => 'VyzkouĆĄejte vaĆĄe spojenĂ k databĂĄzi!',
+ 'Next' => 'DalĆĄĂ',
+ 'Back' => 'ZpÄt',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Pokud potĆebujete poraditpodĂvejte se zde . Dokumentace .',
+ 'Official forum' => 'OficiĂĄlnĂ forum',
+ 'Support' => 'Podpora',
+ 'Documentation' => 'Dokumentace',
+ 'Contact us' => 'NapiĆĄte nĂĄm',
+ 'PrestaShop Installation Assistant' => 'PrestaShop instalaÄnĂ asistent',
+ 'Forum' => 'FĂłrum',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'Kontaktujte nĂĄs!',
+ 'menu_welcome' => 'Vyberte svĆŻj jazyk',
+ 'menu_license' => 'LicenÄnĂ podmĂnky',
+ 'menu_system' => 'Systémovå kompatibilita',
+ 'menu_configure' => 'Informace o obchodu',
+ 'menu_database' => 'Systémovå konfigurace',
+ 'menu_process' => 'Instalace obchodu',
+ 'Installation Assistant' => 'InstalaÄnĂ asistent',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Pro instalaci PrestaShopu musĂte mĂt ve vaĆĄem prohlĂĆŸeÄi aktivovanĂœ JavaScript.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/',
+ 'License Agreements' => 'LicenÄnĂ podmĂnky',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Pro vyuĆŸitĂ mnoho funkcĂ, kterĂ© jsou nabĂzeny zdarma PrestaShopem, prosĂme, pĆeÄtÄte si licenÄnĂ podmĂnky nĂĆŸe. JĂĄdro PrestaShopu je pod licencĂ OSL 3.0, zatĂmco moduly a ĆĄablony jsou pod licencĂ AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'SouhlasĂm s podmĂnky vĂœĆĄe.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'SouhlasĂm s ĂșÄastnĂ na zdokonalovĂĄnĂ systĂ©mu pomocĂ odeslĂĄnĂ anonymnĂch informacĂ o moji konfiguraci.',
+ 'Done!' => 'Hotovo!',
+ 'An error occurred during installation...' => 'PĆi instalaci nastala chyba...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'MĆŻĆŸete vyuĆŸĂt odkazy v levĂ©m sloupci pro nĂĄvrat na pĆedchozĂ krok nebo restartujte instalaÄnĂ proces kliknutĂm zde .',
+ 'Your installation is finished!' => 'VaĆĄi instalace byla ĂșspÄĆĄnÄ dokonÄena!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'PodaĆilo se vĂĄm dokonÄit instalaci vaĆĄeho eshopu. DÄkujeme, ĆŸe pouĆŸĂvĂĄte PrestaShop!',
+ 'Please remember your login information:' => 'ProsĂme, zapamatujte si vaĆĄe pĆihlaĆĄovacĂ Ășdaje:',
+ 'E-mail' => 'E-maily',
+ 'Print my login information' => 'Vytisknout moje pĆihlaĆĄovacĂ Ășdaje',
+ 'Password' => 'Heslo',
+ 'Display' => 'Zobrazit',
+ 'For security purposes, you must delete the "install" folder.' => 'Z bezpeÄnostnĂch dĆŻvodĆŻ musĂte smazat sloĆŸku s nĂĄzvem "install".',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Administrace (Back Office)',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Spravujte vĂĄĆĄ obchod prostĆednictvĂm Back Office. MĆŻĆŸete spravovat vaĆĄe objednĂĄvky, zĂĄkaznĂky, pĆidĂĄvat moduly, mÄnit vzhled atd...',
+ 'Manage your store' => 'Spravovat obchod',
+ 'Front Office' => 'Front Office',
+ 'Discover your store as your future customers will see it!' => 'Prozkoumejte vĂĄĆĄ obchod stejnÄ, jako jej uvidĂ vaĆĄi budoucĂ nĂĄvĆĄtÄvnĂci!',
+ 'Discover your store' => 'Prozkoumat obchod',
+ 'Share your experience with your friends!' => 'SdĂlejte vaĆĄe zkuĆĄenosti s pĆĂĄteli!',
+ 'I just built an online store with PrestaShop!' => 'VytvoĆil jsem si novĂœ obchod pomocĂ PrestaShopu!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'PodĂvejte se na video: http://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'SdĂlet',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'PodĂvejte se na PrestaShop Addony a pĆidejte nÄco speciĂĄlnĂho do vaĆĄeho obchodu!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'V souÄasnĂ© dobÄ kontrolujeme kompatibilitu PrestaShopu s vaĆĄĂm systĂ©movĂœm prostĆedĂm',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Pokud mĂĄte nÄjakĂ© otĂĄzky, podĂvejte se na dokumentaci a forum .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'Kompatibilita PrestaShopu s vaĆĄĂm systĂ©movĂœm prostĆedĂm byla ovÄĆena!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! ProsĂme, opravte poloĆŸky nĂĆŸe a potĂ© kliknÄte na "Aktualizovat informace" pro otestovĂĄnĂ kompatibility s vaĆĄĂm systĂ©mem.',
+ 'Refresh these settings' => 'Aktualizovat nastavenĂ',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop vyĆŸaduje nejmÄnÄ 32 MB pamÄti. ProsĂm zkontrolujte memory_limit v php.ini nebo kontaktujte svĂ©ho poskytovatele sluĆŸeb.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'VarovĂĄnĂ: NenĂ moĆŸnĂ© pouĆŸĂt tohoto prĆŻvodce pro upgrade vaĆĄeho obchodu. JiĆŸ mĂĄte nainstalovĂĄn PrestaShop verze %1$s . Pokud chcete upgradovat na vyĆĄĆĄĂ verzi, prosĂme, pĆeÄtÄte si dokumentaci: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'VĂtejte v instalaci PrestaShop %s',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalace PrestaShopu je rychlĂĄ a jednoduchĂĄ. BÄhem chvilky se stanete souÄĂĄstĂ komunity ÄĂtajĂcĂ vĂce neĆŸ 230 000 prodejcĆŻ. Jste na cestÄ k vytvoĆenĂ vlastnĂho eshopu, kterĂœ mĆŻĆŸete jednoduĆĄe spravovat kaĆŸdĂœ den.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'Pokud potĆebujete poradit podĂvejte se na tento tutoriĂĄl , nebo do dokumentace .',
+ 'Continue the installation in:' => 'PokraÄovat v instalaci v:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'VĂœbÄr jazyka vĂœĆĄe slouĆŸĂ pouze pro InstalaÄnĂho Asistenta. Jakmile bude vĂĄĆĄ obchod nainstalovĂĄn, mĆŻĆŸete si vybrat vĂĄĆĄ jazyk z vĂce neĆŸ %d pĆekladĆŻ, zdarma!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalace PrestaShopu je rychlĂĄ a jednoduchĂĄ. BÄhem chvilky se stanete souÄĂĄstĂ komunity ÄĂtajĂcĂ vĂce neĆŸ 250 000 prodejcĆŻ. Jste na cestÄ k vytvoĆenĂ vlastnĂho eshopu, kterĂœ mĆŻĆŸete jednoduĆĄe spravovat kaĆŸdĂœ den.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/cs/language.xml b/_install/langs/cs/language.xml
new file mode 100644
index 00000000..6c555965
--- /dev/null
+++ b/_install/langs/cs/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ cs-CZ
+ m/j/Y
+ m/j/Y H:i:s
+ false
+
\ No newline at end of file
diff --git a/_install/langs/cs/mail_identifiers.txt b/_install/langs/cs/mail_identifiers.txt
new file mode 100644
index 00000000..3f768acb
--- /dev/null
+++ b/_install/langs/cs/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Hi {firstname} {lastname},
+
+Here is your personal login information for {shop_name}:
+
+Password: {passwd}
+E-mail address: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/de/data/carrier.xml b/_install/langs/de/data/carrier.xml
new file mode 100644
index 00000000..0afce788
--- /dev/null
+++ b/_install/langs/de/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Abholung im Geschäft
+
+
diff --git a/_install/langs/de/data/category.xml b/_install/langs/de/data/category.xml
new file mode 100644
index 00000000..6e692ef8
--- /dev/null
+++ b/_install/langs/de/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Root
+
+ root
+
+
+
+
+
+ Start
+
+ home
+
+
+
+
+
diff --git a/_install/langs/de/data/cms.xml b/_install/langs/de/data/cms.xml
new file mode 100644
index 00000000..04c519e3
--- /dev/null
+++ b/_install/langs/de/data/cms.xml
@@ -0,0 +1,45 @@
+
+
+
+ Lieferung
+ Unsere Lieferbedingungen
+ Bedingungen, Lieferung, Frist, Versand, Verpackung
+ <h2>Versand und Rücknahme</h2><h3>Ihre Versandverpackung</h3><p>Pakete werden normalerweise 2 Tage nach Zahlungseingang mit UPS mit Bestellverfolgemöglichkeit und Ablieferung ohne Unterschrift geliefert. Wenn Sie lieber eine UPS-Sendung per Einschreiben erhalten möchten, entstehen zusätzliche Kosten. Bitte kontaktieren Sie uns, bevor Sie dieses Liefermethode wählen. Wir senden Ihnen einen Link für die Bestellverfolgung unabhängig davon, welche Liefermethode Sie wählen.</p><p>Die Versandkosten beinhalten Lade- und Verpackungsgebühren sowie die Portokosten. Die Verladegebühren stehen fest, wobei Transportkosten schwanken, je nach Gesamtgewicht des Pakets. Wir raten Ihnen, mehrere Artikel in einer Bestellung zusammenzufassen. Wir können zwei verschiedene Bestellungen nicht zusammenlegen, und die Versandkosten werden separat für jede Bestellung gerechnet. Ihr Paket wird auf Ihr Risiko versandt, aber zerbrechliche Ware wird besonders sorgsam behandelt.<br /><br />Die Versandschachteln sind weit geschnitten und ihre Ware wird gut geschützt verpackt.</p>
+ Lieferung
+
+
+ Rechtliche Hinweise
+ Rechtliche Hinweise
+ Hinweise, rechtlich, Gutscheine
+ <h2>Legal</h2><h3>Credits</h3><p>Konzept und Gestaltung:</p><p>Diese Webseite wurde hergestellt unter Verwendung von <a href="http://www.prestashop.com">PrestaShop</a>™ open-source software.</p>
+ rechtliche-hinweise
+
+
+ Allgemeine Nutzungsbedingungen
+ Unsere allgemeinen Nutzungsbedingungen
+ Voraussetzungen, Bedingungen, nutzen, verkaufen
+ <h2>Your terms and conditions of use</h2><h3>Rule 1</h3><p>Here is the rule 1 content</p>
+<h3>Rule 2</h3><p>Here is the rule 2 content</p>
+<h3>Rule 3</h3><p>Here is the rule 3 content</p>
+ allgemeine-nutzungsbedingungen
+
+
+ Über uns
+ Learn more about us
+ über uns, Informationen
+ <h2>About us</h2>
+<h3>Our company</h3><p>Our company</p>
+<h3>Our team</h3><p>Our team</p>
+<h3>Informations</h3><p>Informations</p>
+ uber-uns
+
+
+ Sichere Zahlung
+ Unsere Sicherheits-Zahlungsmethoden
+ Sichere Zahlung, 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 services</p>
+ sichere-zahlung
+
+
diff --git a/_install/langs/de/data/cms_category.xml b/_install/langs/de/data/cms_category.xml
new file mode 100644
index 00000000..bc0b4edf
--- /dev/null
+++ b/_install/langs/de/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Start
+
+ Start
+
+
+
+
+
diff --git a/_install/langs/de/data/configuration.xml b/_install/langs/de/data/configuration.xml
new file mode 100644
index 00000000..ebbb8002
--- /dev/null
+++ b/_install/langs/de/data/configuration.xml
@@ -0,0 +1,24 @@
+
+
+
+ #FA
+
+
+ #LI
+
+
+ #RE
+
+
+
+
+
+ 0
+
+
+ Lieber Kunde,
+
+Mit freundlichen Grüßen,
+Ihr Kundenservice
+
+
diff --git a/_install/langs/de/data/contact.xml b/_install/langs/de/data/contact.xml
new file mode 100644
index 00000000..34b1ce00
--- /dev/null
+++ b/_install/langs/de/data/contact.xml
@@ -0,0 +1,9 @@
+
+
+
+ Falls ein technisches Problem auf der Webseite auftritt
+
+
+ Bei Fragen oder Reklamationen zu einer Bestellung
+
+
diff --git a/_install/langs/de/data/country.xml b/_install/langs/de/data/country.xml
new file mode 100644
index 00000000..b94fc706
--- /dev/null
+++ b/_install/langs/de/data/country.xml
@@ -0,0 +1,735 @@
+
+
+
+ Deutschland
+
+
+ Österreich
+
+
+ Belgien
+
+
+ Kanada
+
+
+ China
+
+
+ Spanien
+
+
+ Finnland
+
+
+ Frankreich
+
+
+ Griechenland
+
+
+ Italien
+
+
+ Japan
+
+
+ Luxemburg
+
+
+ Niederlande
+
+
+ Polen
+
+
+ Portugal
+
+
+ Tschechische Republik
+
+
+ Vereinigtes Königreich
+
+
+ Schweden
+
+
+ Schweiz
+
+
+ Dänemark
+
+
+ Vereinigte Staaten
+
+
+ Hongkong
+
+
+ Norwegen
+
+
+ Australien
+
+
+ Singapur
+
+
+ Irland
+
+
+ Neuseeland
+
+
+ Südkorea
+
+
+ Israel
+
+
+ Südafrika
+
+
+ Nigeria
+
+
+ Côte d'Ivoire
+
+
+ Togo
+
+
+ Bolivien
+
+
+ Mauritius
+
+
+ Rumänien
+
+
+ Slowakei
+
+
+ Algerien
+
+
+ Amerikanisch-Samoa
+
+
+ Andorra
+
+
+ Angola
+
+
+ Anguilla
+
+
+ Antigua und Barbuda
+
+
+ Argentinien
+
+
+ Armenien
+
+
+ Aruba
+
+
+ Aserbaidschan
+
+
+ Bahamas
+
+
+ Bahrain
+
+
+ Bangladesch
+
+
+ Barbados
+
+
+ Weißrussland
+
+
+ Belize
+
+
+ Benin
+
+
+ Bermuda
+
+
+ Bhutan
+
+
+ Botswana
+
+
+ Brasilien
+
+
+ Brunei Darussalam
+
+
+ Burkina Faso
+
+
+ Myanmar (Burma)
+
+
+ Burundi
+
+
+ Kambodscha
+
+
+ Kamerun
+
+
+ Kap Verde
+
+
+ Zentralafrikanische Republik
+
+
+ Tschad
+
+
+ Chile
+
+
+ Kolumbien
+
+
+ Komoren
+
+
+ Demokratische Republik Kongo
+
+
+ Kongo
+
+
+ Costa Rica
+
+
+ Kroatien
+
+
+ Kuba
+
+
+ Zypern
+
+
+ Dschibuti
+
+
+ Dominica
+
+
+ Dominikanische Republik
+
+
+ Timor-Leste
+
+
+ Ecuador
+
+
+ Ägypten
+
+
+ El Salvador
+
+
+ Äquatorialguinea
+
+
+ Eritrea
+
+
+ Estland
+
+
+ Äthiopien
+
+
+ Falklandinseln
+
+
+ Färöer-Inseln
+
+
+ Fidschi
+
+
+ Gabun
+
+
+ Gambia
+
+
+ Georgien
+
+
+ Ghana
+
+
+ Grenada
+
+
+ Grönland
+
+
+ Gibraltar
+
+
+ Guadeloupe
+
+
+ Guam
+
+
+ Guatemala
+
+
+ Guernsey
+
+
+ Guinea
+
+
+ Guinea-Bissau
+
+
+ Guyana
+
+
+ Haiti
+
+
+ Heard und McDonaldinseln
+
+
+ Vatikanstadt
+
+
+ Honduras
+
+
+ Island
+
+
+ Indien
+
+
+ Indonesien
+
+
+ Iran
+
+
+ Irak
+
+
+ Insel Man
+
+
+ Jamaika
+
+
+ Jersey
+
+
+ Jordanien
+
+
+ Kasachstan
+
+
+ Kenia
+
+
+ Kiribati
+
+
+ Nordkorea
+
+
+ Kuwait
+
+
+ Kirgisistan
+
+
+ Laos
+
+
+ Lettland
+
+
+ Libanon
+
+
+ Lesotho
+
+
+ Liberia
+
+
+ Libyen
+
+
+ Liechtenstein
+
+
+ Litauen
+
+
+ Macau
+
+
+ Mazedonien
+
+
+ Madagaskar
+
+
+ Malawi
+
+
+ Malaysia
+
+
+ Malediven
+
+
+ Mali
+
+
+ Malta
+
+
+ Marshallinseln
+
+
+ Martinique
+
+
+ Mauretanien
+
+
+ Ungarn
+
+
+ Mayotte
+
+
+ Mexiko
+
+
+ Mikronesien
+
+
+ Republik Moldau
+
+
+ Monaco
+
+
+ Mongolei
+
+
+ Montenegro
+
+
+ Montserrat
+
+
+ Marokko
+
+
+ Mosambik
+
+
+ Namibia
+
+
+ Nauru
+
+
+ Nepal
+
+
+ Niederländische Antillen
+
+
+ Neukaledonien
+
+
+ Nicaragua
+
+
+ Niger
+
+
+ Niue
+
+
+ Norfolkinsel
+
+
+ Nördliche Mariana-Inseln
+
+
+ Oman
+
+
+ Pakistan
+
+
+ Palau
+
+
+ Palästinensische Autonomiegebiete
+
+
+ Panama
+
+
+ Papua-Neuguinea
+
+
+ Paraguay
+
+
+ Peru
+
+
+ Philippinen
+
+
+ Pitcairn
+
+
+ Puerto Rico
+
+
+ Katar
+
+
+ Réunion
+
+
+ Russische Föderation
+
+
+ Ruanda
+
+
+ Saint-Barthélemy
+
+
+ St. Kitts und Nevis
+
+
+ St. Lucia
+
+
+ Saint Martin
+
+
+ St. Pierre und Miquelon
+
+
+ St. Vincent und die Grenadinen
+
+
+ Samoa
+
+
+ San Marino
+
+
+ São Tomé und Príncipe
+
+
+ Saudi-Arabien
+
+
+ Senegal
+
+
+ Serbien
+
+
+ Seychellen
+
+
+ Sierra Leone
+
+
+ Slowenien
+
+
+ Salomoninseln
+
+
+ Somalia
+
+
+ South Georgia und die Südlichen Sandwichinseln
+
+
+ Sri Lanka
+
+
+ Sudan
+
+
+ Suriname
+
+
+ Svalbard und Jan Mayen
+
+
+ Swasiland
+
+
+ Syrien
+
+
+ Taiwan
+
+
+ Tadschikistan
+
+
+ Vereinigte Republik Tansania
+
+
+ Thailand
+
+
+ Tokelau
+
+
+ Tonga
+
+
+ Trinidad und Tobago
+
+
+ Tunesien
+
+
+ Türkei
+
+
+ Turkmenistan
+
+
+ Turks- und Caicosinseln
+
+
+ Tuvalu
+
+
+ Uganda
+
+
+ Ukraine
+
+
+ Vereinigte Arabische Emirate
+
+
+ Uruguay
+
+
+ Usbekistan
+
+
+ Vanuatu
+
+
+ Venezuela
+
+
+ Vietnam
+
+
+ Britische Jungferninseln
+
+
+ Amerikanische Jungferninseln
+
+
+ Wallis und Futuna
+
+
+ Westsahara
+
+
+ Jemen
+
+
+ Sambia
+
+
+ Simbabwe
+
+
+ Albanien
+
+
+ Afghanistan
+
+
+ Antarktis
+
+
+ Bosnien und Herzegowina
+
+
+ Bouvet-Insel
+
+
+ Britisches Territorium im Indischen Ozean
+
+
+ Bulgarien
+
+
+ Cayman-Inseln
+
+
+ Weihnachtsinseln
+
+
+ Kokos- (Keeling-)Inseln
+
+
+ Cookinseln
+
+
+ Französisch-Guyana
+
+
+ Französisch-Polynesien
+
+
+ Französische Süd- und Antarktisgebiete
+
+
+ Åland-Inseln
+
+
diff --git a/_install/langs/de/data/gender.xml b/_install/langs/de/data/gender.xml
new file mode 100644
index 00000000..2452faaa
--- /dev/null
+++ b/_install/langs/de/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/de/data/group.xml b/_install/langs/de/data/group.xml
new file mode 100644
index 00000000..b15642a7
--- /dev/null
+++ b/_install/langs/de/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/de/data/index.php b/_install/langs/de/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/de/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/de/data/meta.xml b/_install/langs/de/data/meta.xml
new file mode 100644
index 00000000..1bcfdde8
--- /dev/null
+++ b/_install/langs/de/data/meta.xml
@@ -0,0 +1,165 @@
+
+
+
+ Fehler 404
+ Seite wurde nicht gefunden
+ Fehler 404, nicht gefunden
+ seite-nicht-gefunden
+
+
+ Verkaufshits
+ Unsere Verkaufshits
+ Verkaufshits
+ verkaufshits
+
+
+ Kontaktieren Sie uns
+ Nutzen Sie unser Kontaktformular
+ Kontakt, Formular, E-Mail
+ kontaktieren-sie-uns
+
+
+
+ Shop powered by PrestaShop
+ Shop, prestashop
+
+
+
+ Hersteller
+ Herstellerliste
+ Hersteller
+ hersteller
+
+
+ Neue Produkte
+ Unsere neuen Produkte
+ neu, Produkte
+ neue-Produkte
+
+
+ Kennwort vergessen
+ Geben Sie die E-Mailadresse ein, die Sie zum Einloggen benutzen, damit Sie eine E-Mail mit dem neuen Kennwort erhalt
+ vergessen, Kennwort, E-Mail, neu, Reset
+ kennwort-wiederherstellung
+
+
+ Angebote
+ Unsere Sonderangebote
+ besonders, Angebote
+ angebote
+
+
+ Sitemap
+ Verloren? Finden Sie, was Sie suchen
+ sitemap
+ sitemap
+
+
+ Zulieferer
+ Zuliefererliste
+ Zulieferer
+ zulieferer
+
+
+ Adresse
+
+
+ adresse
+
+
+ Adressen
+
+
+ adressen
+
+
+ Authentifizierung
+
+
+ authentifizierung
+
+
+ Warenkorb
+
+
+ warenkorb
+
+
+ Discount
+
+
+ discount
+
+
+ Bestellungsverlauf
+
+
+ bestellungsverlauf
+
+
+ Kennung
+
+
+ kennung
+
+
+ Mein Konto
+
+
+ mein-Konto
+
+
+ Bestellungsverfolgung
+
+
+ bestellungsverfolgung
+
+
+ Bestellschein
+
+
+ bestellschein
+
+
+ Bestellung
+
+
+ bestellung
+
+
+ Suche
+
+
+ suche
+
+
+ Shops
+
+
+ shops
+
+
+ Bestellung
+
+
+ schnell-bestellung
+
+
+ Auftragsverfolgung Gast
+
+
+ auftragsverfolgung-gast
+
+
+ Bestellbestätigung
+
+
+ bestellbestatigung
+
+
+ Products Comparison
+
+
+ products-comparison
+
+
diff --git a/_install/langs/de/data/order_return_state.xml b/_install/langs/de/data/order_return_state.xml
new file mode 100644
index 00000000..5b264fdc
--- /dev/null
+++ b/_install/langs/de/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ Bestätigung wird erwartet
+
+
+ Paket wird erwartet
+
+
+ Paket erhalten
+
+
+ Rücksendung abgelehnt
+
+
+ Rücksendung beendet
+
+
diff --git a/_install/langs/de/data/order_state.xml b/_install/langs/de/data/order_state.xml
new file mode 100644
index 00000000..18521484
--- /dev/null
+++ b/_install/langs/de/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ Warten auf Scheckzahlung
+ cheque
+
+
+ Zahlung eingegangen
+ payment
+
+
+ Bestellung in Bearbeitung
+ preparation
+
+
+ Bestellung versandt
+ shipped
+
+
+ Bestellung ausgeliefert
+
+
+
+ Bestellung storniert
+ order_canceled
+
+
+ Zahlung erstattet
+ refund
+
+
+ Fehler bei der Bezahlung
+ payment_error
+
+
+ Artikel nicht auf Lager
+ outofstock
+
+
+ Artikel nicht auf Lager
+ outofstock
+
+
+ Warten auf Zahlungseingang von Bank
+ bankwire
+
+
+ Warten auf Zahlungseingang von PayPal
+
+
+
+ Zahlung ausserhalb von PrestaShop eingegangen
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/de/data/profile.xml b/_install/langs/de/data/profile.xml
new file mode 100644
index 00000000..7352a78c
--- /dev/null
+++ b/_install/langs/de/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/de/data/quick_access.xml b/_install/langs/de/data/quick_access.xml
new file mode 100644
index 00000000..ab5450f4
--- /dev/null
+++ b/_install/langs/de/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/de/data/risk.xml b/_install/langs/de/data/risk.xml
new file mode 100644
index 00000000..bb8bf6dd
--- /dev/null
+++ b/_install/langs/de/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/de/data/stock_mvt_reason.xml b/_install/langs/de/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..c2944118
--- /dev/null
+++ b/_install/langs/de/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Erhöhen
+
+
+ Reduzieren
+
+
+ Bestellung
+
+
+ Bestandsberichtigung nach Inventur
+
+
+ Bestandsberichtigung nach Inventur
+
+
+ Übertragung in anderes Lager
+
+
+ Übertragung von anderem Lager
+
+
+ Lieferbestellung
+
+
diff --git a/_install/langs/de/data/supply_order_state.xml b/_install/langs/de/data/supply_order_state.xml
new file mode 100644
index 00000000..1e8903f0
--- /dev/null
+++ b/_install/langs/de/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Creation in progress
+
+
+ 2 - Order validated
+
+
+ 3 - Pending receipt
+
+
+ 4 - Order received in part
+
+
+ 5 - Order received completely
+
+
+ 6 - Order canceled
+
+
diff --git a/_install/langs/de/data/tab.xml b/_install/langs/de/data/tab.xml
new file mode 100644
index 00000000..64ec786b
--- /dev/null
+++ b/_install/langs/de/data/tab.xml
@@ -0,0 +1,103 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/de/flag.jpg b/_install/langs/de/flag.jpg
new file mode 100644
index 00000000..66228c40
Binary files /dev/null and b/_install/langs/de/flag.jpg differ
diff --git a/_install/langs/de/img/de-default-category.jpg b/_install/langs/de/img/de-default-category.jpg
new file mode 100644
index 00000000..1cf2c840
Binary files /dev/null and b/_install/langs/de/img/de-default-category.jpg differ
diff --git a/_install/langs/de/img/de-default-home.jpg b/_install/langs/de/img/de-default-home.jpg
new file mode 100644
index 00000000..f8c9a821
Binary files /dev/null and b/_install/langs/de/img/de-default-home.jpg differ
diff --git a/_install/langs/de/img/de-default-large.jpg b/_install/langs/de/img/de-default-large.jpg
new file mode 100644
index 00000000..ebffea8e
Binary files /dev/null and b/_install/langs/de/img/de-default-large.jpg differ
diff --git a/_install/langs/de/img/de-default-large_scene.jpg b/_install/langs/de/img/de-default-large_scene.jpg
new file mode 100644
index 00000000..02e1d5d0
Binary files /dev/null and b/_install/langs/de/img/de-default-large_scene.jpg differ
diff --git a/_install/langs/de/img/de-default-medium.jpg b/_install/langs/de/img/de-default-medium.jpg
new file mode 100644
index 00000000..f8db408d
Binary files /dev/null and b/_install/langs/de/img/de-default-medium.jpg differ
diff --git a/_install/langs/de/img/de-default-small.jpg b/_install/langs/de/img/de-default-small.jpg
new file mode 100644
index 00000000..eb2b7186
Binary files /dev/null and b/_install/langs/de/img/de-default-small.jpg differ
diff --git a/_install/langs/de/img/de-default-thickbox.jpg b/_install/langs/de/img/de-default-thickbox.jpg
new file mode 100644
index 00000000..240b93fc
Binary files /dev/null and b/_install/langs/de/img/de-default-thickbox.jpg differ
diff --git a/_install/langs/de/img/de-default-thumb_scene.jpg b/_install/langs/de/img/de-default-thumb_scene.jpg
new file mode 100644
index 00000000..e47dfd9e
Binary files /dev/null and b/_install/langs/de/img/de-default-thumb_scene.jpg differ
diff --git a/_install/langs/de/img/de.jpg b/_install/langs/de/img/de.jpg
new file mode 100644
index 00000000..e456e3e1
Binary files /dev/null and b/_install/langs/de/img/de.jpg differ
diff --git a/_install/langs/de/img/index.php b/_install/langs/de/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/de/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/de/index.php b/_install/langs/de/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/de/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/de/install.php b/_install/langs/de/install.php
new file mode 100644
index 00000000..3a4948d5
--- /dev/null
+++ b/_install/langs/de/install.php
@@ -0,0 +1,210 @@
+
+ array (
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/de/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' =>
+ array (
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'SQL-Fehler bei Element %1$s : %2$s aufgetreten',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'Bild "%1$s" fĂŒr "%2$s" kann nicht erstellt werden',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Bild "%1$s"kann nicht erstellt werden (keine Schreibrechte fĂŒr Ordner "%2$s" vorhanden)',
+ 'Cannot create image "%s"' => 'Bild "%s" kann nicht erstell werden',
+ 'SQL error on query %s ' => 'SQL-Fehler in der Abfrage %s ',
+ '%s Login information' => '%s Anmeldeinformationen',
+ 'Field required' => 'Pflichtfeld',
+ 'Invalid shop name' => 'UngĂŒltiger Shopname',
+ 'The field %s is limited to %d characters' => 'Das Feld %s ist auf %s Zeichen begrenzt.',
+ 'Your firstname contains some invalid characters' => 'Ihr Vorname enthĂ€lt ungĂŒltige Zeichen',
+ 'Your lastname contains some invalid characters' => 'Ihr Nachname enthĂ€lt ungĂŒltige Zeichen',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Das Passwort ist falsch (alphanumerische Zeichenfolge aus mindestens 8 Zeichen)',
+ 'Password and its confirmation are different' => 'Passwort und BestĂ€tigung stimmen nicht ĂŒberein',
+ 'This e-mail address is invalid' => 'E-Mail-Adresse nicht gefunden',
+ 'Image folder %s is not writable' => 'Keine Schreibrechte fĂŒr Bilder-Verzeichnis %s vorhanden',
+ 'An error occurred during logo copy.' => 'Beim Kopieren des Logos ist ein Fehler aufgetreten.',
+ 'An error occurred during logo upload.' => 'Beim Logo-Upload ist ein Fehler aufgetreten.',
+ 'Lingerie and Adult' => 'Dessous und Erotik',
+ 'Animals and Pets' => 'Alles fĂŒr Tiere',
+ 'Art and Culture' => 'Kunst und Freizeit',
+ 'Babies' => 'Baby-Artikel',
+ 'Beauty and Personal Care' => 'ParfĂŒmerie und Kosmetik',
+ 'Cars' => 'Autos',
+ 'Computer Hardware and Software' => 'Hard- und Software',
+ 'Download' => 'Download',
+ 'Fashion and accessories' => 'Mode und Accessoires',
+ 'Flowers, Gifts and Crafts' => 'Pflanzen, Geschenke, Handarbeiten',
+ 'Food and beverage' => 'Essen und Trinken',
+ 'HiFi, Photo and Video' => 'Elektronik und Foto',
+ 'Home and Garden' => 'Haus und Garten',
+ 'Home Appliances' => 'HaushaltsgerÀte',
+ 'Jewelry' => 'Schmuck',
+ 'Mobile and Telecom' => 'Mobilfunk und Telekommunikation',
+ 'Services' => 'Dienstleistungen',
+ 'Shoes and accessories' => 'Schuhe und Zubehör',
+ 'Sports and Entertainment' => 'Sport und Unterhaltung',
+ 'Travel' => 'Reisen',
+ 'Database is connected' => 'Datenbank verbunden',
+ 'Database is created' => 'Datenbank erstellt',
+ 'Cannot create the database automatically' => 'Datenbank kann nicht automatisch erstellt werden',
+ 'Create settings.inc file' => 'Datei settings.inc erstellen',
+ 'Create database tables' => 'Datenbanktabellen anlegen',
+ 'Create default shop and languages' => 'Standard-Shop und Standard-Sprachen anlegen',
+ 'Populate database tables' => 'Datenbankdaten eintragen',
+ 'Configure shop information' => 'Shopeinstellungen vornehmen',
+ 'Install demonstration data' => 'Demodaten installieren',
+ 'Install modules' => 'Module installieren',
+ 'Install Addons modules' => 'Modul-Addons installieren',
+ 'Install theme' => 'Template installieren',
+ 'Required PHP parameters' => 'Erforderliche PHP-Einstellungen',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 oder höher ist nicht aktiv',
+ 'Cannot upload files' => 'Dateien können nicht hochgeladen werden',
+ 'Cannot create new files and folders' => 'Neue Dateien und Verzeichnisse können nicht erstellt werden',
+ 'GD Library is not installed' => 'GD-Bibliothek ist nicht installiert',
+ 'MySQL support is not activated' => 'MySQL-UnterstĂŒtzung ist nicht aktiviert',
+ 'Files' => 'Dateien',
+ 'All files are not successfully uploaded on your server' => 'Es konnten nicht alle Dateien erfolgreich auf Ihren Server hochgeladen werden',
+ 'Permissions on files and folders' => 'Rechte fĂŒr Dateien und Verzeichnisse',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Rekursive Schreibrechte fĂŒr Benutzer %1$s bei %2$s',
+ 'Recommended PHP parameters' => 'Empfohlene PHP-Einstellungen',
+ 'Cannot open external URLs' => 'Externe URLs können nicht geöffnet werden',
+ 'PHP register_globals option is enabled' => 'PHP-Anweisung register_globals ist aktiviert',
+ 'GZIP compression is not activated' => 'GZIP-Komprimierung ist nicht aktiviert',
+ 'Mcrypt extension is not enabled' => 'Mcrypt-Erweiterung ist nicht aktiviert',
+ 'Mbstring extension is not enabled' => 'Mbstring-Erweiterung ist nicht aktiviert',
+ 'PHP magic quotes option is enabled' => 'PHP-Option magic quotes ist aktiviert',
+ 'Dom extension is not loaded' => 'Dom-Erweiterung ist nicht geladen',
+ 'PDO MySQL extension is not loaded' => 'PDO MySQL-Erweiterung ist nicht geladen',
+ 'Server name is not valid' => 'Server-Name ungĂŒltig',
+ 'You must enter a database name' => 'Sie mĂŒssen einen Datenbanknamen angeben',
+ 'You must enter a database login' => 'Sie mĂŒssen die Datenbankzugangsdaten angeben',
+ 'Tables prefix is invalid' => 'Tabellen-PrĂ€fix ungĂŒltig',
+ 'Cannot convert database data to utf-8' => 'Daten können nicht nach UTF-8 konvertiert werden',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Mit dem gleichen Tabellen-PrÀfix sind bereits andere Tabellen in Ihrer Datenbank angelegt. Bitte Àndern sie den PrÀfix oder leeren Sie Ihre Datenbank',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'Der Datenbank-Server wurde nicht gefunden, bitte prĂŒfen Sie Ihren Benutzernamen oder den Server-Namen',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'Datenbankserver gefunden, aber Datenbank nicht vorhanden',
+ 'Attempt to create the database automatically' => 'Versuche, die Datenbank automatisch zu erstellen.',
+ '%s file is not writable (check permissions)' => 'Datei %s ist schreibgeschĂŒtzt (bitte Schreibrechte ĂŒberprĂŒfen)',
+ '%s folder is not writable (check permissions)' => 'Verzeichnis %s ist schreibgeschĂŒtzt (bitte Schreibrechte ĂŒberprĂŒfen)',
+ 'Cannot write settings file' => 'Einstellungs-Datei kann nicht geschrieben werden',
+ 'Database structure file not found' => 'Datenbankstruktur-Datei nicht gefunden',
+ 'Cannot create group shop' => 'Shop-Gruppe kann nicht erstellt werden',
+ 'Cannot create shop' => 'Shop kann nicht erstellt werden',
+ 'Cannot create shop URL' => 'Shop-URL kann nicht erstellt werden',
+ 'File "language.xml" not found for language iso "%s"' => 'Sprachdatei "Sprache.xml" fĂŒr Sprache "%s" nicht gefunden',
+ 'File "language.xml" not valid for language iso "%s"' => 'Sprachdatei "Sprache.xml" fĂŒr Sprache "%s" ungĂŒltig',
+ 'Cannot install language "%s"' => 'Sprache "%s" kann nicht installiert werden',
+ 'Cannot copy flag language "%s"' => 'Die Flagge der Sprache "%s" kann nicht kopiert werden',
+ 'Cannot create admin account' => 'Adminkonto kann nicht erstellt werden',
+ 'Cannot install module "%s"' => 'Modul "%s" kann nicht installiert werden',
+ 'Fixtures class "%s" not found' => 'Fixture-Klasse "%s" nicht gefunden',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" muss vom "InstallXmlLoader" aufgerufen werden',
+ 'Information about your Store' => 'Shop-Informationen',
+ 'Shop name' => 'Name des Shops',
+ 'Main activity' => 'Branchenzugehörigkeit',
+ 'Please choose your main activity' => 'Bitte wÀhlen Sie Ihre Branchenzugehörigkeit',
+ 'Other activity...' => 'Andere...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Helfen Sie uns, Sie besser kennenzulernen, damit wir Ihnen die optimalen Funktionen fĂŒr Ihre Branche anbieten können!',
+ 'Install demo products' => 'Demo-Artikel installieren',
+ 'Yes' => 'Ja',
+ 'No' => 'Nein',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demo-Artikel sind eine gute Möglichkeit, die Funktionen des Shops nÀher kennzulernen. Wir empfehlen Ihnen daher, sie zunÀchst zu installieren. Sie können die Artikel im Back Office jederzeit nachtrÀglich deaktivieren oder löschen',
+ 'Country' => 'Land',
+ 'Select your country' => 'WĂ€hlen Sie Ihr Land',
+ 'Shop timezone' => 'Zeitzone',
+ 'Select your timezone' => 'WĂ€hlen Sie Ihre Zeitzone',
+ 'Shop logo' => 'Shop-Logo',
+ 'Optional - You can add you logo at a later time.' => 'Optional â Sie können sich auch spĂ€ter entscheiden.',
+ 'Your Account' => 'Ihre Anmeldedaten',
+ 'First name' => 'Vorname',
+ 'Last name' => 'Name',
+ 'E-mail address' => 'E-Mail-Adresse',
+ 'This email address will be your username to access your store\'s back office.' => 'Diese E-Mail-Adresse ist Ihre Benutznername, um in den Verwaltungsbereich Ihres Shops zu gelangen.',
+ 'Shop password' => 'Passwort des Shops',
+ 'Must be at least 8 characters' => 'Mindestens 8 Zeichen',
+ 'Re-type to confirm' => 'BestÀtigen Sie das Passwort',
+ 'Sign-up to the newsletter' => 'FĂŒr den Newsletter anmelden',
+ 'PrestaShop can provide you with guidance on a regular basis by sending you tips on how to optimize the management of your store which will help you grow your business. If you do not wish to receive these tips, please uncheck this box.' => 'PrestaShop kann Sie regelmĂ€Ăig anleiten und Ihnen Tipps fĂŒr die Shopverwaltung und Ihre geschĂ€ftliche Entwicklung geben. Wenn Sie keine Tipps wĂŒnschen, dann entfernen Sie bitte den Haken in diesem KĂ€stchen.',
+ 'Configure your database by filling out the following fields' => 'Richten Sie die Datenbank ein, indem Sie folgende Felder ausfĂŒllen',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Um PrestaShop zu nutzen, mĂŒssen Sie eine Datenbank erstellen , in der alle datenbezogenen AktivitĂ€ten Ihres Shops gespeichert werden.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Bitte fĂŒllen Sie die untenstehenden Felder aus, damit PrestaShop sich mit Ihrer Datenbank verbinden kann.',
+ 'Database server address' => 'Datenbank-Adresse',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Wenn Sie einen anderen Port als den Standardport (3306) nutzen möchten, fĂŒgen Sie zu Ihrer Serveradresse die Nummer xx Ihres Ports hinzu.',
+ 'Database name' => 'Name der Datenbank',
+ 'Database login' => 'Datenbank-Benutzer',
+ 'Database password' => 'Datenbank-Passwort',
+ 'Database Engine' => 'Datenbank',
+ 'Tables prefix' => 'Tabellen-PrÀfix',
+ 'Drop existing tables (mode dev)' => 'Vorhandene Tabellen löschen',
+ 'Test your database connection now!' => 'Testen Sie die Verbindung mit Ihrer Datenbank',
+ 'Next' => 'Weiter',
+ 'Back' => 'ZurĂŒck',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Falls Sie UnterstĂŒtzung benötigen, erhalten Sie gezielte Hilfe unseres Support-Teams. Sie können aber auch direkt in der PrestaShop Dokumentation nachschlagen (nur Englisch).',
+ 'Official forum' => 'Offizielles Forum',
+ 'Support' => 'Support',
+ 'Documentation' => 'Dokumentation',
+ 'Contact us' => 'Kontakt',
+ 'PrestaShop Installation Assistant' => 'Installationsassistent',
+ 'Forum' => 'Forum',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'Kontaktieren Sie uns!',
+ 'menu_welcome' => 'Sprachauswahl',
+ 'menu_license' => 'Lizenzvereinbarung',
+ 'menu_system' => 'SystemkompatibilitÀt',
+ 'menu_configure' => 'Shop-Einstellungen',
+ 'menu_database' => 'Systemkonfiguration',
+ 'menu_process' => 'Installation des Shops',
+ 'Installation Assistant' => 'Installationsassistent',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'JavaScript muss in Ihrem Browser aktiviert sein, um PrestaShop zu installieren.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/de/',
+ 'License Agreements' => 'Lizenzvereinbarung',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Um all die Vorteile zu nutzen, die Ihnen Prestashop bietet, lesen sie bitte die folgenden Bedingungen. Der PrestaShop ist unter OSL 3.0 lizensiert, die Module und Themen unter AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'Ich akzeptiere die obenstehenden AGB',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Ich möchte zur Verbesserung von PrestaShop beitragen und bin einverstanden, dass anonyme Informationen zu meiner Konfiguration ĂŒbermittelt werden.',
+ 'Done!' => 'Fertig!',
+ 'An error occurred during installation...' => 'Bei der Installation ist ein Fehler aufgetreten...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'Um zum vorherigen Schritt zu gelangen, können Sie die Links in der linken Spalte nutzen, oder den Installationsprozess komplett neu starten, indem Sie HIER klicken .',
+ 'Your installation is finished!' => 'Die Installation ist abgeschlossen!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Sie haben soeben Ihren Shop erfolgreich installiert. Danke dass Sie Prestashop nutzen',
+ 'Please remember your login information:' => 'Merken Sie sich Ihre Anmeldedaten:',
+ 'E-mail' => 'E-Mail',
+ 'Print my login information' => 'Meine Zugangsinformationen ausdrucken',
+ 'Password' => 'Passwort',
+ 'Display' => 'Anzeige',
+ 'For security purposes, you must delete the "install" folder.' => 'Aus SicherheitsgrĂŒnden mĂŒssen Sie das Verzeichnis âinstallâ unbedingt löschen.',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS15/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Back Office',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Verwalten Sie Ihren Shop im Back-Office. Verwalten Sie Ihre Bestellungen und Kunden, fĂŒgen Sie Module hinzu, Ă€ndern Sie Ihr Theme, usw. ...',
+ 'Manage your store' => 'Verwalten Sie Ihren Shop',
+ 'Front Office' => 'Front Office',
+ 'Discover your store as your future customers will see it!' => 'Sehen Sie, wie Ihr Shop spĂ€ter fĂŒr Ihre Kunden aussieht!',
+ 'Discover your store' => 'Meinen Shop entdecken',
+ 'Share your experience with your friends!' => 'Teilen Sie Erfahrungen mit Ihren Freunden!',
+ 'I just built an online store with PrestaShop!' => 'Ich habe gerade einen Online-Shop mit PrestaShop eingerichtet!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Das Video wird Sie begeistern: http://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'Teilen',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Finden Sie bei PrestaShop Addons die kleinen Extras zu Ihrem Shop!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'Wir ĂŒberprĂŒfen derzeit die KompatibilitĂ€t von PrestaShop mit Ihrer Systemumgebung.',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Bei Fragen nutzen Sie bitte unsere Dokumentation oder Community Forum .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'Die KompatibilitĂ€t von PrestaShop mit Ihrem System wurde ĂŒberprĂŒft!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Bitte korrigieren Sie untenstehende(n) Punkt(e) und klicken Sie anschlieĂend auf den Refresh-Button, um erneut die KompatibilitĂ€t Ihres Systems zu ĂŒberprĂŒfen.',
+ 'Refresh these settings' => 'Einstellungen aktualisieren',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'Damit PrestaShop einwandfrei funktionieren kann, werden mindestens 32M Speicher benötigt. Bitte ĂŒberprĂŒfen Sie die memory_limit directive in php.in oder kontaktieren Sie Ihrem Provider.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Achtung: Sie können mit diesem Tool kein Upgrade Ihres Shops mehr machen. Sie haben bereits PrestaShop version %1$s installiert . Wenn Sie ein Upgrade auf die aktuelle Version möchten, lesen Sie bitte die Dokumentation: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'Herzlich Willkommen beim PrestaShop %s Installationsassistenten',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'PrestaShop lĂ€sst sich einfach und schnell installieren. In wenigen Momenten sind Sie Teil einer Gemeinschaft von ĂŒber 250.000 Shopbesitzern. Sie sind gerade dabei, Ihren eigenen, einzigartigen Shop zu erstellen, den Sie tĂ€glich leicht verwalten können.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .',
+ 'Continue the installation in:' => 'Installation fortfĂŒhren in:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Die obige Sprachauswahl bezieht sich auf den Installationsassistenten. Sobald Ihr Shop installiert ist, können Sie aus %d Sprachen Ihre Shopsprache wÀhlen!',
+ ),
+);
diff --git a/_install/langs/de/language.xml b/_install/langs/de/language.xml
new file mode 100644
index 00000000..9a5f49ed
--- /dev/null
+++ b/_install/langs/de/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ de
+ d.m.Y
+ d.m.Y H:i:s
+ false
+
\ No newline at end of file
diff --git a/_install/langs/de/mail_identifiers.txt b/_install/langs/de/mail_identifiers.txt
new file mode 100644
index 00000000..b1d030c6
--- /dev/null
+++ b/_install/langs/de/mail_identifiers.txt
@@ -0,0 +1,8 @@
+Hallo {firstname} {lastname},
+
+Ihre persönlichen Login-Daten
+
+Kennwort: {passwd}
+E-Mail-Adresse: {email}
+
+{shop_name} powered with PrestaShopâą
diff --git a/_install/langs/en/data/carrier.xml b/_install/langs/en/data/carrier.xml
new file mode 100644
index 00000000..343fa6f5
--- /dev/null
+++ b/_install/langs/en/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Pick up in-store
+
+
diff --git a/_install/langs/en/data/category.xml b/_install/langs/en/data/category.xml
new file mode 100644
index 00000000..87b90b95
--- /dev/null
+++ b/_install/langs/en/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Root
+
+ root
+
+
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/en/data/cms.xml b/_install/langs/en/data/cms.xml
new file mode 100644
index 00000000..862d84ff
--- /dev/null
+++ b/_install/langs/en/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ю</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ю</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/_install/langs/en/data/cms_category.xml b/_install/langs/en/data/cms_category.xml
new file mode 100644
index 00000000..ceb8cf49
--- /dev/null
+++ b/_install/langs/en/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/en/data/configuration.xml b/_install/langs/en/data/configuration.xml
new file mode 100644
index 00000000..b4bf4ef6
--- /dev/null
+++ b/_install/langs/en/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/_install/langs/en/data/contact.xml b/_install/langs/en/data/contact.xml
new file mode 100644
index 00000000..bdc0b24d
--- /dev/null
+++ b/_install/langs/en/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/_install/langs/en/data/country.xml b/_install/langs/en/data/country.xml
new file mode 100644
index 00000000..d57ea1e3
--- /dev/null
+++ b/_install/langs/en/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
+
+
+ Andorra
+
+
+ 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/_install/langs/en/data/gender.xml b/_install/langs/en/data/gender.xml
new file mode 100644
index 00000000..2b2a4aa5
--- /dev/null
+++ b/_install/langs/en/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/en/data/group.xml b/_install/langs/en/data/group.xml
new file mode 100644
index 00000000..2d1b7093
--- /dev/null
+++ b/_install/langs/en/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/en/data/index.php b/_install/langs/en/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/en/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/en/data/meta.xml b/_install/langs/en/data/meta.xml
new file mode 100644
index 00000000..f5e49496
--- /dev/null
+++ b/_install/langs/en/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
+
+
+
+ Shop powered by PrestaShop
+
+
+
+
+ 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/_install/langs/en/data/order_return_state.xml b/_install/langs/en/data/order_return_state.xml
new file mode 100644
index 00000000..37ad31de
--- /dev/null
+++ b/_install/langs/en/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ Waiting for confirmation
+
+
+ Waiting for package
+
+
+ Package received
+
+
+ Return denied
+
+
+ Return completed
+
+
diff --git a/_install/langs/en/data/order_state.xml b/_install/langs/en/data/order_state.xml
new file mode 100644
index 00000000..ae25e86a
--- /dev/null
+++ b/_install/langs/en/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ Awaiting check payment
+ cheque
+
+
+ Payment accepted
+ payment
+
+
+ Processing in progress
+ preparation
+
+
+ Shipped
+ shipped
+
+
+ Delivered
+
+
+
+ Canceled
+ order_canceled
+
+
+ Refunded
+ refund
+
+
+ Payment error
+ payment_error
+
+
+ On backorder (paid)
+ outofstock
+
+
+ On backorder (not paid)
+ outofstock
+
+
+ Awaiting bank wire payment
+ bankwire
+
+
+ Awaiting PayPal payment
+
+
+
+ Remote payment accepted
+ payment
+
+
+ Awaiting Cash On Delivery validation
+ cashondelivery
+
+
diff --git a/_install/langs/en/data/profile.xml b/_install/langs/en/data/profile.xml
new file mode 100644
index 00000000..7352a78c
--- /dev/null
+++ b/_install/langs/en/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/en/data/quick_access.xml b/_install/langs/en/data/quick_access.xml
new file mode 100644
index 00000000..72e5a5b9
--- /dev/null
+++ b/_install/langs/en/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/en/data/risk.xml b/_install/langs/en/data/risk.xml
new file mode 100644
index 00000000..bb8bf6dd
--- /dev/null
+++ b/_install/langs/en/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/en/data/stock_mvt_reason.xml b/_install/langs/en/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..e04ec4eb
--- /dev/null
+++ b/_install/langs/en/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Increase
+
+
+ Decrease
+
+
+ Customer Order
+
+
+ Regulation following an inventory of stock
+
+
+ Regulation following an inventory of stock
+
+
+ Transfer to another warehouse
+
+
+ Transfer from another warehouse
+
+
+ Supply Order
+
+
diff --git a/_install/langs/en/data/supplier_order_state.xml b/_install/langs/en/data/supplier_order_state.xml
new file mode 100644
index 00000000..dfc4ce42
--- /dev/null
+++ b/_install/langs/en/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/en/data/supply_order_state.xml b/_install/langs/en/data/supply_order_state.xml
new file mode 100644
index 00000000..1e8903f0
--- /dev/null
+++ b/_install/langs/en/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Creation in progress
+
+
+ 2 - Order validated
+
+
+ 3 - Pending receipt
+
+
+ 4 - Order received in part
+
+
+ 5 - Order received completely
+
+
+ 6 - Order canceled
+
+
diff --git a/_install/langs/en/data/tab.xml b/_install/langs/en/data/tab.xml
new file mode 100644
index 00000000..4b7a5dc3
--- /dev/null
+++ b/_install/langs/en/data/tab.xml
@@ -0,0 +1,103 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/en/flag.jpg b/_install/langs/en/flag.jpg
new file mode 100644
index 00000000..020b76c7
Binary files /dev/null and b/_install/langs/en/flag.jpg differ
diff --git a/_install/langs/en/img/en-default-category.jpg b/_install/langs/en/img/en-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/en/img/en-default-category.jpg differ
diff --git a/_install/langs/en/img/en-default-home.jpg b/_install/langs/en/img/en-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/en/img/en-default-home.jpg differ
diff --git a/_install/langs/en/img/en-default-large.jpg b/_install/langs/en/img/en-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/en/img/en-default-large.jpg differ
diff --git a/_install/langs/en/img/en-default-large_scene.jpg b/_install/langs/en/img/en-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/en/img/en-default-large_scene.jpg differ
diff --git a/_install/langs/en/img/en-default-medium.jpg b/_install/langs/en/img/en-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/en/img/en-default-medium.jpg differ
diff --git a/_install/langs/en/img/en-default-small.jpg b/_install/langs/en/img/en-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/en/img/en-default-small.jpg differ
diff --git a/_install/langs/en/img/en-default-thickbox.jpg b/_install/langs/en/img/en-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/en/img/en-default-thickbox.jpg differ
diff --git a/_install/langs/en/img/en-default-thumb_scene.jpg b/_install/langs/en/img/en-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/en/img/en-default-thumb_scene.jpg differ
diff --git a/_install/langs/en/img/en.jpg b/_install/langs/en/img/en.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/en/img/en.jpg differ
diff --git a/_install/langs/en/img/index.php b/_install/langs/en/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/en/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/en/index.php b/_install/langs/en/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/en/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/en/install.php b/_install/langs/en/install.php
new file mode 100644
index 00000000..dd5a9a49
--- /dev/null
+++ b/_install/langs/en/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'An SQL error occurred for entity %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'Cannot create image "%1$s" for entity "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Cannot create image "%1$s" (bad permissions on folder "%2$s")',
+ 'Cannot create image "%s"' => 'Cannot create image "%s"',
+ 'SQL error on query %s ' => 'SQL error on query %s ',
+ '%s Login information' => '%s Login information',
+ 'Field required' => 'Field required',
+ 'Invalid shop name' => 'Invalid shop name',
+ 'The field %s is limited to %d characters' => 'The field %s is limited to %d characters',
+ 'Your firstname contains some invalid characters' => 'Your firstname contains some invalid characters',
+ 'Your lastname contains some invalid characters' => 'Your lastname contains some invalid characters',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'The password is incorrect (alphanumeric string with at least 8 characters)',
+ 'Password and its confirmation are different' => 'Password and its confirmation are different',
+ 'This e-mail address is invalid' => 'This e-mail address is invalid',
+ 'Image folder %s is not writable' => 'Image folder %s is not writable',
+ 'An error occurred during logo copy.' => 'An error occurred during logo copy.',
+ 'An error occurred during logo upload.' => 'An error occurred during logo upload.',
+ 'Lingerie and Adult' => 'Lingerie and Adult',
+ 'Animals and Pets' => 'Animals and Pets',
+ 'Art and Culture' => 'Art and Culture',
+ 'Babies' => 'Babies',
+ 'Beauty and Personal Care' => 'Beauty and Personal Care',
+ 'Cars' => 'Cars',
+ 'Computer Hardware and Software' => 'Computer Hardware and Software',
+ 'Download' => 'Download',
+ 'Fashion and accessories' => 'Fashion and accessories',
+ 'Flowers, Gifts and Crafts' => 'Flowers, Gifts and Crafts',
+ 'Food and beverage' => 'Food and beverage',
+ 'HiFi, Photo and Video' => 'HiFi, Photo and Video',
+ 'Home and Garden' => 'Home and Garden',
+ 'Home Appliances' => 'Home Appliances',
+ 'Jewelry' => 'Jewelry',
+ 'Mobile and Telecom' => 'Mobile and Telecom',
+ 'Services' => 'Services',
+ 'Shoes and accessories' => 'Shoes and accessories',
+ 'Sports and Entertainment' => 'Sports and Entertainment',
+ 'Travel' => 'Travel',
+ 'Database is connected' => 'Database is connected',
+ 'Database is created' => 'Database is created',
+ 'Cannot create the database automatically' => 'Cannot create the database automatically',
+ 'Create settings.inc file' => 'Create settings.inc file',
+ 'Create database tables' => 'Create database tables',
+ 'Create default shop and languages' => 'Create default shop and languages',
+ 'Populate database tables' => 'Populate database tables',
+ 'Configure shop information' => 'Configure shop information',
+ 'Install demonstration data' => 'Install demonstration data',
+ 'Install modules' => 'Install modules',
+ 'Install Addons modules' => 'Install Addons modules',
+ 'Install theme' => 'Install theme',
+ 'Required PHP parameters' => 'Required PHP parameters',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 or later is not enabled',
+ 'Cannot upload files' => 'Cannot upload files',
+ 'Cannot create new files and folders' => 'Cannot create new files and folders',
+ 'GD library is not installed' => 'GD library is not installed',
+ 'MySQL support is not activated' => 'MySQL support is not activated',
+ 'Files' => 'Files',
+ 'Not all files were successfully uploaded on your server' => 'Not all files were successfully uploaded on your server',
+ 'Permissions on files and folders' => 'Permissions on files and folders',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Recursive write permissions for %1$s user on %2$s',
+ 'Recommended PHP parameters' => 'Recommended PHP parameters',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => '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!',
+ 'Cannot open external URLs' => 'Cannot open external URLs',
+ 'PHP register_globals option is enabled' => 'PHP register_globals option is enabled',
+ 'GZIP compression is not activated' => 'GZIP compression is not activated',
+ 'Mcrypt extension is not enabled' => 'Mcrypt extension is not enabled',
+ 'Mbstring extension is not enabled' => 'Mbstring extension is not enabled',
+ 'PHP magic quotes option is enabled' => 'PHP magic quotes option is enabled',
+ 'Dom extension is not loaded' => 'Dom extension is not loaded',
+ 'PDO MySQL extension is not loaded' => 'PDO MySQL extension is not loaded',
+ 'Server name is not valid' => 'Server name is not valid',
+ 'You must enter a database name' => 'You must enter a database name',
+ 'You must enter a database login' => 'You must enter a database login',
+ 'Tables prefix is invalid' => 'Tables prefix is invalid',
+ 'Cannot convert database data to utf-8' => 'Cannot convert database data to utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'At least one table with same prefix was already found, please change your prefix or drop your database',
+ 'The values of auto_increment increment and offset must be set to 1' => 'The values of auto_increment increment and offset must be set to 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'Database Server is not found. Please verify the login, password and server fields',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'Connection to MySQL server succeeded, but database "%s" not found',
+ 'Attempt to create the database automatically' => 'Attempt to create the database automatically',
+ '%s file is not writable (check permissions)' => '%s file is not writable (check permissions)',
+ '%s folder is not writable (check permissions)' => '%s folder is not writable (check permissions)',
+ 'Cannot write settings file' => 'Cannot write settings file',
+ 'Database structure file not found' => 'Database structure file not found',
+ 'Cannot create group shop' => 'Cannot create group shop',
+ 'Cannot create shop' => 'Cannot create shop',
+ 'Cannot create shop URL' => 'Cannot create shop URL',
+ 'File "language.xml" not found for language iso "%s"' => 'File "language.xml" not found for language iso "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'File "language.xml" not valid for language iso "%s"',
+ 'Cannot install language "%s"' => 'Cannot install language "%s"',
+ 'Cannot copy flag language "%s"' => 'Cannot copy flag language "%s"',
+ 'Cannot create admin account' => 'Cannot create admin account',
+ 'Cannot install module "%s"' => 'Cannot install module "%s"',
+ 'Fixtures class "%s" not found' => 'Fixtures class "%s" not found',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" must be an instance of "InstallXmlLoader"',
+ 'Information about your Store' => 'Information about your Store',
+ 'Shop name' => 'Shop name',
+ 'Main activity' => 'Main activity',
+ 'Please choose your main activity' => 'Please choose your main activity',
+ 'Other activity...' => 'Other activity...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!',
+ 'Install demo products' => 'Install demo products',
+ 'Yes' => 'Yes',
+ 'No' => 'No',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.',
+ 'Country' => 'Country',
+ 'Select your country' => 'Select your country',
+ 'Shop timezone' => 'Shop timezone',
+ 'Select your timezone' => 'Select your timezone',
+ 'Shop logo' => 'Shop logo',
+ 'Optional - You can add you logo at a later time.' => 'Optional - You can add you logo at a later time.',
+ 'Your Account' => 'Your Account',
+ 'First name' => 'First name',
+ 'Last name' => 'Last name',
+ 'E-mail address' => 'E-mail address',
+ 'This email address will be your username to access your store\'s back office.' => 'This email address will be your username to access your store\'s back office.',
+ 'Shop password' => 'Shop password',
+ 'Must be at least 8 characters' => 'Must be at least 8 characters',
+ 'Re-type to confirm' => 'Re-type to confirm',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .',
+ 'Configure your database by filling out the following fields' => 'Configure your database by filling out the following fields',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Please complete the fields below in order for PrestaShop to connect to your database. ',
+ 'Database server address' => 'Database server address',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".',
+ 'Database name' => 'Database name',
+ 'Database login' => 'Database login',
+ 'Database password' => 'Database password',
+ 'Database Engine' => 'Database Engine',
+ 'Tables prefix' => 'Tables prefix',
+ 'Drop existing tables (mode dev)' => 'Drop existing tables (mode dev)',
+ 'Test your database connection now!' => 'Test your database connection now!',
+ 'Next' => 'Next',
+ 'Back' => 'Back',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.',
+ 'Official forum' => 'Official forum',
+ 'Support' => 'Support',
+ 'Documentation' => 'Documentation',
+ 'Contact us' => 'Contact us',
+ 'PrestaShop Installation Assistant' => 'PrestaShop Installation Assistant',
+ 'Forum' => 'Forum',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'Contact us!',
+ 'menu_welcome' => 'Choose your language',
+ 'menu_license' => 'License agreements',
+ 'menu_system' => 'System compatibility',
+ 'menu_configure' => 'Store information',
+ 'menu_database' => 'System configuration',
+ 'menu_process' => 'Store installation',
+ 'Installation Assistant' => 'Installation Assistant',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'To install PrestaShop, you need to have JavaScript enabled in your browser.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/',
+ 'License Agreements' => 'License Agreements',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'I agree to the above terms and conditions.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'I agree to participate in improving the solution by sending anonymous information about my configuration.',
+ 'Done!' => 'Done!',
+ 'An error occurred during installation...' => 'An error occurred during installation...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .',
+ 'Your installation is finished!' => 'Your installation is finished!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'You have just finished installing your shop. Thank you for using PrestaShop!',
+ 'Please remember your login information:' => 'Please remember your login information:',
+ 'E-mail' => 'E-mail',
+ 'Print my login information' => 'Print my login information',
+ 'Password' => 'Password',
+ 'Display' => 'Display',
+ 'For security purposes, you must delete the "install" folder.' => 'For security purposes, you must delete the "install" folder.',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Back Office',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.',
+ 'Manage your store' => 'Manage your store',
+ 'Front Office' => 'Front Office',
+ 'Discover your store as your future customers will see it!' => 'Discover your store as your future customers will see it!',
+ 'Discover your store' => 'Discover your store',
+ 'Share your experience with your friends!' => 'Share your experience with your friends!',
+ 'I just built an online store with PrestaShop!' => 'I just built an online store with PrestaShop!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Watch this exhilarating experience: http://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'Share',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Check out PrestaShop Addons to add that little something extra to your store!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'We are currently checking PrestaShop compatibility with your system environment',
+ 'If you have any questions, please visit our documentation and community forum .' => 'If you have any questions, please visit our documentation and community forum .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'PrestaShop compatibility with your system environment has been verified!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.',
+ 'Refresh these settings' => 'Refresh these settings',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'Welcome to the PrestaShop %s Installer',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .',
+ 'Continue the installation in:' => 'Continue the installation in:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/en/language.xml b/_install/langs/en/language.xml
new file mode 100644
index 00000000..0b718d0a
--- /dev/null
+++ b/_install/langs/en/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ en-us
+ m/j/Y
+ m/j/Y H:i:s
+ false
+
\ No newline at end of file
diff --git a/_install/langs/en/mail_identifiers.txt b/_install/langs/en/mail_identifiers.txt
new file mode 100644
index 00000000..3f768acb
--- /dev/null
+++ b/_install/langs/en/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Hi {firstname} {lastname},
+
+Here is your personal login information for {shop_name}:
+
+Password: {passwd}
+E-mail address: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/es/data/carrier.xml b/_install/langs/es/data/carrier.xml
new file mode 100644
index 00000000..3b100ff5
--- /dev/null
+++ b/_install/langs/es/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Recoger en tienda
+
+
diff --git a/_install/langs/es/data/category.xml b/_install/langs/es/data/category.xml
new file mode 100644
index 00000000..d02105ef
--- /dev/null
+++ b/_install/langs/es/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ RaĂz
+
+ raiz
+
+
+
+
+
+ Inicio
+
+ inicio
+
+
+
+
+
diff --git a/_install/langs/es/data/cms.xml b/_install/langs/es/data/cms.xml
new file mode 100644
index 00000000..bf4083bb
--- /dev/null
+++ b/_install/langs/es/data/cms.xml
@@ -0,0 +1,81 @@
+
+
+
+ EnvĂo
+ Nuestros tĂ©rminos y condiciones de envĂo
+ condiciones, entrega, plazo, envĂo, paquete
+ <h2>EnvĂos y devoluciones</h2><h3>EnvĂo del paquete</h3><p>Como norma general, los paquetes se envĂan dentro de las 48 horas siguientes a la recepciĂłn del pago, travĂ©s de UPS con nĂșmero de seguimiento y entrega sin firma. Si prefieres el envĂo certificado mediante UPS Extra, se aplicarĂĄ un cargo adicional. Ponte en contacto con nosotros antes de solicitar esta opciĂłn. Sea cual sea la forma de envĂo que elijas, te proporcionaremos un enlace para que puedas seguir tu pedido en lĂnea.</p><p>Los gastos de envĂo incluyen los gastos de manipulaciĂłn y empaquetado, asĂ como los gastos postales. Los gastos de manipulaciĂłn tienen un precio fijo, mientras que los gastos de transporte pueden variar segĂșn el peso total del paquete. Te aconsejamos que agrupes todos tus artĂculos en un mismo pedido. No podemos combinar dos pedidos diferentes, y los gastos de envĂo se aplicarĂĄn para cada uno de manera individual. No nos hacemos responsables de los daños que pueda sufrir tu paquete tras el envĂo, pero hacemos todo lo posible para proteger todos los artĂculos frĂĄgiles.<br /><br />Las cajas son grandes y tus artĂculos estarĂĄn bien protegidos.</p>
+ entrega
+
+
+ Aviso legal
+ Aviso legal
+ aviso, legal, créditos
+ <h2>Legal</h2><h3>CrĂ©ditos</h3><p>Concepto y producciĂłn:</p><p>Esta tienda online fue creada utilizando el <a href="http://www.prestashop.com">Software Prestashop Shopping Cart</a>. No olvides echarle un vistazo al <a href="http://www.prestashop.com/blog/en/">blog de comercio electrĂłnico</a> de PrestaShop para estar al dĂa y leer todos los consejos sobre la venta online y sobre cĂłmo gestionar tu web de comercio electrĂłnico.</p>
+ aviso-legal
+
+
+ TĂ©rminos y condiciones
+ Nuestros términos y condiciones
+ condiciones, términos, uso, venta
+ <h1 class="page-heading">TĂ©rminos y condiciones</h1>
+<h3 class="page-subheading">Norma 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">Norma 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ю</p>
+<h3 class="page-subheading">Norma 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ю</p>
+ terminos-y-condiciones-de-uso
+
+
+ Sobre nosotros
+ AverigĂŒe mĂĄs sobre nosotros
+ sobre nosotros, informaciĂłn
+ <h1 class="page-heading bottom-indent">Sobre nosotros</h1>
+<div class="row">
+<div class="col-xs-12 col-sm-4">
+<div class="cms-block">
+<h3 class="page-subheading">Nuestra empresa</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>Productos de alta calidad</li>
+<li><em class="icon-ok"></em>El mejor servicio de atenciĂłn al cliente</li>
+<li><em class="icon-ok"></em>GarantĂa de devoluciĂłn en 30 dĂas</li>
+</ul>
+</div>
+</div>
+<div class="col-xs-12 col-sm-4">
+<div class="cms-box">
+<h3 class="page-subheading">Nuestro equipo</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">Opiniones</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>
+ sobre-nosotros
+
+
+ Pago seguro
+ Nuestra forma de pago segura
+ pago seguro, ssl, visa, mastercard, paypal
+ <h2>Pago seguro</h2>
+<h3>Nuestro pago seguro</h3><p>Con SSL</p>
+<h3>Utilizando Visa/Mastercard/Paypal</h3><p>Sobre este servicio</p>
+ pago-seguro
+
+
diff --git a/_install/langs/es/data/cms_category.xml b/_install/langs/es/data/cms_category.xml
new file mode 100644
index 00000000..ee5868e2
--- /dev/null
+++ b/_install/langs/es/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Inicio
+
+ inicio
+
+
+
+
+
diff --git a/_install/langs/es/data/configuration.xml b/_install/langs/es/data/configuration.xml
new file mode 100644
index 00000000..86604083
--- /dev/null
+++ b/_install/langs/es/data/configuration.xml
@@ -0,0 +1,24 @@
+
+
+
+ #FACT.
+
+
+ #ALB. ENTR.
+
+
+ #RE
+
+
+ un|una|unas|unos|uno|sobre|todo|tambiĂ©n|tras|otro|algĂșn|alguno|alguna|algunos|algunas|ser|es|soy|eres|somos|sois|estoy|esta|estamos|estais|estan|como|en|para|atras|porque|por quĂ©|estado|estaba|ante|antes|siendo|ambos|pero|por|poder|puede|puedo|podemos|podeis|pueden|fui|fue|fuimos|fueron|hacer|hago|hace|hacemos|haceis|hacen|cada|fin|incluso|primero|desde|conseguir|consigo|consigue|consigues|conseguimos|consiguen|ir|voy|va|vamos|vais|van|vaya|gueno|ha|tener|tengo|tiene|tenemos|teneis|tienen|el|la|lo|las|los|su|aqui|mio|tuyo|ellos|ellas|nos|nosotros|vosotros|vosotras|si|dentro|solo|solamente|saber|sabes|sabe|sabemos|sabeis|saben|ultimo|largo|bastante|haces|muchos|aquellos|aquellas|sus|entonces|tiempo|verdad|verdadero|verdadera|cierto|ciertos|cierta|ciertas|intentar|intento|intenta|intentas|intentamos|intentais|intentan|dos|bajo|arriba|encima|usar|uso|usas|usa|usamos|usais|usan|emplear|empleo|empleas|emplean|ampleamos|empleais|valor|muy|era|eras|eramos|eran|modo|bien|cual|cuando|donde|mientras|quien|con|entre|sin|trabajo|trabajar|trabajas|trabaja|trabajamos|trabajais|trabajan|podria|podrias|podriamos|podrian|podriais|yo|aquel
+
+
+ 0
+
+
+ Estimado cliente:
+
+Saludos,
+Servicio de atenciĂłn al cliente
+
+
diff --git a/_install/langs/es/data/contact.xml b/_install/langs/es/data/contact.xml
new file mode 100644
index 00000000..ecba373f
--- /dev/null
+++ b/_install/langs/es/data/contact.xml
@@ -0,0 +1,9 @@
+
+
+
+ En caso de problema técnico en esta pågina web
+
+
+ Para cualquier pregunta sobre un artĂculo, un pedido
+
+
diff --git a/_install/langs/es/data/country.xml b/_install/langs/es/data/country.xml
new file mode 100644
index 00000000..afdb7d84
--- /dev/null
+++ b/_install/langs/es/data/country.xml
@@ -0,0 +1,735 @@
+
+
+
+ Alemania
+
+
+ Austria
+
+
+ Bélgica
+
+
+ Canadá
+
+
+ China
+
+
+ España
+
+
+ Finlandia
+
+
+ Francia
+
+
+ Grecia
+
+
+ Italia
+
+
+ Japón
+
+
+ Luxemburgo
+
+
+ Países Bajos
+
+
+ Polonia
+
+
+ Portugal
+
+
+ República Checa
+
+
+ Reino Unido
+
+
+ Suecia
+
+
+ Suiza
+
+
+ Dinamarca
+
+
+ EE.UU.
+
+
+ Hong Kong
+
+
+ Noruega
+
+
+ Australia
+
+
+ Singapur
+
+
+ Irlanda
+
+
+ Nueva Zelanda
+
+
+ Corea del Sur
+
+
+ Israel
+
+
+ Sudáfrica
+
+
+ Nigeria
+
+
+ Costa de Marfil
+
+
+ Togo
+
+
+ Bolivia
+
+
+ Mauricio
+
+
+ Rumania
+
+
+ Eslovaquia
+
+
+ Argelia
+
+
+ Samoa Americana
+
+
+ Andorra
+
+
+ Angola
+
+
+ Anguila
+
+
+ Antigua y Barbuda
+
+
+ Argentina
+
+
+ Armenia
+
+
+ Aruba
+
+
+ Azerbaiyán
+
+
+ Bahamas
+
+
+ Bahrein
+
+
+ Bangladesh
+
+
+ Barbados
+
+
+ Belarús
+
+
+ Belice
+
+
+ Benin
+
+
+ Bermudas
+
+
+ Bhután
+
+
+ Botswana
+
+
+ Brasil
+
+
+ Brunei
+
+
+ Burkina Faso
+
+
+ Birmania (Myanmar)
+
+
+ Burundi
+
+
+ Camboya
+
+
+ Camerún
+
+
+ Cabo Verde
+
+
+ República Centroafricana
+
+
+ Chad
+
+
+ Chile
+
+
+ Colombia
+
+
+ Comoras
+
+
+ Congo, Rep. Dem.
+
+
+ Congo, República
+
+
+ Costa Rica
+
+
+ Croacia
+
+
+ Cuba
+
+
+ Chipre
+
+
+ Djibouti
+
+
+ Dominica
+
+
+ República Dominicana
+
+
+ Timor Oriental
+
+
+ Ecuador
+
+
+ Egipto
+
+
+ El Salvador
+
+
+ Guinea Ecuatorial
+
+
+ Eritrea
+
+
+ Estonia
+
+
+ Etiopía
+
+
+ Islas Malvinas
+
+
+ Islas Feroe
+
+
+ Fiji
+
+
+ Gabón
+
+
+ Gambia
+
+
+ Georgia
+
+
+ Ghana
+
+
+ Granada
+
+
+ Groenlandia
+
+
+ Gibraltar
+
+
+ Guadalupe
+
+
+ Guam
+
+
+ Guatemala
+
+
+ Guernsey
+
+
+ Guinea
+
+
+ Guinea-Bissau
+
+
+ Guyana
+
+
+ Haití
+
+
+ Islas Heard y McDonald Islas
+
+
+ Ciudad del Vaticano
+
+
+ Honduras
+
+
+ Islandia
+
+
+ India
+
+
+ Indonesia
+
+
+ Irán
+
+
+ Iraq
+
+
+ Man, Isla
+
+
+ Jamaica
+
+
+ Jersey
+
+
+ Jordania
+
+
+ Kazajstán
+
+
+ Kenya
+
+
+ Kiribati
+
+
+ KOREA, DEM. República de
+
+
+ Kuwait
+
+
+ Kirguistán
+
+
+ Laos
+
+
+ Letonia
+
+
+ Líbano
+
+
+ Lesotho
+
+
+ Liberia
+
+
+ Libia
+
+
+ Liechtenstein
+
+
+ Lituania
+
+
+ Macao
+
+
+ Macedonia
+
+
+ Madagascar
+
+
+ Malawi
+
+
+ Malasia
+
+
+ Maldivas
+
+
+ Malí
+
+
+ Malta
+
+
+ Marshall, Islas
+
+
+ Martinica
+
+
+ Mauritania
+
+
+ Hungría
+
+
+ Mayotte
+
+
+ México
+
+
+ Micronesia
+
+
+ Moldavia
+
+
+ Mónaco
+
+
+ Mongolia
+
+
+ Montenegro
+
+
+ Montserrat
+
+
+ Marruecos
+
+
+ Mozambique
+
+
+ Namibia
+
+
+ Nauru
+
+
+ Nepal
+
+
+ Antillas Neerlandesas
+
+
+ Nueva Caledonia
+
+
+ Nicaragua
+
+
+ Níger
+
+
+ Niue
+
+
+ Norfolk Island
+
+
+ Islas Marianas del Norte
+
+
+ Omán
+
+
+ Pakistán
+
+
+ Palau
+
+
+ Territorios Palestinos
+
+
+ Panamá
+
+
+ Papua Nueva Guinea
+
+
+ Paraguay
+
+
+ Perú
+
+
+ Filipinas
+
+
+ Pitcairn
+
+
+ Puerto Rico
+
+
+ Qatar
+
+
+ Reunión, Isla de la
+
+
+ Rusia, Federación de
+
+
+ Rwanda
+
+
+ San Bartolomé
+
+
+ Saint Kitts y Nevis
+
+
+ Santa Lucía
+
+
+ Saint Martin
+
+
+ San Pedro y Miquelón
+
+
+ San Vicente y las Granadinas
+
+
+ Samoa
+
+
+ San Marino
+
+
+ Santo Tomé y Príncipe
+
+
+ Arabia Saudita
+
+
+ Senegal
+
+
+ Serbia
+
+
+ Seychelles
+
+
+ Sierra Leona
+
+
+ Eslovenia
+
+
+ Salomón, Islas
+
+
+ Somalia
+
+
+ Georgia del Sur e Islas Sandwich del Sur
+
+
+ Sri Lanka
+
+
+ Sudán
+
+
+ Suriname
+
+
+ Svalbard y Jan Mayen
+
+
+ Swazilandia
+
+
+ Siria
+
+
+ Taiwán
+
+
+ Tayikistán
+
+
+ Tanzania
+
+
+ Tailandia
+
+
+ Tokelau
+
+
+ Tonga
+
+
+ Trinidad y Tobago
+
+
+ Túnez
+
+
+ Turquía
+
+
+ Turkmenistán
+
+
+ Islas Turcas y Caicos
+
+
+ Tuvalu
+
+
+ Uganda
+
+
+ Ucrania
+
+
+ Emiratos ÿrabes Unidos
+
+
+ Uruguay
+
+
+ Uzbekistán
+
+
+ Vanuatu
+
+
+ Venezuela
+
+
+ Vietnam
+
+
+ Islas Vírgenes (Británicas)
+
+
+ Islas Vírgenes (EE.UU.)
+
+
+ Wallis y Futuna
+
+
+ Sáhara Occidental
+
+
+ Yemen
+
+
+ Zambia
+
+
+ Zimbabwe
+
+
+ Albania
+
+
+ Afganistán
+
+
+ Antártida
+
+
+ Bosnia y Herzegovina
+
+
+ Isla Bouvet
+
+
+ British Indian Ocean Territory
+
+
+ Bulgaria
+
+
+ Caimán, Islas
+
+
+ Navidad, Isla de
+
+
+ Cocos (Keeling), Islas
+
+
+ Cook, Islas
+
+
+ Francés Guayana
+
+
+ Polinesia francés
+
+
+ Territorios del sur francés
+
+
+ Islas Åland
+
+
diff --git a/_install/langs/es/data/gender.xml b/_install/langs/es/data/gender.xml
new file mode 100644
index 00000000..77aa0fb1
--- /dev/null
+++ b/_install/langs/es/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/es/data/group.xml b/_install/langs/es/data/group.xml
new file mode 100644
index 00000000..563f0f43
--- /dev/null
+++ b/_install/langs/es/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/es/data/index.php b/_install/langs/es/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/es/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/es/data/meta.xml b/_install/langs/es/data/meta.xml
new file mode 100644
index 00000000..8417c2d4
--- /dev/null
+++ b/_install/langs/es/data/meta.xml
@@ -0,0 +1,165 @@
+
+
+
+ Error 404
+ PĂĄgina no encontrada
+ error, 404, No se ha encontrado
+ pagina-no-ecnontrada
+
+
+ Lo mĂĄs vendido
+ Nuestros productos estrella
+ los más vendidos
+ mas-vendido
+
+
+ ContĂĄctanos
+ Utiliza nuestro formulario para ponerte en contacto con nosotros
+ formulario de contacto, e-mail
+ contactanos
+
+
+
+ Tienda creada con PrestaShop
+ tienda, prestashop
+
+
+
+ Fabricantes
+ Lista de fabricantes
+ fabricantes
+ fabricantes
+
+
+ Productos nuevos
+ Nuestros productos nuevos
+ nuevo, productos
+ nuevos-productos
+
+
+ ¿Has olvidado tu contraseña?
+ Introduce la dirección de correo electrónico que utilices para acceder para recibir un mensaje de correo con una nueva contraseña
+ contraseña, has olvidado, e-mail, nuevo, regeneración
+ recuperacion-contraseña
+
+
+ Bajamos los precios
+ Nuestros productos especiales
+ promoción, reducción
+ bajamos-precios
+
+
+ Mapa del sitio web
+ ÂżEstĂĄs perdido? Encuentra lo que buscas
+ plan, sitio
+ mapa-web
+
+
+ Proveedores
+ Lista de proveedores
+ proveedores
+ proveedor
+
+
+ DirecciĂłn
+
+
+ direccion
+
+
+ Direcciones
+
+
+ direcciones
+
+
+ Iniciar sesiĂłn
+
+
+ inicio-sesion
+
+
+ Carrito
+
+
+ carrito
+
+
+ Descuento
+
+
+ descuento
+
+
+ Historial de compra
+
+
+ historial-compra
+
+
+ Datos personales
+
+
+ datos-personales
+
+
+ Mi cuenta
+
+
+ mi-cuenta
+
+
+ Seguimiento del pedido
+
+
+ seguimiento-pedido
+
+
+ AlbarĂĄn
+
+
+ albaran
+
+
+ Pedido
+
+
+ pedido
+
+
+ Buscar
+
+
+ buscar
+
+
+ Tiendas
+
+
+ tiendas
+
+
+ Pedido
+
+
+ pedido-rapido
+
+
+ Seguimiento para clientes no registrados
+
+
+ seguimiento-cliente-no-registrado
+
+
+ ConfirmaciĂłn de pedido
+
+
+ confirmacion-pedido
+
+
+ Comparativa de productos
+
+
+ comparativa-productos
+
+
diff --git a/_install/langs/es/data/order_return_state.xml b/_install/langs/es/data/order_return_state.xml
new file mode 100644
index 00000000..01c1de3e
--- /dev/null
+++ b/_install/langs/es/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ Pendiente de confirmaciĂłn
+
+
+ Pendiente del paquete
+
+
+ Paquete recibido
+
+
+ DevoluciĂłn denegada
+
+
+ DevoluciĂłn completada
+
+
diff --git a/_install/langs/es/data/order_state.xml b/_install/langs/es/data/order_state.xml
new file mode 100644
index 00000000..1ff520e9
--- /dev/null
+++ b/_install/langs/es/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ Pago mediante cheque pendiente
+ cheque
+
+
+ Pago aceptado
+ payment
+
+
+ PreparaciĂłn en proceso
+ preparation
+
+
+ Enviado
+ shipped
+
+
+ Entregado
+
+
+
+ Cancelado
+ order_canceled
+
+
+ Reembolso
+ refund
+
+
+ Error en el pago
+ payment_error
+
+
+ Productos fuera de línea
+ outofstock
+
+
+ Productos fuera de línea
+ outofstock
+
+
+ Pago por transferencia bancaria pendiente
+ bankwire
+
+
+ Pago mediante PayPal pendiente
+
+
+
+ Pago a distancia aceptado
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/es/data/profile.xml b/_install/langs/es/data/profile.xml
new file mode 100644
index 00000000..b388d5f2
--- /dev/null
+++ b/_install/langs/es/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/es/data/quick_access.xml b/_install/langs/es/data/quick_access.xml
new file mode 100644
index 00000000..f64a3892
--- /dev/null
+++ b/_install/langs/es/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/es/data/risk.xml b/_install/langs/es/data/risk.xml
new file mode 100644
index 00000000..bb8bf6dd
--- /dev/null
+++ b/_install/langs/es/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/es/data/stock_mvt_reason.xml b/_install/langs/es/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..d0a6966d
--- /dev/null
+++ b/_install/langs/es/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Aumentar
+
+
+ Disminuir
+
+
+ Pedido del cliente
+
+
+ RegulaciĂłn tras inventario
+
+
+ RegulaciĂłn tras inventario
+
+
+ Transferir a otro almacén
+
+
+ Transferir desde otro almacén
+
+
+ Pedido de suministros
+
+
diff --git a/_install/langs/es/data/supplier_order_state.xml b/_install/langs/es/data/supplier_order_state.xml
new file mode 100644
index 00000000..2aab8139
--- /dev/null
+++ b/_install/langs/es/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/es/data/supply_order_state.xml b/_install/langs/es/data/supply_order_state.xml
new file mode 100644
index 00000000..c59eb779
--- /dev/null
+++ b/_install/langs/es/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - CreaciĂłn en curso
+
+
+ 2 - Pedido validado
+
+
+ 3 - Pendiente de recepciĂłn
+
+
+ 4 - Pedido recibido parcialmente
+
+
+ 5 - Pedido recibido completamente
+
+
+ 6 - Pedido cancelado
+
+
diff --git a/_install/langs/es/data/tab.xml b/_install/langs/es/data/tab.xml
new file mode 100644
index 00000000..55dfbf42
--- /dev/null
+++ b/_install/langs/es/data/tab.xml
@@ -0,0 +1,103 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/es/flag.jpg b/_install/langs/es/flag.jpg
new file mode 100644
index 00000000..5f87f183
Binary files /dev/null and b/_install/langs/es/flag.jpg differ
diff --git a/_install/langs/es/img/es-default-category.jpg b/_install/langs/es/img/es-default-category.jpg
new file mode 100644
index 00000000..b2aabe99
Binary files /dev/null and b/_install/langs/es/img/es-default-category.jpg differ
diff --git a/_install/langs/es/img/es-default-home.jpg b/_install/langs/es/img/es-default-home.jpg
new file mode 100644
index 00000000..8a3f3205
Binary files /dev/null and b/_install/langs/es/img/es-default-home.jpg differ
diff --git a/_install/langs/es/img/es-default-large.jpg b/_install/langs/es/img/es-default-large.jpg
new file mode 100644
index 00000000..1dc6cd33
Binary files /dev/null and b/_install/langs/es/img/es-default-large.jpg differ
diff --git a/_install/langs/es/img/es-default-large_scene.jpg b/_install/langs/es/img/es-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/es/img/es-default-large_scene.jpg differ
diff --git a/_install/langs/es/img/es-default-medium.jpg b/_install/langs/es/img/es-default-medium.jpg
new file mode 100644
index 00000000..1caf24bc
Binary files /dev/null and b/_install/langs/es/img/es-default-medium.jpg differ
diff --git a/_install/langs/es/img/es-default-small.jpg b/_install/langs/es/img/es-default-small.jpg
new file mode 100644
index 00000000..8700ee94
Binary files /dev/null and b/_install/langs/es/img/es-default-small.jpg differ
diff --git a/_install/langs/es/img/es-default-thickbox.jpg b/_install/langs/es/img/es-default-thickbox.jpg
new file mode 100644
index 00000000..8f068524
Binary files /dev/null and b/_install/langs/es/img/es-default-thickbox.jpg differ
diff --git a/_install/langs/es/img/es-default-thumb_scene.jpg b/_install/langs/es/img/es-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/es/img/es-default-thumb_scene.jpg differ
diff --git a/_install/langs/es/img/es.jpg b/_install/langs/es/img/es.jpg
new file mode 100644
index 00000000..9822a5ed
Binary files /dev/null and b/_install/langs/es/img/es.jpg differ
diff --git a/_install/langs/es/img/index.php b/_install/langs/es/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/es/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/es/index.php b/_install/langs/es/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/es/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/es/install.php b/_install/langs/es/install.php
new file mode 100644
index 00000000..2d433146
--- /dev/null
+++ b/_install/langs/es/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/pages/viewpage.action?pageId=28016773',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'https://www.prestashop.com/blog/es/',
+ 'support' => 'https://www.prestashop.com/es/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/es/388-soporte',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'Se ha producido un error de SQL para la entrada %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'No se puede crear la imagen "%1$s" para la entidad "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'No se puede crear la imagen "%1$s" (permisos incorrectos en el directorio "%2$s")',
+ 'Cannot create image "%s"' => 'No se puede crear la imagen "%s"',
+ 'SQL error on query %s ' => 'Error SQL en la consulta %s ',
+ '%s Login information' => '%s InformaciĂłn para iniciar sesiĂłn',
+ 'Field required' => 'Campo obligatorio',
+ 'Invalid shop name' => 'Nombre de tienda no vĂĄlido',
+ 'The field %s is limited to %d characters' => 'El campo %s estĂĄ limitado a %d caracteres',
+ 'Your firstname contains some invalid characters' => 'Sunombre de pila contiene caracteres no vĂĄlidos',
+ 'Your lastname contains some invalid characters' => 'Su apellido contiene caracteres no vĂĄlidos',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'La contraseña no es vålida (de ser una cadena alfanumérica de al menos 8 caracteres)',
+ 'Password and its confirmation are different' => 'La contraseña y la confirmación de la contraseña no son iguales',
+ 'This e-mail address is invalid' => 'Esta direcciĂłn email no es vĂĄlida',
+ 'Image folder %s is not writable' => 'No se puede escribir en el directorio de imĂĄgenes %s',
+ 'An error occurred during logo copy.' => 'Se produjo un error durante la copia del logotipo.',
+ 'An error occurred during logo upload.' => 'Se ha producido un error durante la subida del fichero del logotipo.',
+ 'Lingerie and Adult' => 'LencerĂa y adultos',
+ 'Animals and Pets' => 'Animales y animales domésticos',
+ 'Art and Culture' => 'Arte, Cultura y Ocio',
+ 'Babies' => 'Bebes',
+ 'Beauty and Personal Care' => 'Belleza e higiene personal',
+ 'Cars' => 'Coches y Motos',
+ 'Computer Hardware and Software' => 'Material informĂĄtico y softwares',
+ 'Download' => 'Descargar',
+ 'Fashion and accessories' => 'Moda y complementos',
+ 'Flowers, Gifts and Crafts' => 'Flores, regalos y artesanĂa',
+ 'Food and beverage' => 'AlimentaciĂłn y bebidas',
+ 'HiFi, Photo and Video' => 'HiFi, Foto y VĂdeo',
+ 'Home and Garden' => 'Hogar y JardĂn',
+ 'Home Appliances' => 'Electrodomésticos',
+ 'Jewelry' => 'JoyerĂa',
+ 'Mobile and Telecom' => 'MĂłviles y TelefonĂa',
+ 'Services' => 'Servicios',
+ 'Shoes and accessories' => 'Calzado y Complementos',
+ 'Sports and Entertainment' => 'Deportes y Entretenimiento',
+ 'Travel' => 'Viajes y Turismo',
+ 'Database is connected' => 'La base de datos estĂĄ conectada',
+ 'Database is created' => 'La Base de datos estĂĄ creada',
+ 'Cannot create the database automatically' => 'No se puede crear la base de datos automĂĄticamente',
+ 'Create settings.inc file' => 'Crear fichero settings.inc',
+ 'Create database tables' => 'Crear tablas de la base de datos',
+ 'Create default shop and languages' => 'Crear tienda por defecto e idiomas',
+ 'Populate database tables' => 'Rellenar las tablas de la base de datos',
+ 'Configure shop information' => 'Configurar la informaciĂłn de la tienda',
+ 'Install demonstration data' => 'Instalar datos de prueba (DEMO)',
+ 'Install modules' => 'Instalar mĂłdulos',
+ 'Install Addons modules' => 'Instalar mĂłdulos Addons',
+ 'Install theme' => 'Instalar plantilla',
+ 'Required PHP parameters' => 'ParĂĄmetros PHP requeridos',
+ 'PHP 5.1.2 or later is not enabled' => 'La versiĂłn PHP 5.1.2 o posterior no estĂĄ habilitada',
+ 'Cannot upload files' => 'No se pueden subir ficheros',
+ 'Cannot create new files and folders' => 'No se pueden crear nuevos ficheros y directorios',
+ 'GD library is not installed' => 'La librerĂa GD no estĂĄ instalada',
+ 'MySQL support is not activated' => 'El soporte para MySQL no estĂĄ activado',
+ 'Files' => 'Ficheros',
+ 'Not all files were successfully uploaded on your server' => 'No todos los archivos se han subido correctamente a su servidor',
+ 'Permissions on files and folders' => 'Permisos de archivos y carpetas',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Permisos recursivos de escritura para el usuario %1$s en %2$s',
+ 'Recommended PHP parameters' => 'ParĂĄmetros PHP recomendados',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => 'EstĂĄ usando la versiĂłn %s de PHP. Pronto la Ășltima versiĂłn de PHP soportada por PrestaShop serĂĄ la 5.4. ÂĄPara garantizar que estĂ© preparado para el futuro actualice a PHP 5.4 ahora!',
+ 'Cannot open external URLs' => 'No se pueden abrir URLs externas',
+ 'PHP register_globals option is enabled' => 'La opciĂłn PHP register_globals estĂĄ activada',
+ 'GZIP compression is not activated' => 'La compresiĂłn GZIP no estĂĄ activada',
+ 'Mcrypt extension is not enabled' => 'La extensiĂłn Mcrypt no estĂĄ habilitada',
+ 'Mbstring extension is not enabled' => 'La extensiĂłn Mbstring no estĂĄ habilitada',
+ 'PHP magic quotes option is enabled' => 'La opciĂłn PHP magic quotes estĂĄ habilitada',
+ 'Dom extension is not loaded' => 'La extensiĂłn Dom no se ha cargado',
+ 'PDO MySQL extension is not loaded' => 'La extensiĂłn PDO MySQL no se ha cargado',
+ 'Server name is not valid' => 'El nombre del servidor no es vĂĄlido',
+ 'You must enter a database name' => 'Debes indicar un nombre de base de datos',
+ 'You must enter a database login' => 'Debes indicar los datos de conexiĂłn a la base de datos',
+ 'Tables prefix is invalid' => 'El prefijo de las tablas no es vĂĄlido',
+ 'Cannot convert database data to utf-8' => 'No se puede convertir la base de datos al formato UTF-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Se ha encontrado al menos una tabla con el mismo prefijo, por favor cambie su prefijo o vacĂe su base de datos',
+ 'The values of auto_increment increment and offset must be set to 1' => 'Los valores de incremento y compensaciĂłn de auto_increment deben establecerse en 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'No se ha encontrado el servidor de la base de datos. Por favor verifique los campos para el usuario, la contraseña y el servidor',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'La conexiĂłn con el servidor MySQL ha sido satisfactoria, pero no se ha encontrado la base de datos "%s"',
+ 'Attempt to create the database automatically' => 'Tentativa de crear la base de datos automĂĄticamente',
+ '%s file is not writable (check permissions)' => 'No se puede escribir en el fichero %s (verifica los permisos)',
+ '%s folder is not writable (check permissions)' => 'No se puede escribir en el directorio %s (verifica los permisos)',
+ 'Cannot write settings file' => 'No se puede escribir en el fichero de configuraciĂłn',
+ 'Database structure file not found' => 'El archive de estructura de la base de datos no se encuentra',
+ 'Cannot create group shop' => 'No se puede crear un grupo de tiendas',
+ 'Cannot create shop' => 'No se puede crear una tienda',
+ 'Cannot create shop URL' => 'No se puede crear una URL para la tienda',
+ 'File "language.xml" not found for language iso "%s"' => 'En el fichero "language.xml" no encuentra el idioma con ISO "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'El fichero "language.xml" no es vĂĄlido para el idioma ISO "%s"',
+ 'Cannot install language "%s"' => 'No se puede instalar el idioma "%s"',
+ 'Cannot copy flag language "%s"' => 'No se pueden copiar las banderas de los idiomas "%s"',
+ 'Cannot create admin account' => 'No se puede crear la cuenta de administrador',
+ 'Cannot install module "%s"' => 'No se puede instalar el mĂłdulo "%s"',
+ 'Fixtures class "%s" not found' => 'No se ha encontrado la clase Fixtures "%s"',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" debe ser un ejemplo de "InstallXmlLoader"',
+ 'Information about your Store' => 'InformaciĂłn sobre su tienda',
+ 'Shop name' => 'Nombre de la tienda',
+ 'Main activity' => 'Actividad principal',
+ 'Please choose your main activity' => 'Por favor, selecciona tu actividad principal',
+ 'Other activity...' => 'Otra actividad...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'AyĂșdanos a aprender mĂĄs acerca de su tienda, ÂĄpara que le podamos ofrecer una orientaciĂłn Ăłptima y mejoras funcionales para su negocio!',
+ 'Install demo products' => 'Instalar productos de prueba (DEMO)',
+ 'Yes' => 'SĂ',
+ 'No' => 'No',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Los productos de prueba son una buena forma de aprender a utilizar PrestaShop. Te recomendamos instalarlo si todavĂa no estĂĄs familiarizado con Ă©l.',
+ 'Country' => 'PaĂs',
+ 'Select your country' => 'Selecciona tu paĂs',
+ 'Shop timezone' => 'Zona horaria de la tienda',
+ 'Select your timezone' => 'Selecciona tu zona horaria',
+ 'Shop logo' => 'Logo de la tienda',
+ 'Optional - You can add you logo at a later time.' => 'Opcional â Puedes añadir el logo de tu tienda mĂĄs tarde.',
+ 'Your Account' => 'Su cuenta',
+ 'First name' => 'Nombre',
+ 'Last name' => 'Apellido',
+ 'E-mail address' => 'DirecciĂłn de correo electrĂłnico',
+ 'This email address will be your username to access your store\'s back office.' => 'Esta direcciĂłn de correo electrĂłnico corresponderĂĄ a tu usuario en el acceso al interfaz de administraciĂłn de tu tienda Online.',
+ 'Shop password' => 'Contraseña de la tienda',
+ 'Must be at least 8 characters' => 'MĂnimo 8 caracteres',
+ 'Re-type to confirm' => 'Confirmar la contraseña',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'Todos los datos recopilados podrĂĄn ser tratados y utilizados con fines estadĂsticos. Tus datos personales podrĂĄn comunicarse a proveedores de servicios y socios comerciales. En virtud de la "Ley de Procesamiento de Datos, Archivos de Datos y Libertades Individuales" en vigor, puedes ejercer los derechos de acceso, rectificaciĂłn y oposiciĂłn al tratamiento de tus datos personales a travĂ©s del siguiente link .',
+ 'Configure your database by filling out the following fields' => 'Configura tu base de datos rellenando los siguientes campos',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Para usar PrestaShop, usted debe crear una base de datos para recolectar todas las actividades relacionadas con informaciĂłn de su tienda.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Por favor, rellena estos datos con el fin de que PrestaShop pueda conectarse a tu base de datos.',
+ 'Database server address' => 'DirecciĂłn del servidor de base de datos',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'El puerto utilizado por defecto es el 3306. Si utilizas un puerto diferente, añade este nĂșmero de puerto al final de la direcciĂłn del servidor con dos puntos, por ejemplo ":4242".',
+ 'Database name' => 'Nombre de la base de datos',
+ 'Database login' => 'Usuario de la base de datos',
+ 'Database password' => 'Contraseña de la base de datos',
+ 'Database Engine' => 'Motor de la base de datos',
+ 'Tables prefix' => 'Prefijo de las tablas',
+ 'Drop existing tables (mode dev)' => 'Eliminar las tablas existentes (sĂłlo para modo desarrollo)',
+ 'Test your database connection now!' => 'ÂĄComprueba la conexiĂłn de tu base de datos ahora!',
+ 'Next' => 'Siguiente',
+ 'Back' => 'AtrĂĄs',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Si necesita asistencia, puede solicitar asistencia de nuestro equipo de soporte. También tiene a su disposición la documentación oficial .',
+ 'Official forum' => 'Foro oficial',
+ 'Support' => 'Soporte',
+ 'Documentation' => 'DocumentaciĂłn',
+ 'Contact us' => 'Contacte con nosotros',
+ 'PrestaShop Installation Assistant' => 'Asistente para la instalaciĂłn de PrestaShop',
+ 'Forum' => 'Foro',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'ÂĄContĂĄctenos!',
+ 'menu_welcome' => 'Elegir el idioma',
+ 'menu_license' => 'Aceptar las licencias',
+ 'menu_system' => 'Compatibilidad del sistema',
+ 'menu_configure' => 'InformaciĂłn de la tienda',
+ 'menu_database' => 'ConfiguraciĂłn del sistema',
+ 'menu_process' => 'InstalaciĂłn de la tienda',
+ 'Installation Assistant' => 'Asistente de instalaciĂłn',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Para instalar PrestaShop, usted necesita tener el Javascript activado en su navegador.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/',
+ 'License Agreements' => 'ValidaciĂłn de los contratos de licencias',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Para disfrutar de las numerosas funcionalidades ofrecidas de forma gratuita por PrestaShop, por favor lea los términos de la licencia a continuación. Core PrestaShop estå disponible bajo la licencia OSL 3.0, mientras que los módulos y los temas estån licenciados bajo la AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'Acepto los términos y condiciones arriba indicados.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Acepto participar en la mejora de la soluciĂłn enviando informaciĂłn anĂłnima sobre mi configuraciĂłn.',
+ 'Done!' => 'ÂĄYa estĂĄ!',
+ 'An error occurred during installation...' => 'Se ha producido un error durante la instalaciĂłn...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'Puedes utilizar los enlaces que se encuentran en la columna de la izquierda para volver a los pasos anteriores, o también reiniciar el proceso de instalación haciendo clic aquà .',
+ 'Your installation is finished!' => 'ÂĄTu instalaciĂłn ha finalizado!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Acabas de finalizar la instalaciĂłn de tu tienda. ÂĄGracias por utilizar PrestaShop!',
+ 'Please remember your login information:' => 'Por favor, recuerda la informaciĂłn de inicio de sesiĂłn:',
+ 'E-mail' => 'Correo ElectrĂłnico',
+ 'Print my login information' => 'Imprimir la informaciĂłn e inicio de sesiĂłn',
+ 'Password' => 'Contraseña',
+ 'Display' => 'Mostrar',
+ 'For security purposes, you must delete the "install" folder.' => 'Por razones de seguridad, debe eliminar la carpeta "install".',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/pages/viewpage.action?pageId=28016773#InstalaciĂłndePrestaShop-FinalizaciĂłndelainstalaciĂłn',
+ 'Back Office' => 'Interfaz de administraciĂłn (Back Office)',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Administra tu tienda utilizando el interfaz de administración. Gestiona los pedidos y clientes, añade módulos, cambia plantillas, etc.',
+ 'Manage your store' => 'Administra tu tienda',
+ 'Front Office' => 'Interfaz de usuario (Front Office)',
+ 'Discover your store as your future customers will see it!' => 'ÂĄDescubre tu tienda tal y cĂłmo la verĂĄn tus clientes!',
+ 'Discover your store' => 'Visita tu tienda',
+ 'Share your experience with your friends!' => 'Comparte tu experiencia con tus amigos!',
+ 'I just built an online store with PrestaShop!' => 'Acabo de construir una tienda online con PrestaShop!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Mira esta experiencia maravillosa: http://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'Compartir',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => '¥Echa un vistazo a PrestaShop Addons para añadir un extra a su tienda!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'Verificamos en este momento la compatibilidad de PrestaShop con tu entorno del sistema',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Si tienes alguna pregunta, por favor visĂtanos en documentaciĂłn y foro de la comunidad .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'ÂĄLa compatibilidad de PrestaShop con su entorno del sistema ha sido verificada correctamente!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => '¥Uups! Por favor corrija los siguientes puntos marcados como errores y después hacer Clic en el botón "Actualizar esta información" con el fin de probar de nuevo la compatibilidad de tu sistema.',
+ 'Refresh these settings' => 'Actualizar esta informaciĂłn',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop requiere al menos 32 MB de memoria para funcionar: comprueba la directriz memory_limit de tu archivo php.ini o contacta con tu servidor acerca de esto.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Aviso: no puedes utilizar esta herramienta para mejorar mĂĄs tu tienda. Ya tienes instalada la versiĂłn %1$s de PrestaShop . Si quieres actualizar a la Ășltima versiĂłn, lee nuestra documentaciĂłn: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'Bienvenido al %s de InstalaciĂłn de PrestaShop',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalar PrestaShop es rĂĄpido y fĂĄcil. En tan sĂłlo unos momentos, formarĂĄ parte de una comunidad de mĂĄs de 230,000 comerciantes. EstĂĄ a punto de crear su propia tienda online que podrĂĄ gestionar fĂĄcilmente cada dĂa.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'Si necesita ayuda, puede revisar este tutorial , o leer la documentaciĂłn .',
+ 'Continue the installation in:' => 'ContinĂșe con la instalaciĂłn en:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'La elecciĂłn del idioma se realiza sĂłlo al inicio y se aplica al asistente de instalaciĂłn. Una vez que tu tienda Online estĂĄ instalada, podrĂĄs elegir el idioma de tu tienda, ÂĄentre las mĂĄs de %d traducciones disponibles, ÂĄtodas ellas de forma gratuitas!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalar PrestaShop es rĂĄpido y fĂĄcil. En tan sĂłlo unos momentos, formarĂĄ parte de una comunidad de mĂĄs de 250,000 comerciantes. EstĂĄ a punto de crear su propia tienda online que podrĂĄ gestionar fĂĄcilmente cada dĂa.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/es/language.xml b/_install/langs/es/language.xml
new file mode 100644
index 00000000..7a195bf5
--- /dev/null
+++ b/_install/langs/es/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ es
+ d/m/Y
+ d/m/Y H:i:s
+ false
+
\ No newline at end of file
diff --git a/_install/langs/es/mail_identifiers.txt b/_install/langs/es/mail_identifiers.txt
new file mode 100644
index 00000000..685c5693
--- /dev/null
+++ b/_install/langs/es/mail_identifiers.txt
@@ -0,0 +1,11 @@
+Hola {firstname} {lastname},
+
+Tu informaciĂłn personal en {shop_name} es:
+
+* Contraseña: {passwd}
+* Email: {email}
+
+{shop_name} - {shop_url}
+
+
+{shop_url} desarrollado por PrestaShopÂź
\ No newline at end of file
diff --git a/_install/langs/fa/Flag_of_Iran.svg b/_install/langs/fa/Flag_of_Iran.svg
new file mode 100644
index 00000000..55919189
--- /dev/null
+++ b/_install/langs/fa/Flag_of_Iran.svg
@@ -0,0 +1 @@
+
Flag of Iran
\ No newline at end of file
diff --git a/_install/langs/fa/data/carrier.xml b/_install/langs/fa/data/carrier.xml
new file mode 100644
index 00000000..35ecdf6b
--- /dev/null
+++ b/_install/langs/fa/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ ŰȘŰÙÛÙ ŰŻŰ± Ù
ŰșۧŰČÙ
+
+
diff --git a/_install/langs/fa/data/category.xml b/_install/langs/fa/data/category.xml
new file mode 100644
index 00000000..5cf2d1e4
--- /dev/null
+++ b/_install/langs/fa/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ ۱ÙŰȘ
+
+ root
+
+
+
+
+
+ ۟ۧÙÙ
+
+ home
+
+
+
+
+
diff --git a/_install/langs/fa/data/cms.xml b/_install/langs/fa/data/cms.xml
new file mode 100644
index 00000000..ee768549
--- /dev/null
+++ b/_install/langs/fa/data/cms.xml
@@ -0,0 +1,81 @@
+
+
+
+ ۧ۱۳ۧÙ
+ ێ۱ۧÛŰ· Ù Ű¶Ùۧۚ۷ ۧ۱۳ۧÙ
+ Ù
ÙÙŰčÛŰȘ Ùۧ, ۧ۱۳ۧÙ, ŰȘۧ۟Û۱, ŰÙ
Ù Ù ÙÙÙ, ۚ۳ŰȘÙ ŰšÙŰŻÛ
+ <h2>ŰÙ
Ù Ù ÙÙÙ Ù ŰšŰ±ÚŻŰŽŰȘ</h2><h3>ŰÙ
Ù ŰšŰłŰȘÙâÛ ŰŽÙ
ۧ</h3><p>ۚ۳ŰȘÙ Ùۧ ۚۧÛŰŻ Űۯۧک۫۱ ŰŻÙ Ű±ÙŰČ ÙŸŰł ۧŰČ ŰȘۧÛÛŰŻ ÙŸŰ±ŰŻŰ§ŰźŰȘ Ű§Ű±ŰłŰ§Ù ŰŽÙÙŰŻ. ۧگ۱ ŰŽÙ
ۧ ۱ÙŰŽ ÙŰ§Û ŰŻÛÚŻŰ±Û Ű±Ű§ ŰšŰ±Ű§Û ÙŸŰ±ŰŻŰ§ŰźŰȘ ۧÙŰȘ۟ۧۚ Ú©ÙÛŰŻ Ù
Ù
Ú©Ù Ű§ŰłŰȘ Ù
ۧÙÛۧŰȘÛ ŰšŰ± ŰąÙ Ű§ÙŰČÙŰŻÙ ŰŽÙŰŻ. ŰŽÙ
ۧ ŰšÙ Ù۱ÙÙŰč ŰŽÛÙÙâÛ ŰÙ
Ù Ű±Ű§ Ú©Ù Ű§ÙŰȘ۟ۧۚ Ú©ÙÛŰŻ ŰŽÙ
ۧ۱ÙâÛ ÙŸÛÚŻÛŰ±Û Ù
۱۳ÙÙÙ ŰšŰ±Ű§Û ŰŽÙ
ۧ Ű§Ű±ŰłŰ§Ù ŰźÙۧÙŰŻ ŰŽŰŻ.</p><p>ÙŰČÛÙÙ ÙŰ§Û Ű§Ű±ŰłŰ§Ù ŰŽŰ§Ù
Ù ÙŰČÛÙÙ ÙŰ§Û ŰšŰłŰȘÙ ŰšÙŰŻÛ Ù ÙŸŰłŰȘ Ù
Û ŰŽÙÙŰŻ. ŰȘŰč۱ÙÙ Ùۧ ŰšŰ±Ű±ŰłÛ ŰŽŰŻÙŰŻŰ ŰšŰ§ ۯ۱ Ù۞۱ . Ù
ۧ ÙŸÛŰŽÙÙۧۯ Ù
Û Ú©ÙÛÙ
ŰłÙۧ۱ێۧŰȘ ŰźÙŰŻ ۱ۧ ۯ۱ ÛÚ© گ۱ÙÙ ŰŹÙ
Űč ŰąÙŰ±Û Ú©ÙÛŰŻ. Ù
ۧ ÙÙ
ŰȘÙۧÙÛÙ
ŰŻÙ ŰłÙۧ۱ێ Ù
ŰŹŰČۧ ۱ۧ ۚۧ ÙÙ
ۯ۱ ÛÚ© گ۱ÙÙ ŰŹÙ
Űč ŰąÙŰ±Û Ú©ÙÛÙ
Ù Ù
ۧÙÛۧŰȘ ŰšŰ±Ű§Û Ù۱کۯۧÙ
ۏۯۧگۧÙÙ Ù
ŰŰ§ŰłŰšÙ ŰźÙۧÙÙŰŻ ŰŽŰŻ. ۚ۳ŰȘÙ Ùۧ ۚۧ ŰȘۧÛÛŰŻ ŰźÙŰŻ ŰŽÙ
ۧ Ű§Ű±ŰłŰ§Ù Ù
Û ŰŽÙÙŰŻ ÙÙÛ Ù
Ù
Ú©Ù Ű§ŰłŰȘ ŰŽÚ©ÙÙŰŻÙ ŰšŰ§ŰŽÙŰŻ.<br /><br />ŰŹŰčŰšÙ Ùۧ ŰȘÙ۱Ûۚۧ ۟ۧÙÛ ÙŰłŰȘÙŰŻ.</p>
+ delivery
+
+
+ ÙکۧŰȘ ŰÙÙÙÛ
+ ÙکۧŰȘ ŰÙÙÙÛ
+ ÙکۧŰȘ,ŰÙÙÙ,ۧŰčŰȘۚۧ۱ۧŰȘ
+ <h2>ŰÙÙÙ</h2><h3>ۧŰčŰȘۚۧ۱ۧŰȘ</h3><p>Ù
ÙۧÙÛÙ
Ù ŰȘÙÙÛۯۧŰȘ:</p><p>ۧÛÙ ÙŰš ۳ۧÛŰȘ ŰȘÙ۳۷ Ù۱Ù
ۧÙŰČۧ۱ Ù
ŰȘÙ ŰšŰ§ŰČ <a href="http://www.presta-shop.ir">PrestaShop</a>™ ۳ۧ۟ŰȘÙ ŰŽŰŻÙ.</p>
+ legal-notice
+
+
+ ێ۱ۧÛŰ· Ù Ű¶Ùۧۚ۷ ۧ۳ŰȘÙۧۯÙ
+ ێ۱ۧÛŰ· Ù Ű¶Ùۧۚ۷ ۧ۳ŰȘÙŰ§ŰŻÙ Ù
ۧ
+ ێ۱ۧÛŰ·, ۶Ùۧۚ۷, ۧ۳ŰȘÙۧۯÙ, Ù۱ÙŰŽ
+ <h1 class="page-heading">ێ۱ۧÛŰ· Ù ŰžÙۚ۷ ۧ۳ŰȘÙۧۯÙ</h1>
+<h3 class="page-subheading">ÙۧÙÙÙ 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">ÙۧÙÙÙ 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ю</p>
+<h3 class="page-subheading">ÙۧÙÙÙ 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ю</p>
+ terms-and-conditions-of-use
+
+
+ ۯ۱ۚۧ۱ÙâÛ Ù
ۧ
+ ۯ۱ۚۧ۱ÙâÛ Ù
ۧ ŰšÛŰŽŰȘ۱ ۚۯۧÙÛŰŻ
+ ۯ۱ۚۧ۱ÙâÛ Ù
ۧ, ۧ۷ÙۧŰčۧŰȘ
+ <h1 class="page-heading bottom-indent">ŰŻŰ±ŰšŰ§Ű±Ù Ù
ۧ</h1>
+<div class="row">
+<div class="col-xs-12 col-sm-4">
+<div class="cms-block">
+<h3 class="page-subheading">ێ۱کŰȘ Ù
ۧ</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>Ù
ŰŰ”ÙÙۧŰȘ ۚۧ Ú©ÛÙÛŰȘ</li>
+<li><em class="icon-ok"></em>ŰšÙŰȘ۱ÛÙ ÙŸŰŽŰȘÛۚۧÙÛ Ù
ŰŽŰȘ۱ÛۧÙ</li>
+<li><em class="icon-ok"></em>30 ۱ÙŰČ Ű¶Ù
ۧÙŰȘ ۚۧŰČÚŻŰŽŰȘ ÙŰŹÙ</li>
+</ul>
+</div>
+</div>
+<div class="col-xs-12 col-sm-4">
+<div class="cms-box">
+<h3 class="page-subheading">ŰȘÛÙ
Ù
ۧ</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">ۧ۷ÙۧŰčۧŰȘ</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
+
+
+ ÙŸŰ±ŰŻŰ§ŰźŰȘ ۧÙ
Ù
+ ÙŸŰ±ŰŻŰ§ŰźŰȘ ۧÙ
Ù Ù
ۧ ÚÛŰłŰȘ
+ ÙŸŰ±ŰŻŰ§ŰźŰȘ ۧÙ
Ù, ssl, visa, mastercard, paypal
+ <h2>ÙŸŰ±ŰŻŰ§ŰźŰȘ ۧÙ
Ù</h2>
+<h3>ÙŸŰ±ŰŻŰ§ŰźŰȘ ۧÙ
Ù Ù
ۧ </h3><p>ۚۧ SSL</p>
+<h3>ۚۧ ۧ۳ŰȘÙŰ§ŰŻÙ Ű§ŰČ Visa/Mastercard/Paypal</h3><p>ŰŻŰ±ŰšŰ§Ű±Ù Ű§ÛÙ ŰłŰ±ÙÛŰł</p>
+ secure-payment
+
+
diff --git a/_install/langs/fa/data/cms_category.xml b/_install/langs/fa/data/cms_category.xml
new file mode 100644
index 00000000..f44b0bd9
--- /dev/null
+++ b/_install/langs/fa/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ ۟ۧÙÙ
+
+ home
+
+
+
+
+
diff --git a/_install/langs/fa/data/configuration.xml b/_install/langs/fa/data/configuration.xml
new file mode 100644
index 00000000..10b7f3be
--- /dev/null
+++ b/_install/langs/fa/data/configuration.xml
@@ -0,0 +1,27 @@
+
+
+
+ #FA
+
+
+ #TA
+
+
+ #RE
+
+
+ Ù|Ûۧ|ۚۧ|ۯ۱|ÛÚ©|۱ÙÛ|ŰšÙ|ۚ۱ۧÛ|ŰȘۧ|Ú©Ù
+
+
+ 0
+
+
+ Ù
ŰŽŰȘŰ±Û ŰčŰČÛŰČ,
+
+ÙŸÛ۱ÙŰČ ŰšŰ§ŰŽÛŰŻ,
+۟ۯÙ
ۧŰȘ Ù
ŰŽŰȘ۱ÛۧÙ
+
+
+ 1
+
+
diff --git a/_install/langs/fa/data/contact.xml b/_install/langs/fa/data/contact.xml
new file mode 100644
index 00000000..e1e61b49
--- /dev/null
+++ b/_install/langs/fa/data/contact.xml
@@ -0,0 +1,9 @@
+
+
+
+ ۧگ۱ ÛÚ© Ù
ŰŽÚ©Ù ŰȘÚ©ÙÛÚ©Û ŰŻŰ± ۧÛÙ ŰłŰ§ÛŰȘ ۱ÙÛ ŰŻŰ§ŰŻ
+
+
+ ŰšŰ±Ű§Û Ù۱گÙÙÙ ŰłÙŰ§Ù ŰŻŰ± Ù
Ù۱ۯ ÛÚ© Ù
ŰŰ”ÙÙ Ûۧ ŰłÙۧ۱ێ
+
+
diff --git a/_install/langs/fa/data/country.xml b/_install/langs/fa/data/country.xml
new file mode 100644
index 00000000..a5176e6b
--- /dev/null
+++ b/_install/langs/fa/data/country.xml
@@ -0,0 +1,735 @@
+
+
+
+ ŰąÙÙ
ۧÙ
+
+
+ ۧŰȘ۱ÛŰŽ
+
+
+ ŰšÙÚÛÚ©
+
+
+ کۧÙۧۯۧ
+
+
+ ÚÛÙ
+
+
+ Ű§ŰłÙŸŰ§ÙÛۧ
+
+
+ ÙÙÙۧÙŰŻ
+
+
+ Ù۱ۧÙŰłÙ
+
+
+ ÛÙÙۧÙ
+
+
+ ۧÛŰȘۧÙÛۧ
+
+
+ ÚŰ§ÙŸÙ
+
+
+ ÙÙÚ©ŰČۧÙ
ŰšÙ۱گ
+
+
+ ÙÙÙŰŻ
+
+
+ ÙÙŰłŰȘۧÙ
+
+
+ ÙŸŰ±ŰȘŰșۧÙ
+
+
+ ŰŹÙ
ÙÙŰ±Û ÚÚ©
+
+
+ ۧÙÚŻÙÛŰł
+
+
+ ŰłÙŰŠŰŻ
+
+
+ ŰłÙÛÛŰł
+
+
+ ۯۧÙÙ
ۧ۱ک
+
+
+ ŰąÙ
۱Ûکۧ
+
+
+ ÙÙÚŻ Ú©ÙÚŻ
+
+
+ Ù۱ÙÚ
+
+
+ ۧ۳ŰȘ۱ۧÙÛۧ
+
+
+ ŰłÙÚŻŰ§ÙŸÙ۱
+
+
+ ۧÛ۱ÙÙŰŻ
+
+
+ ÙÛÙŰČÛÙÙŰŻ
+
+
+ Ú©Ű±Ù ŰŹÙÙŰšÛ
+
+
+ ۧ۳۱ۧۊÛÙ
+
+
+ ŰąÙ۱ÛÙŰ§Û ŰŹÙÙŰšÛ
+
+
+ ÙÛۏ۱ÛÙ
+
+
+ ۳ۧŰÙ Űčۧۏ
+
+
+ ŰȘÙÚŻÙ
+
+
+ ŰšÙÙÛÙÛ
+
+
+ Ù
Ù۱ÛŰł
+
+
+ ۱ÙÙ
ۧÙÛ
+
+
+ ۧ۳ÙÙۧکÛ
+
+
+ ۧÙŰŹŰČۧÛ۱
+
+
+ ۳ۧÙ
ÙŰąÛ ŰąÙ
۱ÛکۧÛÛ
+
+
+ ŰąÙŰŻÙ۱ۧ
+
+
+ ŰąÙÚŻÙÙۧ
+
+
+ ŰąÙÚŻÙÛÙۧ
+
+
+ ŰąÙŰȘÛÚŻÙۧ Ù ŰšŰ§Ű±ŰšÙۯۧ
+
+
+ ۹۱ÚۧÙŰȘÛÙ
+
+
+ ۧ۱Ù
ÙŰłŰȘۧÙ
+
+
+ ۹۱Ùۚۧ
+
+
+ ۹۰۱ۚۧÛۏۧÙ
+
+
+ ۚۧÙۧÙ
ۧ۳
+
+
+ ŰšŰ۱ÛÙ
+
+
+ ŰšÙÚŻÙۧۯێ
+
+
+ ۚۧ۱ۚۧۯÙŰł
+
+
+ ŰšÙۧ۱ÙŰł
+
+
+ ŰšÙÛŰČ
+
+
+ ŰšÙÛÙ
+
+
+ ۚ۱Ù
Ùۯۧ
+
+
+ ŰšÙŰȘۧÙ
+
+
+ ŰšÙŰȘŰłÙۧÙۧ
+
+
+ ۚ۱ŰČÛÙ
+
+
+ ۚ۱ÙÙŰŠÛ
+
+
+ ŰšÙ۱کÛÙۧ Ùۧ۳Ù
+
+
+ ۚ۱Ù
Ù (Ù
ÛۧÙÙ
ۧ۱)
+
+
+ ŰšÙ۱ÙÙŰŻÛ
+
+
+ کۧÙ
ŰšÙŰŹ
+
+
+ کۧÙ
۱ÙÙ
+
+
+ Ú©ÛÙŸ Ù۱ۯ
+
+
+ ŰŹÙ
ÙÙŰ±Û ŰąÙ۱ÛÙŰ§Û Ù
۱کŰČÛ
+
+
+ Úۧۯ
+
+
+ ŰŽÛÙÛ
+
+
+ Ú©ÙÙ
ŰšÛۧ
+
+
+ Ú©ÙÙ
Ù۱
+
+
+ ŰŹÙ
ÙÙŰ±Û ŰŻÙ
Ùک۱ۧŰȘ Ú©ÙÚŻÙ
+
+
+ ŰŹÙ
ÙÙŰ±Û Ú©ÙÚŻÙ
+
+
+ کۧ۳ŰȘۧ ۱Ûکۧ
+
+
+ ک۱Ùۧ۳Û
+
+
+ Ú©Ùۚۧ
+
+
+ Ùۚ۱۳
+
+
+ ŰŹÛŰšÙŰȘÛ
+
+
+ ŰŻÙÙ
ÛÙÛکۧ
+
+
+ ŰŹÙ
ÙÙŰ±Û ŰŻÙ
ÙÛÚ©Ù
+
+
+ ŰȘÛÙ
Ù۱ ێ۱ÙÛ
+
+
+ ۧکÙۧۯÙ۱
+
+
+ Ù
۔۱
+
+
+ ۧÙ۳ۧÙÙۧۯÙ۱
+
+
+ ÚŻÛÙÙ Ű§ŰłŰȘÙۧÛÛ
+
+
+ ۧ۱ÛŰȘ۱Ù
+
+
+ ۧ۳ŰȘÙÙÛ
+
+
+ ۧŰȘÛÙÙŸÛ
+
+
+ ŰŹŰČۧÛ۱ ÙۧÙÚ©ÙÙŰŻ
+
+
+ ŰŹŰČۧÛ۱ Ùۧ۱Ù
+
+
+ ÙÛŰŹÛ
+
+
+ گۧۚÙÙ
+
+
+ گۧÙ
ŰšÛۧ
+
+
+ گ۱ۏ۳ŰȘۧÙ
+
+
+ ŰșÙۧ
+
+
+ گ۱Ùۧۯۧ
+
+
+ گ۱ÛÙ ÙÙŰŻ
+
+
+ ŰŹŰšÙ Ű§Ù۷ۧ۱Ù
+
+
+ ÚŻÙۧۯÙÙÙŸ
+
+
+ ÚŻÙۧÙ
+
+
+ ÚŻÙŰąŰȘÙ
ۧÙۧ
+
+
+ گ۱ÙŰłÛ
+
+
+ ÚŻÛÙÙ
+
+
+ ÚŻÛÙÙ ŰšÛ۳ۧۊÙ
+
+
+ ÚŻÙÛۧÙ
+
+
+ ÙۧÛŰȘÛ
+
+
+ ŰŹŰČÛŰ±Ù Ùۧ۱ۯ Ù ŰŹŰČۧÛ۱ Ù
Ú© ŰŻÙÙۧÙŰŻŰČ
+
+
+ ۧÛۧÙŰȘ ÙۧŰȘÛکۧÙ
+
+
+ ÙÙŰŻÙ۱ۧ۳
+
+
+ ۧÛŰłÙÙŰŻ
+
+
+ ÙÙŰŻ
+
+
+ ۧÙŰŻÙÙŰČÛ
+
+
+ ۧÛ۱ۧÙ
+
+
+ Űč۱ۧÙ
+
+
+ ŰŹŰČÛŰ±Ù Ù
Ù
+
+
+ ۏۧÙ
ۧۚÛکۧ
+
+
+ ۏ۱۳Û
+
+
+ ۧ۱ۯÙ
+
+
+ ÙŰČۧÙŰłŰȘۧÙ
+
+
+ Ú©ÙÛۧ
+
+
+ Ú©Û۱ÛۚۧŰȘÛ
+
+
+ ŰŹÙ
ÙÙŰ±Û ŰŻÙ
Ùک۱ۧŰȘ ک۱Ù
+
+
+ Ú©ÙÛŰȘ
+
+
+ Ù۱ÙÛŰČŰłŰȘۧÙ
+
+
+ ÙۧۊÙŰł
+
+
+ ÙۧŰȘÙÛۧ
+
+
+ ÙŰšÙۧÙ
+
+
+ ÙŰłÙŰȘÙ
+
+
+ ÙÛۚ۱Ûۧ
+
+
+ ÙÛŰšÛ
+
+
+ ÙÛŰźŰȘÙŰŽŰȘۧÛÙ
+
+
+ ÙŰȘÙÙÛ
+
+
+ Ù
ۧکۧۊÙ
+
+
+ Ù
ÙŰŻÙÙÛÙ
+
+
+ Ù
ۧۯۧگۧ۳کۧ۱
+
+
+ Ù
ۧÙۧÙÛ
+
+
+ Ù
ۧÙŰČÛ
+
+
+ Ù
ۧÙŰŻÛÙ
+
+
+ Ù
ۧÙÛ
+
+
+ Ù
ۧÙŰȘۧ
+
+
+ ŰŹŰČۧÛ۱ Ù
ۧ۱ێۧÙ
+
+
+ Ù
ۧ۱ŰȘÛÙÛÚ©
+
+
+ Ù
Ù۱ÛŰȘۧÙÛ
+
+
+ Ù
ۏۧ۱۳ŰȘۧÙ
+
+
+ Ù
ۧÛÙŰȘ
+
+
+ Ù
Ú©ŰČÛÚ©
+
+
+ Ù
Ûک۱ÙÙŰČÛ
+
+
+ Ù
ÙÙۯۧÙÛ
+
+
+ Ù
ÙÙۧکÙ
+
+
+ Ù
ŰșÙÙŰłŰȘۧÙ
+
+
+ Ù
ÙÙŰȘÙگ۱Ù
+
+
+ Ù
ÙÙŰȘ۳۱ۧŰȘ
+
+
+ Ù
۱ۧکێ
+
+
+ Ù
ŰČۧÙ
ŰšÛÚ©
+
+
+ ÙۧÙ
ÛŰšÛۧ
+
+
+ ÙۧۊÙ۱Ù
+
+
+ ÙÙŸŰ§Ù
+
+
+ ŰąÙŰȘÛÙ ÙÙÙŰŻ
+
+
+ کۧÙŰŻÙÙÛŰ§Û ŰŹŰŻÛŰŻ
+
+
+ ÙÛکۧ۱ۧگÙŰŠÙ
+
+
+ ÙÛۏ۱
+
+
+ ÙÛÙŰŠÙ
+
+
+ ŰŹŰČÛŰ±Ù ÙÙ۱ÙÙÙÚ©
+
+
+ ŰŹŰČۧÛ۱ Ù
ۧ۱ÛۧÙŰ§Û ŰŽÙ
ۧÙÛ
+
+
+ ۧÙ
ۧÙ
+
+
+ ÙŸŰ§Ú©ŰłŰȘۧÙ
+
+
+ ÙŸŰ§ÙۧۊÙ
+
+
+ ÙÙ۳۷ÛÙ
+
+
+ ÙŸŰ§ÙۧÙ
ۧ
+
+
+ ÚŻÛÙÙ ÙÙ ÙŸŰ§ÙŸÙŰą
+
+
+ ÙŸŰ§Ű±Ű§ÚŻÙŰŠÙ
+
+
+ ÙŸŰ±Ù
+
+
+ ÙÛÙÛÙŸÛÙ
+
+
+ ÙŸÛŰȘکۧ۱ÛÙ
+
+
+ ÙŸÙ۱ŰȘÙ Ű±ÛÚ©Ù
+
+
+ Ù۷۱
+
+
+ ŰŹŰČۧÛ۱ ۱ÛÙÙÛÙÙ
+
+
+ Ùۯ۱ۧ۳ÛÙÙ Ű±ÙŰłÛÙ
+
+
+ ۱ÙۧÙۯۧ
+
+
+ ŰłÙŰȘ ۚۧ۱۳ÙÙ
Û
+
+
+ ŰłÙŰȘ Ú©ÛŰȘŰł Ù ÙÙÛŰł
+
+
+ ŰłÙŰȘ ÙÙŰłÛۧ
+
+
+ ŰłÙŰȘ Ù
ۧ۱ŰȘÛÙ
+
+
+ ŰłÙŰȘ ÙŸÛ۱ Ù Ù
ۧÚÙۧÙ
+
+
+ ŰłÙŰȘ ÙÛÙŰłÙŰȘ Ù ÚŻŰ±ÙۧۯÛÙ
+
+
+ ۳ۧÙ
Ùۧ
+
+
+ ŰłŰ§Ù Ù
ۧ۱ÛÙÙ
+
+
+ ۳ۧۊÙŰȘÙÙ
Ù Ù ÙŸŰ±ÛÙŰłÛÙŸ
+
+
+ Űč۱ۚ۳ŰȘŰ§Ù ŰłŰčÙŰŻÛ
+
+
+ ŰłÙگۧÙ
+
+
+ ۔۱ۚ۳ŰȘۧÙ
+
+
+ ŰłÛŰŽÙ
+
+
+ ŰłÛ۱ۧÙŰŠÙÙ
+
+
+ ۧ۳ÙÙÙÙÛ
+
+
+ ŰŹŰČۧÛ۱ ŰłÙÛÙ
ۧÙ
+
+
+ ŰłÙÙ
ۧÙÛ
+
+
+ ŰŹÙ۱ۏÛŰ§Û ŰŹÙÙŰšÛ Ù ŰŹŰČۧÛ۱ ۳ۧÙŰŻÙÛÚ ŰŹÙÙŰšÛ
+
+
+ ŰłŰ±Û ÙۧÙکۧ
+
+
+ ŰłÙۯۧÙ
+
+
+ ŰłÙ۱ÛÙۧÙ
+
+
+ ŰłÙۧÙۚۧ۱ۯ Ù ÛŰ§Ù Ù
ۧÛÙ
+
+
+ ŰłÙۧŰČÛÙÙŰŻ
+
+
+ ŰłÙ۱ÛÙ
+
+
+ ŰȘۧÛÙۧÙ
+
+
+ ŰȘۧۏÛÚ©ŰłŰȘۧÙ
+
+
+ ŰȘۧÙŰČۧÙÛۧ
+
+
+ ŰȘۧÛÙÙŰŻ
+
+
+ ŰȘÙÚ©ÙۧۊÙ
+
+
+ ŰȘÙÙگۧ
+
+
+ ŰȘ۱ÛÙÛۯۧۯ Ù ŰȘÙۚۧگÙ
+
+
+ ŰȘÙÙŰł
+
+
+ ŰȘ۱کÛÙ
+
+
+ ŰȘ۱کÙ
ÙŰłŰȘۧÙ
+
+
+ ŰŹŰČۧÛ۱ ŰȘ۱ک Ù Ú©ÛÚ©Ù
+
+
+ ŰȘÙÙۧÙÙ
+
+
+ ۧگۧÙۯۧ
+
+
+ ۧک۱ۧÛÙ
+
+
+ ۧÙ
ۧ۱ۧŰȘ Ù
ŰȘŰŰŻÙ Űč۱ۚÛ
+
+
+ ۧ۱ÙÚŻÙŰŠÙ
+
+
+ ۧŰČŰšÚ©ŰłŰȘۧÙ
+
+
+ ÙۧÙÙۧŰȘÙ
+
+
+ ÙÙŰČÙŰŠÙۧ
+
+
+ ÙÛŰȘÙۧÙ
+
+
+ ŰŹŰČۧÛ۱ ÙÛ۱ۏÛÙ (ۚ۱ÛŰȘۧÙÛۧ)
+
+
+ ŰŹŰČۧÛ۱ ÙÛ۱ۏÛÙ (ŰąÙ
۱Ûکۧ)
+
+
+ ÙۧÙÛŰł Ù ÙÙŰȘÙÙۧ
+
+
+ Ű”ŰŰ±Ű§Û ÙŰłŰȘ۱Ù
+
+
+ ÛÙ
Ù
+
+
+ ŰČۧÙ
ŰšÛۧ
+
+
+ ŰČÛÙ
ۚۧۚÙÙ
+
+
+ ŰąÙۚۧÙÛ
+
+
+ ۧÙŰșۧÙŰłŰȘۧÙ
+
+
+ ÙŰ·Űš ŰŹÙÙŰš
+
+
+ ŰšÙŰłÙÛ Ù Ù۱ŰČÚŻÙÛÙ
+
+
+ ŰŹŰČÛŰ±Ù ŰšÙÙÙ
+
+
+ Ù
ÙŰ§Ű·Ù Ű§ÙÚŻÙÛŰłÛ Ű§ÙÛۧÙÙŰł ÙÙŰŻ
+
+
+ ŰšÙŰșۧ۱۳ŰȘۧÙ
+
+
+ ŰŹŰČۧÛ۱ Ú©ÛÙ
Ù
+
+
+ ŰŹŰČÛŰ±Ù Ú©Ű±ÛŰłÙ
Űł
+
+
+ ŰŹŰČۧÛ۱ Ú©ÙÚ©ÙŰł
+
+
+ ŰŹŰČۧÛ۱ Ú©ÙÚ©
+
+
+ ÚŻÙÛŰ§Ù Ù۱ۧÙŰłÙ
+
+
+ ÙŸÙÛÙŰČÛ Ù۱ۧÙŰłÙ
+
+
+ Ù
ÙŰ§Ű·Ù ŰŽÙ
ۧÙÛ Ù۱ۧÙŰłÙ
+
+
+ ŰŹŰČۧÛ۱ ŰąÙÙŰŻ
+
+
diff --git a/_install/langs/fa/data/gender.xml b/_install/langs/fa/data/gender.xml
new file mode 100644
index 00000000..4e77b016
--- /dev/null
+++ b/_install/langs/fa/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/fa/data/group.xml b/_install/langs/fa/data/group.xml
new file mode 100644
index 00000000..01a729a4
--- /dev/null
+++ b/_install/langs/fa/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/fa/data/index.php b/_install/langs/fa/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/fa/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/fa/data/meta.xml b/_install/langs/fa/data/meta.xml
new file mode 100644
index 00000000..f98544fe
--- /dev/null
+++ b/_install/langs/fa/data/meta.xml
@@ -0,0 +1,165 @@
+
+
+
+ 404 error
+ Ű”ÙŰÙ Ù
Ù۱ۯ Ù۞۱ ÙŸÛۯۧ ÙŰŽŰŻ
+
+ page-not-found
+
+
+ ÙŸŰ±Ù۱ÙŰŽ ŰȘ۱ÛÙ Ùۧ
+ ÙŸŰ±Ù۱ÙŰŽ ŰȘ۱ÛÙ Ù
ŰŰ”ÙÙۧŰȘ Ù
ۧ
+
+ best-sales
+
+
+ ۧ۱ŰȘۚۧ۷ ۚۧ Ù
ۧ
+ ŰšŰ±Ű§Û Ű§Ű±ŰȘۚۧ۷ ۚۧ Ù
ۧ ۧŰČ Ű§ÛÙ Ù۱Ù
ۧ۳ŰȘÙŰ§ŰŻÙ Ú©ÙÛŰŻ
+
+ contact-us
+
+
+
+ Ù۱ÙŰŽÚŻŰ§Ù Ùۯ۱ŰȘ گ۱ÙŰȘÙ Ű§ŰČ ÙŸŰ±ŰłŰȘŰ§ŰŽŰ§ÙŸ
+
+
+
+
+ ŰȘÙÙÛŰŻ Ú©ÙÙŰŻÙ Ùۧ
+ ÙÛŰłŰȘ ŰȘÙÙÛŰŻ Ú©ÙÙŰŻÙ Ùۧ
+
+ manufacturers
+
+
+ Ù
ŰŰ”ÙÙۧŰȘ ŰŹŰŻÛŰŻ
+ ŰŹŰŻÛŰŻŰȘ۱ÛÙ Ù
ŰŰ”ÙÙۧŰȘ Ù
ۧ
+
+ new-products
+
+
+ Ù۱ۧÙ
ÙŰŽÛ ÚŻŰ°Ű±ÙۧÚÙ
+ ŰšŰ±Ű§Û ŰŻŰ±ÛۧÙŰȘ ۱Ù
ŰČ ŰčŰšÙ۱ ŰźÙŰŻ ŰȘÙ۳۷ ۧÛÙ
ÛÙ Ù
ÛŰȘÙۧÙÛŰŻ ÙŸŰłŰȘ ۧÙÚ©ŰȘ۱ÙÙÛÚ©Û Ú©Ù ŰšŰ§ ŰąÙ Ű«ŰšŰȘ ÙۧÙ
Ú©Ű±ŰŻÙ ŰšÙŰŻÛŰŻ ۱ۧ Ùۧ۱ۯ Ú©ÙÛŰŻ
+
+ password-recovery
+
+
+ کۧÙŰŽ ÙÛÙ
ŰȘ Ùۧ
+ Ù
ŰŰ”ÙÙۧŰȘ ÙÛÚÙ Ù
ۧ
+
+ prices-drop
+
+
+ ÙÙŰŽÙ ŰłŰ§ÛŰȘ
+ ÚŻÙ
ŰŽŰŻÙ Ű§ÛŰŻŰ ŰąÙÚÙ Ű±Ű§ Ú©Ù ŰšÙ ŰŻÙۚۧÙŰŽ ÙŰłŰȘÛŰŻ ÙŸÛۯۧ Ú©ÙÛŰŻ
+
+ sitemap
+
+
+ ŰȘۧÙ
ÛÙ Ú©ÙÙŰŻÙ Ùۧ
+ ÙÛŰłŰȘ ŰȘۧÙ
ÛÙ Ú©ÙÙŰŻÙ Ùۧ
+
+ supplier
+
+
+ ۹ۯ۱۳
+
+
+ address
+
+
+ ۹ۯ۱۳âÙۧ
+
+
+ addresses
+
+
+ Ù۱ÙŰŻ
+
+
+ login
+
+
+ ۳ۚۯ ۟۱ÛŰŻ
+
+
+ cart
+
+
+ ŰȘŰźÙÛÙ
+
+
+ discount
+
+
+ ŰȘۧ۱ÛŰźÚÙ ŰłÙۧ۱ێ
+
+
+ order-history
+
+
+ Ù
ێ۟۔ۧŰȘ
+
+
+ identity
+
+
+ Ű۳ۧۚ Ù
Ù
+
+
+ my-account
+
+
+ ÙŸÛÚŻÛŰ±Û ŰłÙۧ۱ێ
+
+
+ order-follow
+
+
+ ۱۳ÛŰŻ ŰłÙۧ۱ێ
+
+
+ order-slip
+
+
+ ŰłÙۧ۱ێ
+
+
+ order
+
+
+ ŰŹŰłŰȘŰŹÙ
+
+
+ search
+
+
+ Ù
ŰșۧŰČÙâÙۧ
+
+
+ stores
+
+
+ ŰłÙۧ۱ێ
+
+
+ quick-order
+
+
+ ÙŸÛÚŻÛŰ±Û Ù
ÙÙ
ۧÙ
+
+
+ guest-tracking
+
+
+ ŰȘŰŁÛÛŰŻ ŰłÙۧ۱ێ
+
+
+ order-confirmation
+
+
+ Ù
ÙۧÛŰłÙ Ù
ŰŰ”ÙÙۧŰȘ
+
+
+ products-comparison
+
+
diff --git a/_install/langs/fa/data/order_return_state.xml b/_install/langs/fa/data/order_return_state.xml
new file mode 100644
index 00000000..2adb4edb
--- /dev/null
+++ b/_install/langs/fa/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ Ù
ÙŰȘ۞۱ ŰȘۧÛÛŰŻ
+
+
+ Ù
ÙŰȘ۞۱ ۚ۳ŰȘÙ ŰšÙŰŻÛ
+
+
+ ۚ۳ŰȘÙ ŰŻŰ±ÛۧÙŰȘ ŰŽŰŻÙ
+
+
+ ۚۧŰČÚŻŰŽŰȘ ÙۧÙ
ÙÙÙ
+
+
+ ۚۧŰČÚŻŰŽŰȘ Ù
ÙÙÙÛŰȘ ŰąÙ
ÛŰČ
+
+
diff --git a/_install/langs/fa/data/order_state.xml b/_install/langs/fa/data/order_state.xml
new file mode 100644
index 00000000..1f81e6f6
--- /dev/null
+++ b/_install/langs/fa/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ Ù
ÙŰȘ۞۱ ÙŸŰ±ŰŻŰ§ŰźŰȘ ÚÚ©
+ cheque
+
+
+ ÙŸŰ±ŰŻŰ§ŰźŰȘ ŰȘۧÛÛŰŻ ŰŽŰŻÙ
+ payment
+
+
+ ۯ۱ ŰŰ§Ù ŰąÙ
Ű§ŰŻÙ ŰłŰ§ŰČÛ
+ preparation
+
+
+ ŰÙ
Ù ŰŽŰŻÙ
+ shipped
+
+
+ ŰšÙ ŰŻŰłŰȘ Ù
ŰŽŰȘŰ±Û Ű±ŰłÛŰŻÙ
+
+
+
+ ÙŰșÙ ŰŽŰŻÙ
+ order_canceled
+
+
+ ۚۧŰČÚŻŰŽŰȘ ÙŰŹÙ
+ refund
+
+
+ ŰźŰ·Ű§Û ÙŸŰ±ŰŻŰ§ŰźŰȘ
+ payment_error
+
+
+ ۟ۧ۱ۏ ۧŰČ Ù
ÙŰŹÙŰŻÛ
+ outofstock
+
+
+ ۟ۧ۱ۏ ۧŰČ Ù
ÙŰŹÙŰŻÛ
+ outofstock
+
+
+ Ù
ÙŰȘ۞۱ ÙŸŰ±ŰŻŰ§ŰźŰȘ ÙÛŰŽ ۚۧÙÚ©Û
+ bankwire
+
+
+ Ù
ÙŰȘ۞۱ ÙŸŰ±ŰŻŰ§ŰźŰȘ ÙŸÛ ÙŸŰ§Ù
+
+
+
+ ÙŸŰ±ŰŻŰ§ŰźŰȘ ۧŰČ Ű±Ű§Ù ŰŻÙ۱ ŰȘۧÛÛŰŻ ŰŽŰŻÙ
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/fa/data/profile.xml b/_install/langs/fa/data/profile.xml
new file mode 100644
index 00000000..e28e99e9
--- /dev/null
+++ b/_install/langs/fa/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ Ù
ŰŻÛ۱ Ú©Ù
+
+
diff --git a/_install/langs/fa/data/quick_access.xml b/_install/langs/fa/data/quick_access.xml
new file mode 100644
index 00000000..4eaabdf6
--- /dev/null
+++ b/_install/langs/fa/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/fa/data/risk.xml b/_install/langs/fa/data/risk.xml
new file mode 100644
index 00000000..46e25cb6
--- /dev/null
+++ b/_install/langs/fa/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/fa/data/stock_mvt_reason.xml b/_install/langs/fa/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..060ea5fd
--- /dev/null
+++ b/_install/langs/fa/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ ۧÙŰČۧÛŰŽ
+
+
+ کۧÙŰŽ
+
+
+ ŰłÙۧ۱ێ Ù
ŰŽŰȘ۱Û
+
+
+ ŰȘÙŰžÛÙ
ۚ۱ ۧ۳ۧ۳ Ù
ÙŰŹÙŰŻÛ Ű§Ùۚۧ۱
+
+
+ ŰȘÙŰžÛÙ
ۚ۱ ۧ۳ۧ۳ Ù
ÙŰŹÙŰŻÛ Ű§Ùۚۧ۱
+
+
+ ۧÙŰȘÙŰ§Ù ŰšÙ Ű§Ùۚۧ۱ ŰŻÛگ۱
+
+
+ ۧÙŰȘÙŰ§Ù Ű§ŰČ Ű§Ùۚۧ۱ ŰŻÛگ۱
+
+
+ ŰȘÙÛÙ ŰłÙۧ۱ێ
+
+
diff --git a/_install/langs/fa/data/supplier_order_state.xml b/_install/langs/fa/data/supplier_order_state.xml
new file mode 100644
index 00000000..ee1d739d
--- /dev/null
+++ b/_install/langs/fa/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/fa/data/supply_order_state.xml b/_install/langs/fa/data/supply_order_state.xml
new file mode 100644
index 00000000..7c0529a2
--- /dev/null
+++ b/_install/langs/fa/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - ۯ۱ ŰŰ§Ù Ű§Ûۏۧۯ
+
+
+ 2 - ŰłÙۧ۱ێ ŰȘۧÛÛŰŻ ŰŽŰŻÙ
+
+
+ 3 - Ù
ÙŰȘ۞۱ ۱۳ÛŰŻ
+
+
+ 4 - ÙŰłÙ
ŰȘÛ Ű§ŰČ ŰłÙۧ۱ێ ۯ۱ÛۧÙŰȘ ŰŽŰŻÙ
+
+
+ 5 - ŰłÙۧ۱ێ ŰšÙ Ű”Ù۱ŰȘ کۧÙ
Ù ŰŻŰ±ÛۧÙŰȘ ŰŽŰŻÙ
+
+
+ 6 - ŰłÙۧ۱ێ ÙŰșÙ ŰŽŰŻÙ
+
+
diff --git a/_install/langs/fa/data/tab.xml b/_install/langs/fa/data/tab.xml
new file mode 100644
index 00000000..2dc17509
--- /dev/null
+++ b/_install/langs/fa/data/tab.xml
@@ -0,0 +1,103 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/fa/flag.jpg b/_install/langs/fa/flag.jpg
new file mode 100644
index 00000000..7a734dc4
Binary files /dev/null and b/_install/langs/fa/flag.jpg differ
diff --git a/_install/langs/fa/img/fa-default-category.jpg b/_install/langs/fa/img/fa-default-category.jpg
new file mode 100644
index 00000000..2195abcd
Binary files /dev/null and b/_install/langs/fa/img/fa-default-category.jpg differ
diff --git a/_install/langs/fa/img/fa-default-home.jpg b/_install/langs/fa/img/fa-default-home.jpg
new file mode 100644
index 00000000..30a867fc
Binary files /dev/null and b/_install/langs/fa/img/fa-default-home.jpg differ
diff --git a/_install/langs/fa/img/fa-default-large.jpg b/_install/langs/fa/img/fa-default-large.jpg
new file mode 100644
index 00000000..399d17a0
Binary files /dev/null and b/_install/langs/fa/img/fa-default-large.jpg differ
diff --git a/_install/langs/fa/img/fa-default-large_scene.jpg b/_install/langs/fa/img/fa-default-large_scene.jpg
new file mode 100644
index 00000000..2edff080
Binary files /dev/null and b/_install/langs/fa/img/fa-default-large_scene.jpg differ
diff --git a/_install/langs/fa/img/fa-default-medium.jpg b/_install/langs/fa/img/fa-default-medium.jpg
new file mode 100644
index 00000000..a2772300
Binary files /dev/null and b/_install/langs/fa/img/fa-default-medium.jpg differ
diff --git a/_install/langs/fa/img/fa-default-small.jpg b/_install/langs/fa/img/fa-default-small.jpg
new file mode 100644
index 00000000..839dc76a
Binary files /dev/null and b/_install/langs/fa/img/fa-default-small.jpg differ
diff --git a/_install/langs/fa/img/fa-default-thickbox.jpg b/_install/langs/fa/img/fa-default-thickbox.jpg
new file mode 100644
index 00000000..a1065392
Binary files /dev/null and b/_install/langs/fa/img/fa-default-thickbox.jpg differ
diff --git a/_install/langs/fa/img/fa-default-thumb_scene.jpg b/_install/langs/fa/img/fa-default-thumb_scene.jpg
new file mode 100644
index 00000000..38ae1666
Binary files /dev/null and b/_install/langs/fa/img/fa-default-thumb_scene.jpg differ
diff --git a/_install/langs/fa/img/fa.jpg b/_install/langs/fa/img/fa.jpg
new file mode 100644
index 00000000..1e15eb44
Binary files /dev/null and b/_install/langs/fa/img/fa.jpg differ
diff --git a/_install/langs/fa/img/index.php b/_install/langs/fa/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/fa/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/fa/index.php b/_install/langs/fa/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/fa/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/fa/install.php b/_install/langs/fa/install.php
new file mode 100644
index 00000000..c5d1aff3
--- /dev/null
+++ b/_install/langs/fa/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/forum/164-ۧÙŰŹÙ
Ù-Ùۧ۱۳Û-persian/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'ÛÚ© ŰźŰ·Ű§Û SQL ۱۟ ŰŻŰ§ŰŻÙ Ű§ŰłŰȘ ŰšŰ±Ű§Û Ù
ÙŰŹÙŰŻÛ %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'ÙÙ
ÛŰȘÙŰ§Ù ŰšŰ±Ű§Û "%1$s" ŰčÚ©Űł ۧÛۏۧۯ ک۱ۯ ŰšŰ±Ű§Û Ù
ÙŰŹÙŰŻÛ "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'ÙÙ
ÛŰȘÙŰ§Ù ŰšŰ±Ű§Û "%1$s" ŰčÚ©Űł ۧÛۏۧۯ ک۱ۯ (ŰŻŰłŰȘ۱۳ÛâÙŰ§Û Ùۧۯ۱۳ŰȘ ۱ÙÛ ÙŸÙŰŽÙ "%2$s")',
+ 'Cannot create image "%s"' => 'ÙÙ
ÛâŰȘÙŰ§Ù ŰčÚ©Űł ۧÛۏۧۯ ک۱ۯ "%s"',
+ 'SQL error on query %s ' => '۱ÙÛ Ù۱ÙŰŻÛ %s ŰźŰ·Ű§Û SQL ۱۟ ŰŻŰ§ŰŻÙ Ű§ŰłŰȘ',
+ '%s Login information' => 'ۧ۷ÙۧŰčۧŰȘ Ù۱ÙŰŻ %s',
+ 'Field required' => 'ÙÛÙŰŻ ۶۱Ù۱Û',
+ 'Invalid shop name' => 'ÙۧÙ
Ù۱ÙŰŽÚŻŰ§Ù ÙۧÙ
ŰčŰȘۚ۱ ۧ۳ŰȘ',
+ 'The field %s is limited to %d characters' => 'ÙÛÙŰŻ %s ŰšÙ %d کۧ۱ۧکŰȘ۱ Ù
ŰŰŻÙŰŻ ŰŽŰŻÙ Ű§ŰłŰȘ.',
+ 'Your firstname contains some invalid characters' => 'ÙۧÙ
ŰŽÙ
ۧ ێۧÙ
Ù Ú©Ű§Ű±Ű§Ú©ŰȘ۱ÙŰ§Û ŰșÛ۱ Ù
ۏۧŰČ Ű§ŰłŰȘ',
+ 'Your lastname contains some invalid characters' => 'ÙۧÙ
۟ۧÙÙŰ§ŰŻÚŻÛ ŰŽÙ
ۧ ێۧÙ
Ù Ú©Ű§Ű±Ű§Ú©ŰȘ۱ÙŰ§Û ŰșÛ۱ Ù
ۏۧŰČ Ű§ŰłŰȘ',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Ú©ÙÙ
Ù ŰčŰšÙ۱ ÙۧÙ
ŰčŰȘۚ۱ ۧ۳ŰȘ (Ú©ÙÙ
Ù ŰčŰšÙ۱ ŰۯۧÙÙ 8 کۧ۱ۧکŰȘŰ±Û ŰŽŰ§Ù
Ù Ű۱ÙÙ Ű§ÙÙۚۧ Ù Ű§Űčۯۧۯ)',
+ 'Password and its confirmation are different' => '۱Ù
ŰČ ŰčŰšÙ۱ Ù ŰȘۧÛÛŰŻÛÙâÛ ŰąÙ Ù
۷ۧۚÙŰȘ Ùۯۧ۱ÙŰŻ',
+ 'This e-mail address is invalid' => 'ۧÛÙ ŰąŰŻŰ±Űł ۧÛÙ
ÛÙ ÙۧÙ
ŰčŰȘۚ۱ ۧ۳ŰȘ',
+ 'Image folder %s is not writable' => 'ÙŸÙŰŽÙâ ŰčÚ©Űł %s ÙŰ§ŰšÙ ÙÙŰŽŰȘÙ ÙÛŰłŰȘ',
+ 'An error occurred during logo copy.' => '۟۷ۧÛÛ ÙÙگۧÙ
Ú©ÙŸÛ Ú©Ű±ŰŻÙ ÙÙÚŻÙ Ű±Űź ۯۧۯ.',
+ 'An error occurred during logo upload.' => 'ÛÚ© ۟۷ۧ ÙÙگۧÙ
ŰąÙŸÙÙŰŻ ۹۱Ù
۱۟ ۯۧۯ.',
+ 'Lingerie and Adult' => 'ŰšŰČ۱گ۳ۧÙۧÙ',
+ 'Animals and Pets' => 'ŰÛÙۧÙŰȘ ۧÙÙÛ Ù ŰșÛ۱ ۧÙÙÛ',
+ 'Art and Culture' => 'ÙÙ۱ Ù Ù۱ÙÙÚŻ',
+ 'Babies' => 'ÙÙŰČۧۯۧÙ',
+ 'Beauty and Personal Care' => 'ŰČÛۚۧÛÛ Ù Ù
۱ۧÙŰšŰȘ ێ۟۔Û',
+ 'Cars' => 'Ù
ۧێÛÙ Ùۧ',
+ 'Computer Hardware and Software' => '۳۟ŰȘ ۧÙŰČۧ۱ Ù Ù۱Ù
ۧÙŰČۧ۱ کۧÙ
ÙŸÛÙŰȘ۱',
+ 'Download' => 'ۯۧÙÙÙŰŻ',
+ 'Fashion and accessories' => 'ÙŰŽÙ Ù ÙÙۧŰČÙ
Ù
Ù۱ۯ ÙÛۧŰČ',
+ 'Flowers, Gifts and Crafts' => 'ÚŻÙ ÙŰ§Ű ÙۯۧÛۧ Ù Ű”ÙۧÛŰč ŰŻŰłŰȘÛ',
+ 'Food and beverage' => 'Űș۰ۧ Ù ŰąŰŽŰ§Ù
ÛŰŻÙÛ',
+ 'HiFi, Photo and Video' => 'ÙŰ§Û ÙۧÛŰ ŰčÚ©Űł Ù ÙÛŰŻÛÙ',
+ 'Home and Garden' => '۟ۧÙÙ Ù ŰšŰ§ŰșÚÙ',
+ 'Home Appliances' => 'ÙÙۧŰČÙ
۟ۧÙÚŻÛ',
+ 'Jewelry' => 'ŰŹÙۧÙ۱ۧŰȘ',
+ 'Mobile and Telecom' => 'Ù
ÙۚۧÛÙ Ù Ù
۟ۧۚ۱ۧŰȘ',
+ 'Services' => '۟ۯÙ
ۧŰȘ',
+ 'Shoes and accessories' => 'Ú©ÙŰŽ Ùۧ Ù ÙÙۧŰČÙ
ۏۧÙŰšÛ',
+ 'Sports and Entertainment' => 'Ù۱ŰČŰŽ Ù ŰłŰ±ÚŻŰ±Ù
Û',
+ 'Travel' => 'ŰłÙ۱',
+ 'Database is connected' => 'ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ Ù
ŰȘŰ”Ù Ű§ŰłŰȘ',
+ 'Database is created' => 'ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ Ű§Ûۏۧۯ ŰŽŰŻ',
+ 'Cannot create the database automatically' => '۳ۧ۟ŰȘ ŰźÙۯکۧ۱ ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ Ű§Ù
Ú©Ű§Ù ÙŸŰ°Û۱ ÙÛŰłŰȘ',
+ 'Create settings.inc file' => 'ۧÛۏۧۯ ÙۧÛÙ settings.inc',
+ 'Create database tables' => 'ۧÛۏۧۯ ۏۯۧÙÙ ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ',
+ 'Create default shop and languages' => 'ۧÛۏۧۯ Ù۱ÙŰŽÚŻŰ§Ù Ù ŰČŰšŰ§Ù ÙŰ§Û ÙŸÛŰŽâÙ۱۶',
+ 'Populate database tables' => 'ۧ۳ŰȘÙ۱ۧ۱ ۏۯۧÙÙ ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ',
+ 'Configure shop information' => 'ŰȘÙŰžÛÙ
ۧ۷ÙۧŰčۧŰȘ Ù۱ÙێگۧÙ',
+ 'Install demonstration data' => 'Ù۔ۚ ۧ۷ÙۧŰčۧŰȘ ÙÙ
ÙÙÙ',
+ 'Install modules' => 'Ù۔ۚ Ù
ۧÚÙÙâÙۧ',
+ 'Install Addons modules' => 'Ù۔ۚ Ù
ۧÚÙÙâÙŰ§Û Ű§ÙŰČÙŰŻÙÛ',
+ 'Install theme' => 'Ù۔ۚ ÙۧÙŰš',
+ 'Required PHP parameters' => 'ÙŸŰ§Ű±Ű§Ù
ŰȘ۱ÙŰ§Û Ù
Ù۱ۯ ÙÛۧŰČ PHP',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 Ûۧ ۚۧÙۧŰȘ۱ ÙŰčŰ§Ù ÙŰŽŰŻÙ',
+ 'Cannot upload files' => 'ÙÙ
ÛâŰȘÙŰ§Ù ÙۧÛÙâÙۧ ۱ۧ ŰšŰ§Ű±ÚŻŰ°Ű§Ű±Û Ú©Ű±ŰŻ',
+ 'Cannot create new files and folders' => 'ÙÙ
ÛâŰȘÙŰ§Ù ÙۧÛÙ Ù ÙŸÙŰŽÙ ŰŹŰŻÛŰŻ ۧÛۏۧۯ ک۱ۯ',
+ 'GD library is not installed' => 'GD Library Ù۔ۚ ÙŰŽŰŻÙ Ű§ŰłŰȘ',
+ 'MySQL support is not activated' => 'ÙŸŰŽŰȘÛۚۧÙÛ Ű§ŰČ MySQL ÙŰčŰ§Ù ÙŰŽŰŻÙ Ű§ŰłŰȘ',
+ 'Files' => 'ÙۧÛÙâÙۧ',
+ 'Not all files were successfully uploaded on your server' => 'ÙÙ
Ù ÙŸŰ±ÙÙŰŻÙ Ùۧ ۚۧ Ù
ÙÙÙÛŰȘ ۚ۱ ۱ÙÛ ŰłŰ±Ù۱ ŰšŰ§Ű±ÚŻŰ°Ű§Ű±Û ÙŰŽŰŻÙ ŰšÙŰŻÙŰŻ',
+ 'Permissions on files and folders' => 'ŰŻŰłŰȘŰ±ŰłÛ ŰšÙ ÙۧÛÙâÙۧ Ù ÙŸÙŰŽÙâÙۧ',
+ 'Recursive write permissions for %1$s user on %2$s' => 'ۧۏۧŰČÙ ÙŰ§Û ÙÙŰŽŰȘÙ ŰšŰ§ŰČÚŻŰŽŰȘÛ ŰšŰ±Ű§Û %1$s ŰȘŰčۯۧۯ کۧ۱ۚ۱ ۯ۱ %2$s',
+ 'Recommended PHP parameters' => 'ÙŸŰ§Ű±Ű§Ù
ŰȘ۱ÙŰ§Û ŰȘÙŰ”ÛÙ ŰŽŰŻÙâÛ PHP',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => 'ŰŽÙ
ۧ ۧŰČ ÙÛ۱ۧÛŰŽ %s PHP ۧ۳ŰȘÙŰ§ŰŻÙ Ù
ÛâÚ©ÙÛŰŻ. ŰšÙ ŰČÙŰŻÛ ŰąŰźŰ±ÛÙ ÙÛ۱ۧÛŰŽ PHP ÙŸŰŽŰȘۚۧÙÛ ŰŽŰŻÙ ŰȘÙ۳۷ ÙŸŰ±ŰłŰȘŰ§ŰŽŰ§ÙŸ PHP 5.4 ŰźÙۧÙŰŻ ŰšÙŰŻ. ŰšŰ±Ű§Û Ű§Ű·Ù
ÛÙŰ§Ù Ű§ŰČ Ű§ÛÙ Ú©Ù ŰšŰ±Ű§Û ŰąÛÙŰŻÙ ŰąÙ
ۧۯÙâ ۚۧێÛŰŻŰ ÙŸÛŰŽÙÙۧۯ Ù
Û Ú©ÙÛÙ
ÙÙ
ÛÙ ŰۧÙۧ ŰšÙ PHP 5.4 ۧ۱ŰȘÙۧ ŰŻÙÛŰŻ!',
+ 'Cannot open external URLs' => 'ÙÙ
ÛâŰȘÙŰ§Ù ÙÛÙÚ©âÙŰ§Û ŰźŰ§Ű±ŰŹÛ Ű±Ű§ ۚۧŰČ Ú©Ű±ŰŻ',
+ 'PHP register_globals option is enabled' => 'ÚŻŰČÛÙÙ PHP register_globals ÙŰčŰ§Ù Ű§ŰłŰȘ',
+ 'GZIP compression is not activated' => 'ÙŰŽŰ±ŰŻÙ ŰłŰ§ŰČÛ GZIP ÙŰčŰ§Ù ÙÛŰłŰȘ',
+ 'Mcrypt extension is not enabled' => 'ۧÙŰČÙÙÙ Mcrypt ÙŰčŰ§Ù ÙÛŰłŰȘ',
+ 'Mbstring extension is not enabled' => 'ۧÙŰČÙÙÙ Mbstring ÙŰčŰ§Ù ÙÛŰłŰȘ',
+ 'PHP magic quotes option is enabled' => 'ÚŻŰČÛÙÙ PHP magic quotes ÙŰčŰ§Ù Ű§ŰłŰȘ',
+ 'Dom extension is not loaded' => 'ۧÙŰČÙÙÙ Dom ۚۧ۱گÛŰ±Û ÙŰŽŰŻÙ',
+ 'PDO MySQL extension is not loaded' => 'ۧÙŰČÙÙÙ PDO MySQL ۚۧ۱گÛŰ±Û ÙŰŽŰŻÙ',
+ 'Server name is not valid' => 'ÙۧÙ
۳۱Ù۱ Ű”ŰÛŰ ÙÛŰłŰȘ',
+ 'You must enter a database name' => 'ŰŽÙ
ۧ ۚۧÛŰŻ ÛÚ© ÙۧÙ
ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ Ùۧ۱ۯ Ú©ÙÛŰŻ',
+ 'You must enter a database login' => 'ŰŽÙ
ۧ ۚۧÛŰŻ ÛÚ© ÙۧÙ
Ú©Ű§Ű±ŰšŰ±Û ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ Ùۧ۱ۯ Ú©ÙÛŰŻ',
+ 'Tables prefix is invalid' => 'ÙŸÛŰŽÙÙŰŻ ۏۯۧÙÙ Ùۧۯ۱۳ŰȘ ۧ۳ŰȘ',
+ 'Cannot convert database data to utf-8' => 'ÙÙ
ÛŰȘÙŰ§Ù ŰŻŰ§ŰŻÙâÙŰ§Û ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ Ű±Ű§ ŰšÙ UTF-8 ŰȘŰșÛÛ۱ ۯۧۯ',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'ŰۯۧÙÙ ÛÚ© ŰŹŰŻÙÙ ŰšŰ§ ÙŸÛŰŽÙÙŰŻ Ù
ŰŽŰ§ŰšÙ ÙŸÛۯۧ ŰŽŰŻŰ ÙŰ·Ùۧ ÙŸÛŰŽÙÙŰŻ ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ ŰźÙŰŻ ۱ۧ ŰȘŰșÛÛ۱ ŰŻÙÛŰŻ Ûۧ ÙŸŰ§ÛÚŻŰ§ŰŻÙ ŰŻŰ§ŰŻÙ Ű±Ű§ ÙŸŰ§Ú© Ú©ÙÛŰŻ',
+ 'The values of auto_increment increment and offset must be set to 1' => 'Ù
Ùۯۧ۱ ۧÙŰČۧÛŰŽ auto_increment Ù offset ۚۧÛŰŻ 1 Ù۱ۧ۱ ŰŻŰ§ŰŻÙ ŰŽÙŰŻ',
+ 'Database Server is not found. Please verify the login, password and server fields' => '۳۱Ù۱ ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ ÛۧÙŰȘ ÙŰŽŰŻ. ÙŰ·Ùۧ ÙۧÙ
کۧ۱ۚ۱ÛŰ ÚŻŰ°Ű±ÙۧÚÙ Ù ÙÛÙŰŻÙŰ§Û ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ Ű±Ű§ ŰšŰ±Ű±ŰłÛ Ú©ÙÛŰŻ',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'ۧŰȘŰ”Ű§Ù ŰšÙ MySQL Ù
ÙÙÙÛŰȘ ŰąÙ
ÛŰČ ŰšÙŰŻŰ Ű§Ù
ۧ ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ "%s" ÛۧÙŰȘ ÙŰŽŰŻ',
+ 'Attempt to create the database automatically' => 'ŰȘÙۧێ ŰšŰ±Ű§Û Ű§Ûۏۧۯ ŰźÙۯکۧ۱ ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ',
+ '%s file is not writable (check permissions)' => 'ÙۧÛÙ %s ÙŰ§ŰšÙ ÙÙŰŽŰȘÙ ÙÛŰłŰȘ (ŰŻŰłŰȘ۱۳ÛâÙۧ ۱ۧ ŰšŰ±Ű±ŰłÛ Ú©ÙÛŰŻ)',
+ '%s folder is not writable (check permissions)' => 'ÙŸÙŰŽÙ %s ÙŰ§ŰšÙ ÙÙŰŽŰȘÙ ÙÛŰłŰȘ (ŰŻŰłŰȘ۱۳ÛâÙۧ ۱ۧ ŰšŰ±Ű±ŰłÛ Ú©ÙÛŰŻ)',
+ 'Cannot write settings file' => 'ÙۧÛÙ ŰȘÙŰžÛÙ
ۧŰȘ ۱ۧ ÙÙ
ÛŰȘÙŰ§Ù ÙÙŰŽŰȘ',
+ 'Database structure file not found' => 'ÙۧÛÙ ŰłŰ§ŰźŰȘۧ۱ ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ ÛۧÙŰȘ ÙŰŽŰŻ',
+ 'Cannot create group shop' => 'ÙÙ
ÛŰȘÙŰ§Ù ÚŻŰ±ÙÙ Ù۱ÙŰŽÚŻŰ§Ù Ű±Ű§ ۧÛۏۧۯ ک۱ۯ',
+ 'Cannot create shop' => 'ÙÙ
ÛŰȘÙŰ§Ù ÚŻŰ±ÙÙ Ù۱ÙŰŽÚŻŰ§Ù Ű±Ű§ ۧÛۏۧۯ ک۱ۯ',
+ 'Cannot create shop URL' => 'ÙÙ
ÛŰȘÙŰ§Ù URL Ù۱ÙŰŽÚŻŰ§Ù Ű±Ű§ ۧÛۏۧۯ ک۱ۯ',
+ 'File "language.xml" not found for language iso "%s"' => 'ÙۧÛÙ "language.xml" ŰšŰ±Ű§Û iso ŰČŰšŰ§Ù "%s" ÛۧÙŰȘ ÙŰŽŰŻ',
+ 'File "language.xml" not valid for language iso "%s"' => 'ÙۧÛÙ "language.xml" ŰšŰ±Ű§Û iso ŰČŰšŰ§Ù "%s" Ù
ŰčŰȘۚ۱ ÙÛŰłŰȘ',
+ 'Cannot install language "%s"' => 'ÙÙ
ÛŰȘÙŰ§Ù ŰČŰšŰ§Ù "%s" ۱ۧ Ù۔ۚ ک۱ۯ',
+ 'Cannot copy flag language "%s"' => 'ÙÙ
Û ŰȘÙŰ§Ù ÙŸŰ±ÚÙ
ŰČŰšŰ§Ù Ű±Ű§ Ú©ÙŸÛ Ú©Ű±ŰŻ "%s"',
+ 'Cannot create admin account' => 'ÙÙ
ÛŰȘÙŰ§Ù Ű۳ۧۚ Ú©Ű§Ű±ŰšŰ±Û Ù
ŰŻÛ۱ ۱ۧ ۧÛۏۧۯ ک۱ۯ',
+ 'Cannot install module "%s"' => 'ÙÙ
ÛŰȘÙŰ§Ù Ù
ۧÚÙÙ "%s" ۱ۧ Ù۔ۚ ک۱ۯ',
+ 'Fixtures class "%s" not found' => 'Ú©Ùۧ۳ ۫ۧۚŰȘ "%s" ÛۧÙŰȘ ÙŰŽŰŻ',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" ۚۧÛŰŻ ÙÙ
ÙÙÙ Ű§Û Ű§ŰČ "InstallXmlLoader" ۚۧێۯ',
+ 'Information about your Store' => 'ۧ۷ÙۧŰčۧŰȘ Ù۱ÙŰŽÚŻŰ§Ù ŰŽÙ
ۧ',
+ 'Shop name' => 'ÙۧÙ
Ù۱ÙێگۧÙ',
+ 'Main activity' => 'ÙŰčۧÙÛŰȘ ۧ۔ÙÛ',
+ 'Please choose your main activity' => 'ÙŰ·Ùۧ ÙŰčۧÙÛŰȘ ۧ۔ÙÛ ŰźÙŰŻ ۱ۧ ۧÙŰȘ۟ۧۚ Ú©ÙÛŰŻ',
+ 'Other activity...' => '۳ۧÛ۱ ÙŰčۧÙÛŰȘâÙۧ...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'ŰšÙ Ù
ۧ Ú©Ù
Ú© Ú©ÙÛŰŻ ŰȘۧ ۧ۷ÙۧŰčۧŰȘ ŰšÛŰŽŰȘŰ±Û ŰŻŰ±ŰšŰ§Ű±Ù Û Ù۱ÙŰŽÚŻŰ§Ù ŰŽÙ
ۧ ŰšÛۧÙ
ÙŰČÛÙ
. ۯ۱ ۧÛÙ ŰۧÙŰȘ Ù
ۧ Ù
Û ŰȘÙۧÙÛÙ
ŰšÙ ŰŽÙ
ۧ ÙŸÛŰŽÙÙۧۯ ÙۧÛÛ ŰŻŰ±ŰźÙۧ۳ŰȘÛ Ù
ۧÙÙŰŻ ۱ۧÙÙÙ
ۧ Ù ŰźŰ§Ű”ÛŰȘ ÙŰ§Û ÙÛÚÙ Ű§Û ŰšŰ±Ű§Û ŰȘۏۧ۱ŰȘ ŰŽÙ
ۧ ŰŻÙÛÙ
!',
+ 'Install demo products' => 'ۧÙŰČÙŰŻÙ Ù
ŰŰ”ÙÙۧŰȘ ÙÙ
ÙÙÙ',
+ 'Yes' => 'ŰšÙÙ',
+ 'No' => 'ŰźÛ۱',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Ù
ŰŰ”ÙÙۧŰȘ ÙÙ
ÙÙÙ Ű±ÙŰŽ ŰźÙŰšÛ ŰšŰ±Ű§Û ÛۧۯگÛŰ±Û Ű§ŰłŰȘÙŰ§ŰŻÙ Ű§ŰČ ÙŸŰ±ŰłŰȘۧ ŰŽŰ§ÙŸ Ù
ÛۚۧێÙŰŻ. ŰŽÙ
ۧ ۚۧÛŰŻ ŰąÙâÙۧ ۱ۧ Ù۔ۚ Ú©ÙÛŰŻ ۧگ۱ ۚۧ ŰąÙ ŰąŰŽÙۧ ÙÛŰłŰȘÛŰŻ.',
+ 'Country' => 'Ú©ŰŽÙ۱',
+ 'Select your country' => 'Ú©ŰŽÙ۱ ŰźÙŰŻ ۱ۧ ۧÙŰȘ۟ۧۚ Ú©ÙÛŰŻ',
+ 'Shop timezone' => 'Ù
ÙŰ·ÙÙ ŰČÙ
ۧÙÛ Ù۱ÙێگۧÙ',
+ 'Select your timezone' => 'ŰČÙ
Ű§Ù ŰšÙŰŻÛ Ù۱ÙŰŽÚŻŰ§Ù ŰźÙŰŻ ۱ۧ ۧÙŰȘ۟ۧۚ Ú©ÙÛŰŻ',
+ 'Shop logo' => 'ÙÙÚŻÙÛ Ù۱ÙێگۧÙ',
+ 'Optional - You can add you logo at a later time.' => 'ۧ۟ŰȘÛŰ§Ű±Û - ŰŽÙ
ۧ Ù
Û ŰȘÙۧÙÛŰŻ ۹۱Ù
۱ۧ ۯ۱ ŰąÛÙŰŻÙ ŰšÛۧÙŰČۧÛÛŰŻ',
+ 'Your Account' => 'Ű۳ۧۚ Ú©Ű§Ű±ŰšŰ±Û ŰŽÙ
ۧ',
+ 'First name' => 'ÙۧÙ
',
+ 'Last name' => 'ÙۧÙ
۟ۧÙÙۧۯگÛ',
+ 'E-mail address' => 'â۹ۯ۱۳ ۧÛÙ
ÛÙ',
+ 'This email address will be your username to access your store\'s back office.' => 'ۧÛÙ ŰąŰŻŰ±Űł ۧÛÙ
ÛÙŰ ÙÙ
Ű§Ù ÙۧÙ
Ú©Ű§Ű±ŰšŰ±Û ŰŽÙ
ۧ ŰšŰ±Ű§Û ŰŻŰłŰȘŰ±ŰłÛ ŰšÙ ŰšŰźŰŽ Ù
ŰŻÛ۱ÛŰȘ Ù۱ÙŰŽÚŻŰ§Ù ŰźÙۧÙŰŻ ŰšÙŰŻ.',
+ 'Shop password' => '۱Ù
ŰČ ŰčŰšÙ۱ Ù۱ÙێگۧÙ',
+ 'Must be at least 8 characters' => 'ŰۯۧÙÙ Ûž کۧ۱ۧکŰȘ۱',
+ 'Re-type to confirm' => 'ÙÙŰŽŰȘÙ Ù
ŰŹŰŻŰŻ ŰšŰ±Ű§Û ŰȘۧÛÛŰŻ',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .',
+ 'Configure your database by filling out the following fields' => 'ŰȘÙŰžÛÙ
ۧŰȘ ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ Ű±Ű§ ۚۧ ÙŸŰ± Ú©Ű±ŰŻÙ ŰšŰźŰŽâÙŰ§Û ŰČÛ۱ کۧÙ
Ù Ú©ÙÛŰŻ',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'ŰšŰ±Ű§Û Ű§ŰłŰȘÙŰ§ŰŻÙ Ű§Ű± ÙŸŰ±ŰłŰȘŰ§ŰŽŰ§ÙŸŰ ŰŽÙ
ۧ ۚۧÛŰŻ ÛÚ© ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ Ű§Ûۏۧۯ Ú©ÙÛŰŻ ŰšŰ±Ű§Û ŰŹÙ
Űč ŰąÙŰ±Û ÙÙ
Ù Û ÙŰčۧÙÛŰȘ ÙŰ§Û ŰŻŰ§ŰŻÙ ÙŰ§Û Ù
۱ŰȘۚ۷ ۚۧ Ù۱ÙێگۧÙ.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'ÙŰ·Ùۧ ŰŹÙŰȘ ۧŰȘŰ”Ű§Ù ÙŸŰ±ŰłŰȘŰ§ŰŽŰ§ÙŸ ۚۧ ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙŰ ŰšŰźŰŽâÙŰ§Û ŰČÛ۱ ۱ۧ کۧÙ
Ù Ú©ÙÛŰŻ. ',
+ 'Database server address' => '۹ۯ۱۳ ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'ÙŸÙ۱ŰȘ ÙŸÛŰŽ Ù۱۶ 3306 ۧ۳ŰȘ. ŰšŰ±Ű§Û Ű§ŰłŰȘÙŰ§ŰŻÙ Û ÙŸÙ۱ŰȘÛ Ù
ŰȘÙۧÙŰȘŰ ŰŽÙ
Ű§Ű±Ù Û ÙŸÙ۱ŰȘ ۱ۧ ۯ۱ ÙŸŰ§ÛŰ§Ù ŰąŰŻŰ±Űł ۳۱Ù۱ ŰźÙŰŻŰ Ű§Ű¶Ű§ÙÙ Ú©ÙÛŰŻ. Ù
ۧÙÙŰŻ: ":4242".',
+ 'Database name' => 'ÙۧÙ
ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ',
+ 'Database login' => 'ÙۧÙ
Ú©Ű§Ű±ŰšŰ±Û ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ',
+ 'Database password' => '۱Ù
ŰČ ŰčŰšÙ۱ ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ',
+ 'Database Engine' => 'Ù
ÙŰȘÙ۱ ÙŸŰ§ÛÚŻŰ§Ù ŰŻŰ§ŰŻÙ',
+ 'Tables prefix' => 'ÙŸÛŰŽÙÙŰŻ ۏۯۧÙÙ',
+ 'Drop existing tables (mode dev)' => 'ŰŰ°Ù ŰŹŰŻŰ§ÙÙ Ù
ÙŰŹÙŰŻ',
+ 'Test your database connection now!' => 'ÙÙ
ۧکÙÙÙ Ű§ŰȘŰ”Ű§Ù ŰšÙ ŰŻÛŰȘۧۚÛŰł ۱ۧ ŰšŰ±Ű±ŰłÛ Ú©Ù!',
+ 'Next' => 'ŰšŰčŰŻÛ',
+ 'Back' => 'ÙŰšÙÛ',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.',
+ 'Official forum' => 'ۧÙŰŹÙ
Ù Ű§ŰźŰȘ۔ۧ۔Û',
+ 'Support' => 'ÙŸŰŽŰȘÛۚۧÙÛ',
+ 'Documentation' => 'Ù
ŰłŰȘÙۯۧŰȘ',
+ 'Contact us' => 'ŰȘÙ
ۧ۳ ۚۧ Ù
ۧ',
+ 'PrestaShop Installation Assistant' => '۱ۧÙۚ۱ Ù۔ۚ ÙŸŰ±ŰłŰȘŰ§ŰŽŰ§ÙŸ',
+ 'Forum' => 'ۧÙŰŹÙ
Ù',
+ 'Blog' => 'ŰšÙۧگ',
+ 'Contact us!' => 'ŰȘÙ
ۧ۳ ۚۧ Ù
ۧ!',
+ 'menu_welcome' => 'ŰČŰšŰ§Ù ŰźÙŰŻ ۱ۧ ۧÙŰȘ۟ۧۚ Ú©ÙÛŰŻ',
+ 'menu_license' => 'Ù
ÙۧÙÙŰȘ ÙۧÙ
Ù',
+ 'menu_system' => '۳ۧŰČÚŻŰ§Ű±Û ŰłÛŰłŰȘÙ
',
+ 'menu_configure' => 'ۧ۷ÙۧŰčۧŰȘ Ù۱ÙێگۧÙ',
+ 'menu_database' => 'ÙŸÛک۱ۚÙŰŻÛ ŰłÛŰłŰȘÙ
',
+ 'menu_process' => 'Ù۱۹ÛÙŰŻ Ù۔ۚ',
+ 'Installation Assistant' => '۱ۧÙۚ۱ Ù۔ۚ',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'ŰšŰ±Ű§Û Ù۔ۚ ÙŸŰ±ŰłŰȘŰ§ŰŽŰ§ÙŸ ۏۧÙۧۧ۳ک۱ÛÙŸŰȘ ۚۧÛŰŻ ۯ۱ Ù
۱Ù۱گ۱ ŰŽÙ
ۧ ÙŰčŰ§Ù ŰšŰ§ŰŽŰŻ.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/',
+ 'License Agreements' => 'Ù
ÙۧÙÙŰȘ ÙۧÙ
Ù',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'ŰšŰ±Ű§Û ÙŰ°ŰȘ ŰšŰ±ŰŻÙ Ű§ŰČ ÙŸÛŰŽÙÙۧۯ ÙŰ§Û ŰČÛŰ§ŰŻÛ Ú©Ù ŰšÙ ÙŰłÛÙÙ Û ÙŸŰ±ŰłŰȘŰ§ŰŽŰ§ÙŸ ŰšÙ Ű”Ù۱ŰȘ ۱ۧÛÚŻŰ§Ù Ű§Ű±Ű§ŰŠÙ ŰŽŰŻÙ Ű§ÙŰŻŰ ÙŰ·Ùۧ ێ۱ۧÛŰ· Ù
ŰŹÙŰČ ŰČÛ۱ ۱ۧ Ù
۷ۧÙŰčÙ Ú©ÙÛŰŻ. ÙŰłŰȘÙ Û ÙŸŰ±ŰłŰȘŰ§ŰŽŰ§ÙŸ ŰȘŰŰȘ Ù
ŰŹÙŰČ OSL 3.0 ۧ۳ŰȘ ۯ۱ ŰۧÙÛ Ú©Ù Ű§ÙŰČÙÙÙ Ùۧ Ù ÙۧÙŰš Ùۧ ŰȘŰŰȘ Ù
ŰŹÙŰČ AFL 3.0 ÙŰłŰȘÙŰŻ.',
+ 'I agree to the above terms and conditions.' => 'Ù
Ù ŰšŰ§ ێ۱ۧÛŰ· Ù Ű¶Ùۧۚ۷ ŰČÛ۱ Ù
ÙۧÙÙ ÙŰłŰȘÙ
.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Ù
ÙۧÙÙÙ
ۚۧ Ű§Ű±ŰłŰ§Ù Ű§Ű·ÙۧŰčۧŰȘ ÙŸÛک۱ۚÙŰŻÛ ŰźÙŰŻ ŰšÙ Ű”Ù۱ŰȘ ÙۧێÙۧ۳ ۯ۱ ÚŻŰłŰȘ۱ێ Ű±Ű§Ù ŰÙâÙۧ Ù
ێۧ۱کŰȘ ۯۧێŰȘÙ ŰšŰ§ŰŽÙ
.',
+ 'Done!' => 'ۧÙۏۧÙ
ŰŽŰŻ!',
+ 'An error occurred during installation...' => '۟۷ۧÛÛ ŰŻŰ± ÙÙگۧÙ
Ù۔ۚ ۱۟ ۯۧۯ...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'ŰŽÙ
ۧ Ù
ÛâŰȘÙۧÙÛŰŻ ۧŰČ Ű·Ű±ÛÙ ÙÛÙÚ©âÙŰ§Û Ù
ÙŰŹÙŰŻ ۯ۱ ŰłŰȘÙÙ Ú©ÙŰ§Ű±Û ŰšÙ Ù
۱ۧŰÙ ÙŰšÙÛ ŰšŰ§ŰČگ۱ۯÛŰŻŰ Ûۧ ŰšŰ±Ű§Û ŰąŰșۧŰČ Ù
ŰŹŰŻŰŻ ÙŸŰ±ÙŰłÙ Ű§ÛÙۏۧ Ú©ÙÛÚ© Ú©ÙÛŰŻ .',
+ 'Your installation is finished!' => 'کۧ۱ Ù۔ۚ ŰšÙ ÙŸŰ§ÛŰ§Ù Ű±ŰłÛŰŻ!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'ŰŽÙ
ۧ Ù۔ۚ Ù۱ÙŰŽÚŻŰ§Ù ŰźÙŰŻ ۱ۧ ŰšÙ ÙŸŰ§ÛŰ§Ù Ű±ŰłŰ§ÙŰŻÛŰŻ. ۚۧ ŰłÙŸŰ§Űł ۧŰČ ŰŽÙ
ۧ ŰšŰ±Ű§Û Ű§ŰłŰȘÙŰ§ŰŻÙ Ű§ŰČ ÙŸŰ±ŰłŰȘŰ§ŰŽŰ§ÙŸ!',
+ 'Please remember your login information:' => 'ÙŰ·Ùۧ ۧ۷ÙۧŰčۧŰȘ Ù۱ÙŰŻ ŰźÙŰŻ ۱ۧ ŰšÙ ŰźŰ§Ű·Ű± ŰšŰłÙŸŰ§Ű±ÛŰŻ:',
+ 'E-mail' => 'ۧÛÙ
ÛÙ',
+ 'Print my login information' => 'ÙŸŰ±ÛÙŰȘ ۧ۷ÙۧŰčۧŰȘ Ù۱ÙŰŻ Ù
Ù',
+ 'Password' => '۱Ù
ŰČ ŰčŰšÙ۱',
+ 'Display' => 'ÙÙ
ۧÛŰŽ',
+ 'For security purposes, you must delete the "install" folder.' => 'ŰšÙ Ù
ÙŰžÙ۱ ŰÙŰ· ۧÙ
ÙÛŰȘŰ ŰŽÙ
ۧ ۚۧÛŰŻ ÙŸÙŰŽÙ "install" ۱ۧ ŰŰ°Ù ÙÙ
ۧۊÛŰŻ.',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS15/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'ۚ۟ێ Ù
ŰŻÙ۱ÙŰȘ',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'ۚۧ ۧ۳ŰȘÙŰ§ŰŻÙ Ű§ŰČ ŰšŰźŰŽ Ù
ŰŻÛ۱ÛŰȘŰ Ù۱ÙŰŽÚŻŰ§Ù ŰźÙŰŻ ۱ۧ Ù
ŰŻÛ۱ÛŰȘ Ú©ÙÛŰŻ. ŰłÙۧ۱ێۧŰȘ Ù Ù
ŰŽŰȘ۱ÛŰ§Ù ŰźÙŰŻ ۱ۧ Ù
ŰŻÛ۱ÛŰȘ Ú©ÙÛŰŻŰ Ù
ۧÚÙÙ Ű§Ű¶Ű§ÙÙ Ú©ÙÛŰŻŰ ÙŸÙŰłŰȘÙ Ű±Ű§ ŰȘŰčÙÛ۶ Ú©ÙÛŰŻ Ù ...',
+ 'Manage your store' => 'Ù۱ÙŰŽÚŻŰ§Ù ŰźÙŰŻ ۱ۧ Ù
ŰŻÛ۱ÛŰȘ Ú©ÙÛŰŻ',
+ 'Front Office' => 'ۚ۟ێ Ù۱ÙێگۧÙÛ',
+ 'Discover your store as your future customers will see it!' => 'Ù۱ÙŰŽÚŻŰ§Ù ŰźÙŰŻ ۱ۧ ŰąÙÚŻÙÙÙ Ú©Ù Ù
ŰŽŰȘ۱ÛŰ§Ù ŰŻŰ± ŰąÛÙŰŻÙ ŰźÙۧÙÙŰŻ ŰŻÛŰŻ Ù
ێۧÙŰŻÙ Ú©ÙÛŰŻ!',
+ 'Discover your store' => 'Ù۱ÙŰŽÚŻŰ§Ù ŰźÙŰŻ ۱ۧ Ù
ێۧÙŰŻÙ Ú©ÙÛŰŻ!',
+ 'Share your experience with your friends!' => 'ŰȘۏ۱ۚÛۧŰȘ ŰźÙŰŻ ۱ۧ ۚۧ ŰŻÙŰłŰȘۧÙâŰȘŰ§Ù ŰšÙ Ű§ŰŽŰȘ۱ۧک ۚگ۰ۧ۱ÛŰŻ!',
+ 'I just built an online store with PrestaShop!' => 'Ù
Ù ÙÙŰ· ŰȘÙ۳۷ ÙŸŰ±ŰłŰȘŰ§ŰŽŰ§ÙŸŰ Ù۱ÙێگۧÙÛ Ű§Ûۏۧۯ ک۱ۯÙ
!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'ۧÛÙ ŰȘŰŹŰ±ŰšÙ ÙÛŰŹŰ§Ù Ű§ÙÚŻÛŰČ Ű±Ű§ ÙÚŻŰ§Ù Ú©ÙÛŰŻ : http://vimeo.com/89298199',
+ 'Tweet' => 'ŰȘÙÛÛŰȘ',
+ 'Share' => 'ۧێŰȘ۱ۧک گ۰ۧ۱Û',
+ 'Google+' => 'ÚŻÙÚŻÙ+',
+ 'Pinterest' => 'ÙŸÛÙŰȘ۱۳ŰȘ',
+ 'LinkedIn' => 'ÙÛÙÚ©ŰŻ ۧÛÙ',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'ŰšŰ±Ű§Û Ű§ÙŰČÙŰŻÙ Ù
ÙŰŻŰ§Ű±Û Ű§Ù
کۧÙۧŰȘ ŰšÛŰŽŰȘŰ±Ű ŰłŰ±Û ŰšÙ Ű§Ù۱ÙÙÙ ÙŰ§Û ÙŸŰ±ŰłŰ§ŰŽŰ§ÙŸ ŰšŰČÙÛŰŻ!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'Ù
ۧ ۯ۱ ŰŰ§Ù ŰšŰ±Ű±ŰłÛ ŰłŰ§ŰČÚŻŰ§Ű±Û ÙŸŰ±ŰłŰȘŰ§ŰŽŰ§ÙŸ ۚۧ ŰłÛŰłŰȘÙ
ŰŽÙ
ۧ ÙŰłŰȘÛÙ
',
+ 'If you have any questions, please visit our documentation and community forum .' => 'ۧگ۱ Ù۱گÙÙÙ ŰłÙۧÙÛ ŰŻŰ§Ű±ÛŰŻŰ ÙŰ·Ùۧ Ù
ŰłŰȘÙۯۧŰȘ Ù Ű§ÙŰŹÙ
Ù Ù
ۧ ۱ۧ Ù
ێۧÙŰŻÙ Ú©ÙÛŰŻ.',
+ 'PrestaShop compatibility with your system environment has been verified!' => '۳ۧŰČÚŻŰ§Ű±Û ÙŸŰ±ŰłŰȘŰ§ŰŽŰ§ÙŸ ۚۧ ێ۱ۧÛŰ· ŰłÛŰłŰȘÙ
ŰŽÙ
ۧ Ù
Ù۱ۯ ŰȘۧÛÛŰŻ Ù۱ۧ۱ گ۱ÙŰȘ!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'ÙŰ·Ùۧ Ù
Ùۧ۱ۯ ŰČÛ۱ ۱ۧ ۯ۱۳ŰȘ Ú©ÙÛŰŻŰ ŰłÙŸŰł "ŰȘۧŰČÙ ŰłŰ§ŰČÛ ŰŻŰ§ŰŻÙ Ùۧ" ۱ۧ ŰšŰ±Ű§Û ÚÚ© Ú©Ű±ŰŻÙ ŰłŰ§ŰČÚŻŰ§Ű±Û ŰłÛŰłŰȘÙ
ŰŹŰŻÛŰŻ ŰŽÙ
Ű§Ű Ú©ÙÛÚ© Ú©ÙÛŰŻ.',
+ 'Refresh these settings' => 'ۧ۷ÙۧŰčۧŰȘ ۱ۧ ۚۧŰČŰšÛÙÛ Ú©Ù',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'ÙŸŰ±ŰłŰȘŰ§ŰŽŰ§ÙŸ ŰšŰ±Ű§Û Ű§ŰŹŰ±Ű§ ŰۯۧÙÙ ŰšÙ 32Ù
گۧۚۧÛŰȘ ŰۧÙŰžÙ ÙÛۧŰČ ŰŻŰ§Ű±ŰŻ. ÙŰ·Ùۧ Ú©ÙŰȘŰ±Ù Ú©ÙÛŰŻ Ú©Ù Ù
Ùۯۧ۱ memory_limit ۯ۱ php.ini ۯ۱۳ŰȘ ۚۧێۯ Ù Ûۧ ۚۧ Ù
ŰŻÛ۱ Ùۧ۳ŰȘ ŰźÙŰŻ ŰȘÙ
ۧ۳ ŰšÚŻÛ۱ÛŰŻ.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Ùێۯۧ۱: ŰŽÙ
ۧ ŰŻÛگ۱ ÙÙ
ÛŰȘÙۧÙÛŰŻ ۧŰČ Ű§ÛÙ Ű§ŰšŰČۧ۱ ŰšŰ±Ű§Û Ű§Ű±ŰȘÙŰ§Û Ù۱ÙŰŽÚŻŰ§Ù ŰźÙŰŻ ۧ۳ŰȘÙŰ§ŰŻÙ Ú©ÙÛŰŻ. ŰŽÙ
ۧ ÙÙ
ۧکÙÙÙ ÛÚ© ÙŸŰ±ŰłŰȘۧ ŰŽŰ§ÙŸ ÙŰłŰźÙ %1$s ۱ۧ Ù۔ۚ ۯۧ۱ÛŰŻ . ۧگ۱ Ù
ÛŰźÙۧÙÛŰŻ ŰšÙ ŰąŰźŰ±ÛÙ ÙŰłŰźÙ Ű§Ű±ŰȘÙۧ ۚۯÙÛŰŻ ÙŰ·Ùۧ Ù
ŰłŰȘÙۯۧŰȘ Ù
ۧ ۱ۧ Ù
۷ۧÙŰčÙ Ú©ÙÛŰŻ: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'ŰšÙ Ù
ŰÛŰ· Ù۔ۚ ÙŸŰ±ŰłŰȘŰ§ŰŽŰ§ÙŸ %s ŰźÙŰŽ ŰąÙ
ŰŻÛŰŻ',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Ù۔ۚ ÙŸŰ±ŰłŰȘŰ§ŰŽŰ§ÙŸ ۳۱ÛŰč Ù ŰąŰłŰ§Ù Ű§ŰłŰȘ. ۯ۱ Ù
ŰŻŰȘ ÚÙŰŻ ŰŻÙÛÙÙŰ ŰŽÙ
ۧ Űč۶ÙÛ Ű§ŰČ Ű§ÙŰŹÙ
ÙÛ ŰźÙۧÙÛŰŻ ŰŽŰŻ Ú©Ù ŰšÛŰŽ ۧŰČ 230,000 Ù۱ÙŰŽÙŰŻÙ ŰŻŰ± ŰąÙ ÙŰłŰȘÙŰŻ. ŰŽÙ
ۧ ۯ۱ Ù
ŰłÛ۱ ۳ۧ۟ŰȘ Ù۱ÙŰŽÚŻŰ§Ù Ù
ÙŰ۔۱ ŰšÙ Ù۱ۯ ŰźÙŰŻ ÙŰłŰȘÛŰŻ Ú©Ù Ù
ÛâŰȘÙۧÙÛŰŻ Ù۱ ۱ÙŰČ ŰąÙ Ű±Ű§ ŰšÙ ŰłŰ§ŰŻÚŻÛŰ Ù
ŰŻÛ۱ÛŰȘ Ú©ÙÛŰŻ.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .',
+ 'Continue the installation in:' => 'ۧۯۧÙ
Ù Ù۔ۚ ۯ۱:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'ۧÙŰȘ۟ۧۚ ŰČŰšŰ§Ù ŰŻŰ± ۚۧÙۧ ÙÙŰ· ŰšŰ±Ű§Û Ú©Ù
Ú© ۯ۱ Ù۔ۚ ۧ۳ŰȘ. ŰšÙ Ù
Ű۶ Ù۔ۚ Ù۱ÙێگۧÙŰ ŰŽÙ
ۧ Ù
Û ŰȘÙۧÙÛŰŻ ŰČŰšŰ§Ù Ù۱ÙŰŽÚŻŰ§Ù ŰźÙŰŻ ۱ۧ ۧŰČ ŰšÛÙ %d ŰȘŰčۯۧۯ ŰȘ۱ۏÙ
Ù Ű§ÙŰȘ۟ۧۚ Ú©ÙÛŰŻ. ŰšÙ Ű”Ù۱ŰȘ کۧÙ
Ùۧ ۱ۧÛگۧÙ!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Ù۔ۚ ÙŸŰ±ŰłŰȘŰ§ŰŽŰ§ÙŸ ۳۱ÛŰč Ù ŰąŰłŰ§Ù Ű§ŰłŰȘ. ۯ۱ Ù
ŰŻŰȘ ÚÙŰŻ ŰŻÙÛÙÙŰ ŰŽÙ
ۧ Űč۶ÙÛ Ű§ŰČ Ű§ÙŰŹÙ
ÙÛ ŰźÙۧÙÛŰŻ ŰŽŰŻ Ú©Ù ŰšÛŰŽ ۧŰČ 250,000 Ù۱ÙŰŽÙŰŻÙ ŰŻŰ± ŰąÙ ÙŰłŰȘÙŰŻ. ŰŽÙ
ۧ ۯ۱ Ù
ŰłÛ۱ ۳ۧ۟ŰȘ Ù۱ÙŰŽÚŻŰ§Ù Ù
ÙŰ۔۱ ŰšÙ Ù۱ۯ ŰźÙŰŻ ÙŰłŰȘÛŰŻ Ú©Ù Ù
ÛâŰȘÙۧÙÛŰŻ Ù۱ ۱ÙŰČ ŰąÙ Ű±Ű§ ŰšÙ ŰłŰ§ŰŻÚŻÛŰ Ù
ŰŻÛ۱ÛŰȘ Ú©ÙÛŰŻ.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/fa/language.xml b/_install/langs/fa/language.xml
new file mode 100644
index 00000000..2100ab39
--- /dev/null
+++ b/_install/langs/fa/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ fa-ir
+ Y/m/j
+ Y/m/j H:i:s
+ true
+
diff --git a/_install/langs/fa/mail_identifiers.txt b/_install/langs/fa/mail_identifiers.txt
new file mode 100644
index 00000000..ceba9144
--- /dev/null
+++ b/_install/langs/fa/mail_identifiers.txt
@@ -0,0 +1,10 @@
+ŰłÙۧÙ
{firstname} {lastname},
+
+ۧ۷ÙۧŰčۧŰȘ Ù۱ÙŰŻ ŰŽÙ
ۧ ŰšÙ ŰłŰ§ÛŰȘ {shop_name}:
+
+۱Ù
ŰČŰčŰšÙ۱: {passwd}
+۹ۯ۱۳ ۧÛÙ
ÛÙ: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/fr/data/carrier.xml b/_install/langs/fr/data/carrier.xml
new file mode 100644
index 00000000..23ed5b02
--- /dev/null
+++ b/_install/langs/fr/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Retrait en magasin
+
+
diff --git a/_install/langs/fr/data/category.xml b/_install/langs/fr/data/category.xml
new file mode 100644
index 00000000..bd5745b2
--- /dev/null
+++ b/_install/langs/fr/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Racine
+
+ racine
+
+
+
+
+
+ Accueil
+
+ accueil
+
+
+
+
+
diff --git a/_install/langs/fr/data/cms.xml b/_install/langs/fr/data/cms.xml
new file mode 100644
index 00000000..0c74740c
--- /dev/null
+++ b/_install/langs/fr/data/cms.xml
@@ -0,0 +1,81 @@
+
+
+
+ Livraison
+ Nos conditions de livraison
+ conditions, livraison, délais, expédition, colis
+ <h2>ExpĂ©ditions et retours</h2><h3>ExpĂ©dition de votre colis</h3><p>Les colis sont gĂ©nĂ©ralement expĂ©diĂ©s dans un dĂ©lai de 2 jours aprĂšs rĂ©ception du paiement. Ils sont expĂ©diĂ©s via UPS avec un numĂ©ro de suivi et remis sans signature. Les colis peuvent Ă©galement ĂȘtre expĂ©diĂ©s via UPS Extra et remis contre signature. Veuillez nous contacter avant de choisir ce mode de livraison, car il induit des frais supplĂ©mentaires. Quel que soit le mode de livraison choisi, nous vous envoyons un lien pour suivre votre colis en ligne.</p><p>Les frais d'expĂ©dition incluent les frais de prĂ©paration et d'emballage ainsi que les frais de port. Les frais de prĂ©paration sont fixes, tandis que les frais de transport varient selon le poids total du colis. Nous vous recommandons de regrouper tous vos articles dans une seule commande. Nous ne pouvons regrouper deux commandes placĂ©es sĂ©parĂ©ment et des frais d'expĂ©dition s'appliquent Ă chacune d'entre elles. Votre colis est expĂ©diĂ© Ă vos propres risques, mais une attention particuliĂšre est portĂ©e aux objets fragiles.<br /><br />Les dimensions des boĂźtes sont appropriĂ©es et vos articles sont correctement protĂ©gĂ©s.</p>
+ livraison
+
+
+ Mentions légales
+ Mentions légales
+ mentions, légales, crédits
+ <h2>Mentions légales</h2><h3>Crédits</h3><p>Conception et production :</p><p>cette boutique en ligne a été créée à l'aide du <a href="http://www.prestashop.com">logiciel PrestaShop. </a>Rendez-vous sur le <a href="http://www.prestashop.com/blog/en/">blog e-commerce de PrestaShop</a> pour vous tenir au courant des derniÚres actualités et obtenir des conseils sur la vente en ligne et la gestion d'un site d'e-commerce.</p>
+ mentions-legales
+
+
+ Conditions d'utilisation
+ Nos conditions d'utilisation
+ conditions, utilisation, vente
+ <h1 class="page-heading">Conditions d'utilisation</h1>
+<h3 class="page-subheading">RÚgle n° 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">RÚgle n° 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ю</p>
+<h3 class="page-subheading">RÚgle n° 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ю</p>
+ conditions-utilisation
+
+
+ A propos
+ En savoir plus sur notre entreprise
+ Ă propos, informations
+ <h1 class="page-heading bottom-indent">A propos</h1>
+<div class="row">
+<div class="col-xs-12 col-sm-4">
+<div class="cms-block">
+<h3 class="page-subheading">Notre entreprise</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>Produits haute qualité</li>
+<li><em class="icon-ok"></em>Service client inégalé</li>
+<li><em class="icon-ok"></em>Remboursement garanti pendant 30Â jours</li>
+</ul>
+</div>
+</div>
+<div class="col-xs-12 col-sm-4">
+<div class="cms-box">
+<h3 class="page-subheading">Notre Ă©quipe</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">TĂ©moignages</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>
+ a-propos
+
+
+ Paiement sécurisé
+ Notre méthode de paiement sécurisé
+ paiement sécurisé, ssl, visa, mastercard, paypal
+ <h2>Paiement sécurisé</h2>
+<h3>Notre paiement sécurisé</h3><p>Avec SSL</p>
+<h3>Avec Visa/Mastercard/Paypal</h3><p>A propos de ce service</p>
+ paiement-securise
+
+
diff --git a/_install/langs/fr/data/cms_category.xml b/_install/langs/fr/data/cms_category.xml
new file mode 100644
index 00000000..36fb9178
--- /dev/null
+++ b/_install/langs/fr/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Accueil
+
+ accueil
+
+
+
+
+
diff --git a/_install/langs/fr/data/configuration.xml b/_install/langs/fr/data/configuration.xml
new file mode 100644
index 00000000..09e47b35
--- /dev/null
+++ b/_install/langs/fr/data/configuration.xml
@@ -0,0 +1,24 @@
+
+
+
+ #FA
+
+
+ #LI
+
+
+ #RE
+
+
+ alors|au|aucuns|aussi|autre|avant|avec|avoir|bon|car|ce|cela|ces|ceux|chaque|ci|comme|comment|dans|des|du|dedans|dehors|depuis|deux|devrait|doit|donc|dos|droite|dĂ©but|elle|elles|en|encore|essai|est|et|eu|fait|faites|fois|font|force|haut|hors|ici|il|ils|je|juste|la|le|les|leur|lĂ |ma|maintenant|mais|mes|mine|moins|mon|mot|mĂȘme|ni|nommĂ©s|notre|nous|nouveaux|ou|oĂč|par|parce|parole|pas|personnes|peut|peu|piĂšce|plupart|pour|pourquoi|quand|que|quel|quelle|quelles|quels|qui|sa|sans|ses|seulement|si|sien|son|sont|sous|soyez|sujet|sur|ta|tandis|tellement|tels|tes|ton|tous|tout|trop|trĂšs|tu|valeur|voie|voient|vont|votre|vous|vu|ça|Ă©taient|Ă©tat|Ă©tions|Ă©tĂ©|ĂȘtre
+
+
+ 0
+
+
+ ChĂšre cliente, cher client,
+
+Cordialement,
+Le service client
+
+
diff --git a/_install/langs/fr/data/contact.xml b/_install/langs/fr/data/contact.xml
new file mode 100644
index 00000000..52ca9c97
--- /dev/null
+++ b/_install/langs/fr/data/contact.xml
@@ -0,0 +1,9 @@
+
+
+
+ En cas de problĂšme technique sur ce site
+
+
+ Pour toute question sur un produit ou une commande
+
+
diff --git a/_install/langs/fr/data/country.xml b/_install/langs/fr/data/country.xml
new file mode 100644
index 00000000..6fcb1fba
--- /dev/null
+++ b/_install/langs/fr/data/country.xml
@@ -0,0 +1,735 @@
+
+
+
+ Allemagne
+
+
+ Autriche
+
+
+ Belgique
+
+
+ Canada
+
+
+ Chine
+
+
+ Espagne
+
+
+ Finlande
+
+
+ France
+
+
+ Grèce
+
+
+ Italie
+
+
+ Japon
+
+
+ Luxembourg
+
+
+ Pays-bas
+
+
+ Pologne
+
+
+ Portugal
+
+
+ République Tchèque
+
+
+ Royaume-Uni
+
+
+ Suède
+
+
+ Suisse
+
+
+ Danemark
+
+
+ États-Unis
+
+
+ Hong-Kong
+
+
+ Norvège
+
+
+ Australie
+
+
+ Singapour
+
+
+ Irlande
+
+
+ Nouvelle-Zélande
+
+
+ Corée du Sud
+
+
+ Israël
+
+
+ Afrique du Sud
+
+
+ Nigeria
+
+
+ Côte d'Ivoire
+
+
+ Togo
+
+
+ Bolivie
+
+
+ Ile Maurice
+
+
+ Roumanie
+
+
+ Slovaquie
+
+
+ Algérie
+
+
+ Samoa Américaines
+
+
+ Andorre
+
+
+ Angola
+
+
+ Anguilla
+
+
+ Antigua et Barbuda
+
+
+ Argentine
+
+
+ Arménie
+
+
+ Aruba
+
+
+ Azerbaïdjan
+
+
+ Bahamas
+
+
+ Bahreïn
+
+
+ Bangladesh
+
+
+ Barbade
+
+
+ Bélarus
+
+
+ Belize
+
+
+ Bénin
+
+
+ Bermudes
+
+
+ Bhoutan
+
+
+ Botswana
+
+
+ Brésil
+
+
+ Brunéi Darussalam
+
+
+ Burkina Faso
+
+
+ Burma (Myanmar)
+
+
+ Burundi
+
+
+ Cambodge
+
+
+ Cameroun
+
+
+ Cap-Vert
+
+
+ Centrafricaine, République
+
+
+ Tchad
+
+
+ Chili
+
+
+ Colombie
+
+
+ Comores
+
+
+ Congo, Rép. Dém.
+
+
+ Congo, Rép.
+
+
+ Costa Rica
+
+
+ Croatie
+
+
+ Cuba
+
+
+ Chypre
+
+
+ Djibouti
+
+
+ Dominica
+
+
+ République Dominicaine
+
+
+ Timor oriental
+
+
+ Équateur
+
+
+ Égypte
+
+
+ El Salvador
+
+
+ Guinée Équatoriale
+
+
+ Érythrée
+
+
+ Estonie
+
+
+ Éthiopie
+
+
+ Falkland, Îles
+
+
+ Féroé, Îles
+
+
+ Fidji
+
+
+ Gabon
+
+
+ Gambie
+
+
+ Géorgie
+
+
+ Ghana
+
+
+ Grenade
+
+
+ Groenland
+
+
+ Gibraltar
+
+
+ Guadeloupe
+
+
+ Guam
+
+
+ Guatemala
+
+
+ Guernesey
+
+
+ Guinée
+
+
+ Guinée-Bissau
+
+
+ Guyana
+
+
+ Haîti
+
+
+ Heard, Île et Mcdonald, Îles
+
+
+ Saint-Siege (État de la Cité du Vatican)
+
+
+ Honduras
+
+
+ Islande
+
+
+ Inde
+
+
+ Indonésie
+
+
+ Iran
+
+
+ Iraq
+
+
+ Man, Île de
+
+
+ Jamaique
+
+
+ Jersey
+
+
+ Jordanie
+
+
+ Kazakhstan
+
+
+ Kenya
+
+
+ Kiribati
+
+
+ Corée, Rép. Populaire Dém. de
+
+
+ Koweït
+
+
+ Kirghizistan
+
+
+ Laos
+
+
+ Lettonie
+
+
+ Liban
+
+
+ Lesotho
+
+
+ Libéria
+
+
+ Libyenne, Jamahiriya Arabe
+
+
+ Liechtenstein
+
+
+ Lituanie
+
+
+ Macao
+
+
+ Macédoine
+
+
+ Madagascar
+
+
+ Malawi
+
+
+ Malaisie
+
+
+ Maldives
+
+
+ Mali
+
+
+ Malte
+
+
+ Marshall, Îles
+
+
+ Martinique
+
+
+ Mauritanie
+
+
+ Hongrie
+
+
+ Mayotte
+
+
+ Mexique
+
+
+ Micronésie
+
+
+ Moldova
+
+
+ Monaco
+
+
+ Mongolie
+
+
+ Monténégro
+
+
+ Montserrat
+
+
+ Maroc
+
+
+ Mozambique
+
+
+ Namibie
+
+
+ Nauru
+
+
+ Népal
+
+
+ Antilles Néerlandaises
+
+
+ Nouvelle-Calédonie
+
+
+ Nicaragua
+
+
+ Niger
+
+
+ Niué
+
+
+ Norfolk, Île
+
+
+ Mariannes du Nord, Îles
+
+
+ Oman
+
+
+ Pakistan
+
+
+ Palaos
+
+
+ Palestinien Occupé, Territoire
+
+
+ Panama
+
+
+ Papouasie-Nouvelle-Guinée
+
+
+ Paraguay
+
+
+ Pérou
+
+
+ Philippines
+
+
+ Pitcairn
+
+
+ Porto Rico
+
+
+ Qatar
+
+
+ Réunion, Île de la
+
+
+ Russie, Fédération de
+
+
+ Rwanda
+
+
+ Saint-Barthélemy
+
+
+ Saint-Kitts-et-Nevis
+
+
+ Sainte-Lucie
+
+
+ Saint-Martin
+
+
+ Saint-Pierre-et-Miquelon
+
+
+ Saint-Vincent-et-Les Grenadines
+
+
+ Samoa
+
+
+ Saint-Marin
+
+
+ Sao Tomé-et-Principe
+
+
+ Arabie Saoudite
+
+
+ Sénégal
+
+
+ Serbie
+
+
+ Seychelles
+
+
+ Sierra Leone
+
+
+ Slovénie
+
+
+ Salomon, Îles
+
+
+ Somalie
+
+
+ Géorgie du Sud et les Îles Sandwich du Sud
+
+
+ Sri Lanka
+
+
+ Soudan
+
+
+ Suriname
+
+
+ Svalbard et Île Jan Mayen
+
+
+ Swaziland
+
+
+ Syrienne
+
+
+ Taïwan
+
+
+ Tadjikistan
+
+
+ Tanzanie
+
+
+ Thaïlande
+
+
+ Tokelau
+
+
+ Tonga
+
+
+ Trinité-et-Tobago
+
+
+ Tunisie
+
+
+ Turquie
+
+
+ Turkménistan
+
+
+ Turks et Caiques, Îles
+
+
+ Tuvalu
+
+
+ Ouganda
+
+
+ Ukraine
+
+
+ Émirats Arabes Unis
+
+
+ Uruguay
+
+
+ Ouzbékistan
+
+
+ Vanuatu
+
+
+ Venezuela
+
+
+ Vietnam
+
+
+ Îles Vierges Britanniques
+
+
+ Îles Vierges des États-Unis
+
+
+ Wallis et Futuna
+
+
+ Sahara Occidental
+
+
+ Yémen
+
+
+ Zambie
+
+
+ Zimbabwe
+
+
+ Albanie
+
+
+ Afghanistan
+
+
+ Antarctique
+
+
+ Bosnie-Herzégovine
+
+
+ Bouvet, Île
+
+
+ Océan Indien, Territoire Britannique de L'
+
+
+ Bulgarie
+
+
+ Caïmans, Îles
+
+
+ Christmas, Île
+
+
+ Cocos (Keeling), Îles
+
+
+ Cook, Îles
+
+
+ Guyane Française
+
+
+ Polynésie Française
+
+
+ Terres Australes Françaises
+
+
+ Åland, Îles
+
+
diff --git a/_install/langs/fr/data/gender.xml b/_install/langs/fr/data/gender.xml
new file mode 100644
index 00000000..681bd0b4
--- /dev/null
+++ b/_install/langs/fr/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/fr/data/group.xml b/_install/langs/fr/data/group.xml
new file mode 100644
index 00000000..7adece7a
--- /dev/null
+++ b/_install/langs/fr/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/fr/data/index.php b/_install/langs/fr/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/fr/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/fr/data/meta.xml b/_install/langs/fr/data/meta.xml
new file mode 100644
index 00000000..29ed00b9
--- /dev/null
+++ b/_install/langs/fr/data/meta.xml
@@ -0,0 +1,165 @@
+
+
+
+ Erreur 404
+ Impossible de trouver la page
+
+ page-introuvable
+
+
+ Meilleures ventes
+ Nos meilleures ventes
+
+ meilleures-ventes
+
+
+ Nous contacter
+ Utiliser le formulaire pour nous contacter
+
+ nous-contacter
+
+
+
+ Boutique propulsée par PrestaShop
+
+
+
+
+ Fabricants
+ Liste des fabricants
+
+ fabricants
+
+
+ Nouveaux produits
+ Nos nouveaux produits
+
+ nouveaux-produits
+
+
+ Mot de passe oublié
+ Entrez l'adresse e-mail que vous utilisez pour vous connecter afin de recevoir un e-mail avec un nouveau mot de passe
+
+ recuperation-mot-de-passe
+
+
+ Promotions
+ Nos promotions
+
+ promotions
+
+
+ Plan du site
+ Vous ĂȘtes perdu ? Trouvez ce que vous cherchez
+
+ plan-site
+
+
+ Fournisseurs
+ Liste des fournisseurs
+
+ fournisseur
+
+
+ Adresse
+
+
+ adresse
+
+
+ Adresses
+
+
+ adresses
+
+
+ Connexion
+
+
+ connexion
+
+
+ Panier
+
+
+ panier
+
+
+ RĂ©duction
+
+
+ reduction
+
+
+ Historique des commandes
+
+
+ historique-commandes
+
+
+ Identité
+
+
+ identite
+
+
+ Mon compte
+
+
+ mon-compte
+
+
+ Suivi de commande
+
+
+ suivi-commande
+
+
+ Avoirs
+
+
+ avoirs
+
+
+ Commande
+
+
+ commande
+
+
+ Recherche
+
+
+ recherche
+
+
+ Magasins
+
+
+ magasins
+
+
+ Commande
+
+
+ commande-rapide
+
+
+ Suivi de commande invité
+
+
+ suivi-commande-invite
+
+
+ Confirmation de commande
+
+
+ confirmation-commande
+
+
+ Comparaison de produits
+
+
+ comparaison-produits
+
+
diff --git a/_install/langs/fr/data/order_return_state.xml b/_install/langs/fr/data/order_return_state.xml
new file mode 100644
index 00000000..f030c93b
--- /dev/null
+++ b/_install/langs/fr/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ En attente de confirmation
+
+
+ En attente du colis
+
+
+ Colis reçu
+
+
+ Retour refusé
+
+
+ Retour terminé
+
+
diff --git a/_install/langs/fr/data/order_state.xml b/_install/langs/fr/data/order_state.xml
new file mode 100644
index 00000000..399204a1
--- /dev/null
+++ b/_install/langs/fr/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ En attente de paiement par chĂšque
+ cheque
+
+
+ Paiement accepté
+ payment
+
+
+ En cours de préparation
+ preparation
+
+
+ Expédié
+ shipped
+
+
+ Livré
+
+
+
+ Annulé
+ order_canceled
+
+
+ Remboursé
+ refund
+
+
+ Erreur de paiement
+ payment_error
+
+
+ En attente de réapprovisionnement (payé)
+ outofstock
+
+
+ En attente de réapprovisionnement (non payé)
+ outofstock
+
+
+ En attente de virement bancaire
+ bankwire
+
+
+ En attente de paiement PayPal
+
+
+
+ Paiement à distance accepté
+ payment
+
+
+ En attente de paiement Ă la livraison
+ cashondelivery
+
+
diff --git a/_install/langs/fr/data/profile.xml b/_install/langs/fr/data/profile.xml
new file mode 100644
index 00000000..b388d5f2
--- /dev/null
+++ b/_install/langs/fr/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/fr/data/quick_access.xml b/_install/langs/fr/data/quick_access.xml
new file mode 100644
index 00000000..bb70b273
--- /dev/null
+++ b/_install/langs/fr/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/fr/data/risk.xml b/_install/langs/fr/data/risk.xml
new file mode 100644
index 00000000..e4d1681c
--- /dev/null
+++ b/_install/langs/fr/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/fr/data/stock_mvt_reason.xml b/_install/langs/fr/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..dc43faa7
--- /dev/null
+++ b/_install/langs/fr/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Augmentation
+
+
+ Baisse
+
+
+ Commande client
+
+
+ RĂ©gularisation suite Ă inventaire
+
+
+ RĂ©gularisation suite Ă inventaire
+
+
+ Transfert vers un autre entrepĂŽt
+
+
+ Transfert depuis un autre entrepĂŽt
+
+
+ Commande fournisseur
+
+
diff --git a/_install/langs/fr/data/supplier_order_state.xml b/_install/langs/fr/data/supplier_order_state.xml
new file mode 100644
index 00000000..5ab2e5f0
--- /dev/null
+++ b/_install/langs/fr/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/fr/data/supply_order_state.xml b/_install/langs/fr/data/supply_order_state.xml
new file mode 100644
index 00000000..c5b4aaf4
--- /dev/null
+++ b/_install/langs/fr/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - En cours de création
+
+
+ 2 - Commande validée
+
+
+ 3 - En attente de réception
+
+
+ 4 - Commande reçue partiellement
+
+
+ 5 - Commande reçue intégralement
+
+
+ 6 - Commande annulée
+
+
diff --git a/_install/langs/fr/data/tab.xml b/_install/langs/fr/data/tab.xml
new file mode 100644
index 00000000..c2f5576e
--- /dev/null
+++ b/_install/langs/fr/data/tab.xml
@@ -0,0 +1,103 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/fr/flag.jpg b/_install/langs/fr/flag.jpg
new file mode 100644
index 00000000..ba98ccdf
Binary files /dev/null and b/_install/langs/fr/flag.jpg differ
diff --git a/_install/langs/fr/img/fr-default-category.jpg b/_install/langs/fr/img/fr-default-category.jpg
new file mode 100644
index 00000000..106050a6
Binary files /dev/null and b/_install/langs/fr/img/fr-default-category.jpg differ
diff --git a/_install/langs/fr/img/fr-default-home.jpg b/_install/langs/fr/img/fr-default-home.jpg
new file mode 100644
index 00000000..6220276c
Binary files /dev/null and b/_install/langs/fr/img/fr-default-home.jpg differ
diff --git a/_install/langs/fr/img/fr-default-large.jpg b/_install/langs/fr/img/fr-default-large.jpg
new file mode 100644
index 00000000..94b3580d
Binary files /dev/null and b/_install/langs/fr/img/fr-default-large.jpg differ
diff --git a/_install/langs/fr/img/fr-default-large_scene.jpg b/_install/langs/fr/img/fr-default-large_scene.jpg
new file mode 100644
index 00000000..2d30ac5b
Binary files /dev/null and b/_install/langs/fr/img/fr-default-large_scene.jpg differ
diff --git a/_install/langs/fr/img/fr-default-medium.jpg b/_install/langs/fr/img/fr-default-medium.jpg
new file mode 100644
index 00000000..d2365af1
Binary files /dev/null and b/_install/langs/fr/img/fr-default-medium.jpg differ
diff --git a/_install/langs/fr/img/fr-default-small.jpg b/_install/langs/fr/img/fr-default-small.jpg
new file mode 100644
index 00000000..94ba150b
Binary files /dev/null and b/_install/langs/fr/img/fr-default-small.jpg differ
diff --git a/_install/langs/fr/img/fr-default-thickbox.jpg b/_install/langs/fr/img/fr-default-thickbox.jpg
new file mode 100644
index 00000000..30031950
Binary files /dev/null and b/_install/langs/fr/img/fr-default-thickbox.jpg differ
diff --git a/_install/langs/fr/img/fr-default-thumb_scene.jpg b/_install/langs/fr/img/fr-default-thumb_scene.jpg
new file mode 100644
index 00000000..e6aea957
Binary files /dev/null and b/_install/langs/fr/img/fr-default-thumb_scene.jpg differ
diff --git a/_install/langs/fr/img/fr.jpg b/_install/langs/fr/img/fr.jpg
new file mode 100644
index 00000000..d7f1e195
Binary files /dev/null and b/_install/langs/fr/img/fr.jpg differ
diff --git a/_install/langs/fr/img/index.php b/_install/langs/fr/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/fr/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/fr/index.php b/_install/langs/fr/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/fr/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/fr/install.php b/_install/langs/fr/install.php
new file mode 100644
index 00000000..ad6c867d
--- /dev/null
+++ b/_install/langs/fr/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installer+PrestaShop',
+ 'documentation_upgrade' => 'http://doc.prestashop.com/pages/viewpage.action?pageId=23069387',
+ 'forum' => 'http://www.prestashop.com/forums/forum/18-forum-francophone/',
+ 'blog' => 'http://www.prestashop.com/blog/fr/',
+ 'support' => 'https://www.prestashop.com/fr/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/fr/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'Une erreur SQL est survenue pour l\'entité %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'Impossible de créer l\'image "%1$s" pour l\'entité "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Impossible de créer l\'image "%1$s" (mauvaises permissions sur le dossier "%2$s")',
+ 'Cannot create image "%s"' => 'Impossible de créer l\'image "%s"',
+ 'SQL error on query %s ' => 'Erreur SQL sur la requĂȘte %s ',
+ '%s Login information' => 'Informations de connexion sur %s',
+ 'Field required' => 'Champ requis',
+ 'Invalid shop name' => 'Nom de votre boutique non valide',
+ 'The field %s is limited to %d characters' => 'Le champs %s est limité à %d caractÚres',
+ 'Your firstname contains some invalid characters' => 'Votre prénom contient des caractÚres invalides',
+ 'Your lastname contains some invalid characters' => 'Votre nom contient des caractĂšres invalides',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Le mot de passe est invalide (caractÚres alpha numériques et au moins 8 lettres)',
+ 'Password and its confirmation are different' => 'Le mot de passe de confirmation est différent de l\'original',
+ 'This e-mail address is invalid' => 'Cette adresse e-mail est invalide',
+ 'Image folder %s is not writable' => 'Le dossier d\'images %s ne possĂšde pas les droits d\'Ă©criture',
+ 'An error occurred during logo copy.' => 'Impossible de copier le logo',
+ 'An error occurred during logo upload.' => 'Impossible d\'uploader le logo',
+ 'Lingerie and Adult' => 'Lingerie et Adulte',
+ 'Animals and Pets' => 'Animaux',
+ 'Art and Culture' => 'Arts et culture',
+ 'Babies' => 'Articles pour bébé',
+ 'Beauty and Personal Care' => 'Santé et beauté',
+ 'Cars' => 'Auto et moto',
+ 'Computer Hardware and Software' => 'Informatique et logiciels',
+ 'Download' => 'Téléchargement',
+ 'Fashion and accessories' => 'Mode et accessoires',
+ 'Flowers, Gifts and Crafts' => 'Fleurs, cadeaux et artisanat',
+ 'Food and beverage' => 'Alimentation et gastronomie',
+ 'HiFi, Photo and Video' => 'Hifi, photo et vidéo',
+ 'Home and Garden' => 'Maison et jardin',
+ 'Home Appliances' => 'ĂlectromĂ©nager',
+ 'Jewelry' => 'Bijouterie',
+ 'Mobile and Telecom' => 'Téléphonie et communication',
+ 'Services' => 'Services ',
+ 'Shoes and accessories' => 'Chaussures et accessoires',
+ 'Sports and Entertainment' => 'Sports et loisirs',
+ 'Travel' => 'Voyage et tourisme',
+ 'Database is connected' => 'La base de données est connectée',
+ 'Database is created' => 'Base de données créée',
+ 'Cannot create the database automatically' => 'Impossible de créer la base de données automatiquement',
+ 'Create settings.inc file' => 'Création du fichier settings.inc',
+ 'Create database tables' => 'Création des tables de la base',
+ 'Create default shop and languages' => 'Création de la boutique par défaut et des langues',
+ 'Populate database tables' => 'Remplissage des tables de la base',
+ 'Configure shop information' => 'Configuration de la boutique',
+ 'Install demonstration data' => 'Installation des produits de démo',
+ 'Install modules' => 'Installation des modules',
+ 'Install Addons modules' => 'Installation des modules Addons',
+ 'Install theme' => 'Installation du thĂšme',
+ 'Required PHP parameters' => 'Configuration PHP requise',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 ou ultérieur n\'est pas activé',
+ 'Cannot upload files' => 'Impossible d\'uploader des fichiers',
+ 'Cannot create new files and folders' => 'Impossible de créer de nouveaux fichiers et dossiers',
+ 'GD library is not installed' => 'La bibliothÚque GD n\'est pas installée',
+ 'MySQL support is not activated' => 'Le support de MySQL n\'est pas activé',
+ 'Files' => 'Fichiers',
+ 'Not all files were successfully uploaded on your server' => 'Tous les fichiers n\'ont pas pu ĂȘtre mis en ligne sur votre serveur',
+ 'Permissions on files and folders' => 'Permissions d\'accĂšs sur les fichiers et dossiers',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Droits récursifs en écriture pour l\'utilisateur %1$s sur le dossier %2$s',
+ 'Recommended PHP parameters' => 'Configuration PHP recommandée',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => 'Vous utilisez la version %s de PHP. PrestaShop ne supportera bientĂŽt plus les versions PHP antĂ©rieures Ă 5.4. Pour anticiper ce changement, nous vous recommandons d\'effectuer une mise Ă jour vers PHP 5.4 dĂšs maintenant !',
+ 'Cannot open external URLs' => 'Impossible d\'ouvrir des URL externes',
+ 'PHP register_globals option is enabled' => 'L\'option PHP "register_globals" est activée',
+ 'GZIP compression is not activated' => 'La compression GZIP n\'est pas activée',
+ 'Mcrypt extension is not enabled' => 'L\'extension Mcrypt n\'est pas activée',
+ 'Mbstring extension is not enabled' => 'L\'extension Mbstring n\'est pas activée',
+ 'PHP magic quotes option is enabled' => 'L\'option magic quotes de PHP est activée',
+ 'Dom extension is not loaded' => 'L\'extension DOM n\'est pas chargée',
+ 'PDO MySQL extension is not loaded' => 'Le support de MySQL PDO n\'est pas activé',
+ 'Server name is not valid' => 'L\'adresse du serveur est invalide',
+ 'You must enter a database name' => 'Vous devez saisir un nom de base de données',
+ 'You must enter a database login' => 'Vous devez saisir un identifiant pour la base de données',
+ 'Tables prefix is invalid' => 'Le préfixe des tables est invalide',
+ 'Cannot convert database data to utf-8' => 'Impossible de convertir la base en utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Au moins une table avec le mĂȘme prĂ©fixe a Ă©tĂ© trouvĂ©e, merci de changer votre prĂ©fixe ou de supprimer vos tables existantes',
+ 'The values of auto_increment increment and offset must be set to 1' => 'Les valeurs d\'incrĂ©mentation "auto_increment" et "offset" doivent ĂȘtre fixĂ©es Ă 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'Impossible de se connecter au serveur de la base de données. Vérifiez vos identifiants de connexion',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'La connexion au serveur de base de données a réussi, mais la base "%s" n\'a pas été trouvée',
+ 'Attempt to create the database automatically' => 'Essayer de créer la base de données automatiquement',
+ '%s file is not writable (check permissions)' => 'Le fichier %s ne peut ĂȘtre Ă©crit (vĂ©rifiez vos permissions fichiers)',
+ '%s folder is not writable (check permissions)' => 'Le dossier %s ne peut ĂȘtre Ă©crit (vĂ©rifiez vos permissions fichiers)',
+ 'Cannot write settings file' => 'Impossible de générer le fichier settings',
+ 'Database structure file not found' => 'Le fichier de structure de base de donnĂ©e n\'a pu ĂȘtre trouvĂ©',
+ 'Cannot create group shop' => 'Impossible de créer le groupe de boutique',
+ 'Cannot create shop' => 'Impossible de créer la boutique',
+ 'Cannot create shop URL' => 'Impossible de créer l\'URL pour la boutique',
+ 'File "language.xml" not found for language iso "%s"' => 'Le fichier "language.xml" n\'a pas été trouvé pour l\'iso "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'Le fichier "language.xml" est invalide pour l\'iso "%s"',
+ 'Cannot install language "%s"' => 'Impossible d\'installer la langue "%s"',
+ 'Cannot copy flag language "%s"' => 'Impossible de copier le drapeau pour la langue "%s"',
+ 'Cannot create admin account' => 'Impossible de créer le compte administrateur',
+ 'Cannot install module "%s"' => 'Impossible d\'installer le module "%s"',
+ 'Fixtures class "%s" not found' => 'La classe "%s" pour les fixtures n\'a pas été trouvée',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" doit ĂȘtre une instance de "InstallXmlLoader"',
+ 'Information about your Store' => 'Informations Ă propos de votre boutique',
+ 'Shop name' => 'Nom de la boutique',
+ 'Main activity' => 'Activité principale',
+ 'Please choose your main activity' => 'Merci de choisir une activité',
+ 'Other activity...' => 'Autre activité ...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Aidez-nous à mieux vous connaitre pour que nous puissions vous orienter et vous proposer les fonctionnalités les plus adaptées à votre activité !',
+ 'Install demo products' => 'Installer les produits de démo',
+ 'Yes' => 'Oui',
+ 'No' => 'Non',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Les produits de dĂ©mo sont un bon moyen pour apprendre Ă utiliser PrestaShop. Vous devriez les installer si vous n\'ĂȘtes pas familier avec le logiciel.',
+ 'Country' => 'Pays',
+ 'Select your country' => 'SĂ©lectionnez un pays',
+ 'Shop timezone' => 'Fuseau horaire de la boutique',
+ 'Select your timezone' => 'Choisissez un fuseau horaire',
+ 'Shop logo' => 'Logo de la boutique',
+ 'Optional - You can add you logo at a later time.' => 'Optionnel - Vous pourrez ajouter votre logo par la suite.',
+ 'Your Account' => 'Votre compte',
+ 'First name' => 'Prénom',
+ 'Last name' => 'Nom',
+ 'E-mail address' => 'Adresse e-mail',
+ 'This email address will be your username to access your store\'s back office.' => 'Cette adresse e-mail vous servira d\'identifiant pour accéder à l\'interface de gestion de votre boutique.',
+ 'Shop password' => 'Mot de passe',
+ 'Must be at least 8 characters' => 'Minimum 8 caractĂšres',
+ 'Re-type to confirm' => 'Confirmation du mot de passe',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'Les informations recueillies font l\'objet dâun traitement informatique et statistique, elles sont nĂ©cessaires aux membres de la sociĂ©tĂ© PrestaShop afin de rĂ©pondre au mieux Ă votre demande. Ces informations peuvent ĂȘtre communiquĂ©es Ă nos partenaires Ă des fins de prospection commerciale et ĂȘtre transmises dans le cadre de nos relations partenariales. ConformĂ©ment Ă la loi « Informatique et LibertĂ©s » du 6 janvier 1978 modifiĂ©e en 2004, vous pouvez exercer votre droit d\'accĂšs, de rectification et d\'opposition au traitement des donnĂ©es qui vous concernent en cliquant ici .',
+ 'Configure your database by filling out the following fields' => 'Configurez la connexion à votre base de données en remplissant les champs suivants.',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Pour utiliser PrestaShop vous devez créer une base de données afin d\'y enregistrer toutes les données nécessaires au fonctionnement de votre boutique.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Merci de renseigner ci-dessous les informations requises pour que PrestaShop puisse se connecter à votre base de données.',
+ 'Database server address' => 'Adresse du serveur de la base',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Si vous souhaitez utiliser un port différent du port par défaut (3306) ajoutez ":XX" à l\'adresse de votre serveur, XX étant le numéro de votre port.',
+ 'Database name' => 'Nom de la base',
+ 'Database login' => 'Identifiant de la base',
+ 'Database password' => 'Mot de passe de la base',
+ 'Database Engine' => 'Moteur de base de données',
+ 'Tables prefix' => 'Préfixe des tables',
+ 'Drop existing tables (mode dev)' => 'Supprimer les tables (mode dev)',
+ 'Test your database connection now!' => 'Tester la connexion à la base de données',
+ 'Next' => 'Suivant',
+ 'Back' => 'Précédent',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Si vous avez besoin d\'accompagnement, notre Ă©quipe support vous apportera une aide sur mesure . La documentation officielle est Ă©galement lĂ pour vous guider.',
+ 'Official forum' => 'Forum officiel',
+ 'Support' => 'Support',
+ 'Documentation' => 'Documentation',
+ 'Contact us' => 'Contactez-nous',
+ 'PrestaShop Installation Assistant' => 'Assistant d\'installation',
+ 'Forum' => 'Forum',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'Contactez-nous !',
+ 'menu_welcome' => 'Choix de la langue',
+ 'menu_license' => 'Acceptation des licences',
+ 'menu_system' => 'Compatibilité systÚme',
+ 'menu_configure' => 'Informations',
+ 'menu_database' => 'Configuration du systĂšme',
+ 'menu_process' => 'Installation de la boutique',
+ 'Installation Assistant' => 'Assistant d\'installation',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Pour installer PrestaShop, vous devez avoir JavaScript activé dans votre navigateur',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/fr/',
+ 'License Agreements' => 'Acceptation des licences',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Afin de profiter gratuitement des nombreuses fonctionnalités qu\'offre PrestaShop, merci de prendre connaissance des termes des licences ci-dessous. Le coeur de PrestaShop est publié sous licence OSL 3.0 tandis que les modules et thÚmes sont publiés sous licence AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'J\'accepte les termes et conditions du contrat ci-dessus.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'J\'accepte de participer à l\'amélioration de PrestaShop en envoyant des informations anonymes sur ma configuration',
+ 'Done!' => 'Fin !',
+ 'An error occurred during installation...' => 'Une erreur est survenue durant l\'installation...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'Vous pouvez utiliser les liens à gauche pour revenir aux étapes précédentes, ou redémarrer l\'installation en cliquant ici .',
+ 'Your installation is finished!' => 'L\'installation est finie !',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Vous venez d\'installer votre boutique en ligne, merci d\'avoir choisi PrestaShop !',
+ 'Please remember your login information:' => 'Merci de conserver les informations de connexion suivantes :',
+ 'E-mail' => 'Email',
+ 'Print my login information' => 'Imprimer cette page',
+ 'Password' => 'Mot de passe',
+ 'Display' => 'Affichage',
+ 'For security purposes, you must delete the "install" folder.' => 'Pour des raisons de sécurité, vous devez supprimer le dossier "install" manuellement.',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installer+PrestaShop#InstallerPrestaShop-Terminerl%27installation',
+ 'Back Office' => 'Administration',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Accédez dÚs à présent à votre interface de gestion pour commencer la configuration de votre boutique.',
+ 'Manage your store' => 'GĂ©rez votre boutique',
+ 'Front Office' => 'Front-Office',
+ 'Discover your store as your future customers will see it!' => 'DĂ©couvrez l\'apparence de votre boutique avec quelques produits de dĂ©monstration, prĂȘte Ă ĂȘtre personnalisĂ©e par vos soins !',
+ 'Discover your store' => 'DĂ©couvrez votre boutique',
+ 'Share your experience with your friends!' => 'Partagez votre expérience avec vos amis !',
+ 'I just built an online store with PrestaShop!' => 'Je viens de créer ma boutique en ligne avec PrestaShop !',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Découvrez notre vidéo de présentation : http://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'Partager',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Explorez le site PrestaShop Addons pour ajouter ce "petit quelque chose en plus" qui rendra votre boutique unique !',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'Nous vérifions en ce moment la compatibilité de PrestaShop avec votre systÚme',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Si vous avez la moindre question, n\'hésitez pas à visiter notre documentation et notre forum communautaire .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'La compatibilité de PrestaShop avec votre systÚme a été vérifiée',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Merci de bien vouloir corriger le(s) point(s) ci-dessous puis de cliquer sur le bouton "Rafraichir ces informations" afin de tester à nouveau la compatibilité de votre systÚme.',
+ 'Refresh these settings' => 'RafraĂźchir ces informations',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop a besoin d\'au moins 32 Mo d\'espace mémoire pour fonctionner : veuillez vérifier la directive memory_limit de votre fichier php.ini, ou contacter votre hébergeur à ce propos.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Attention : vous ne pouvez plus utiliser cet outil pour mettre à jour votre boutique. Vous disposez déjà de PrestaShop version %1$s . Si vous voulez passer à la derniÚre version, lisez notre documentation : %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'Bienvenue sur l\'installation de PrestaShop %s',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'L\'installation de PrestaShop est simple et rapide. Dans quelques minutes, vous ferez partie d\'une communautĂ© de plus de 230 000 marchands. Vous ĂȘtes sur le point de crĂ©er votre propre boutique en ligne, unique en son genre, que vous pourrez gĂ©rer trĂšs facilement au quotidien.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'Besoin d\'aide ? N\'hésitez pas à regarder cette courte vidéo , ou à parcourir notre documentation .',
+ 'Continue the installation in:' => 'Continuer l\'installation en :',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Le choix de la langue ci-dessus s\'applique à l\'assistant d\'installation. Une fois votre boutique installée, vous pourrez choisir la langue de votre boutique parmi plus de %d traductions disponibles gratuitement !',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'L\'installation de PrestaShop est simple et rapide. Dans quelques minutes, vous ferez partie d\'une communautĂ© de plus de 250 000 marchands. Vous ĂȘtes sur le point de crĂ©er votre propre boutique en ligne, unique en son genre, que vous pourrez gĂ©rer trĂšs facilement au quotidien.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/fr/language.xml b/_install/langs/fr/language.xml
new file mode 100644
index 00000000..28e98918
--- /dev/null
+++ b/_install/langs/fr/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ fr
+ d/m/Y
+ d/m/Y H:i:s
+ false
+
\ No newline at end of file
diff --git a/_install/langs/fr/mail_identifiers.txt b/_install/langs/fr/mail_identifiers.txt
new file mode 100644
index 00000000..e7494de5
--- /dev/null
+++ b/_install/langs/fr/mail_identifiers.txt
@@ -0,0 +1,13 @@
+Bonjour {firstname} {lastname},
+
+Voici les informations personnelles concernant votre nouvelle boutique {shop_name} :
+
+Mot de passe : {passwd}
+Adresse Ă©lectronique : {email}
+
+
+{shop_name} - {shop_url}
+
+
+
+{shop_url} propulsĂ© par PrestaShopâą
diff --git a/_install/langs/he/data/carrier.xml b/_install/langs/he/data/carrier.xml
new file mode 100644
index 00000000..925500d4
--- /dev/null
+++ b/_install/langs/he/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ ŚŚĄŚŚŁ ŚŚŚŚ Ś ŚŚŚ ŚŚȘ
+
+
diff --git a/_install/langs/he/data/category.xml b/_install/langs/he/data/category.xml
new file mode 100644
index 00000000..f3da1405
--- /dev/null
+++ b/_install/langs/he/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ ŚšŚŚ©Ś
+
+ ŚšŚŚ©Ś
+
+
+
+
+
+ ŚŚŚȘ
+
+ ŚŚŚȘ
+
+
+
+
+
diff --git a/_install/langs/he/data/cms.xml b/_install/langs/he/data/cms.xml
new file mode 100644
index 00000000..9d14add9
--- /dev/null
+++ b/_install/langs/he/data/cms.xml
@@ -0,0 +1,81 @@
+
+
+
+ ŚŚšŚŚŚ ŚŚ©ŚŚŚŚ
+ ŚȘŚ ŚŚ ŚŚ©ŚŚŚŚ© ŚŚŚąŚšŚŚȘ ŚŚ§Ś©Śš ŚŚŚšŚŚŚ ŚŚ©ŚŚŚŚ
+ ŚȘŚ ŚŚ, ŚŚšŚŚŚ, Ś©ŚŚŚŚ, ŚŚ©ŚŚŚ, ŚŚ©ŚŚŚŚŚ, ŚȘŚ ŚŚŚ
+ <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>
+ ŚŚšŚŚŚ-ŚŚ©ŚŚŚŚ
+
+
+ ŚŚŚŚšŚŚȘ ŚŚ©Ś€ŚŚŚŚȘ
+ ŚŚŚŚšŚŚȘ ŚŚ©Ś€ŚŚŚŚȘ
+ ŚŚŚŚšŚŚȘ, ŚŚ©Ś€Ś, ŚŚŚ§, ŚŚ©ŚšŚŚ, ŚŚŚŚŚŚȘ
+ <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>
+ ŚŚŚŚšŚŚȘ-ŚŚ©Ś€ŚŚŚŚȘ
+
+
+ ŚŚŚŚ ŚŚŚȘ Ś©ŚŚŚŚ© ŚŚŚȘŚš ŚŚŚŚšŚŚȘ ŚŚŚŚŚŚŚ ŚŚŚŠŚšŚŚ
+ ŚŚŚŚ ŚŚŚȘ Ś©ŚŚŚŚ© ŚŚŚȘŚš ŚŚŚŚšŚŚȘ ŚŚŚŚŚŚŚ ŚŚŚŠŚšŚŚ ŚŚąŚŚ
+ ŚȘŚ ŚŚ, ŚȘŚ ŚŚŚ, Ś©ŚŚŚŚ©, ŚŚąŚšŚŚȘ, ŚŚŚŚ ŚŚŚȘ, ŚŚŚŚšŚŚȘ, ŚŚŚŚŚŚŚ, ŚŚŚŚŚ ŚąŚŚĄŚ§Ś
+ <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ю</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ю</p>
+ ŚȘŚ ŚŚŚ-ŚŚŚŚŚŚ-ŚŚŚąŚšŚŚȘ
+
+
+ ŚŚŚŚŚȘŚŚ Ś
+ Ś§ŚŠŚȘ ŚąŚŚŚ Ś
+ ŚŚŚŚŚȘŚŚ Ś, ŚŚŚŚą, ŚŚ ŚŚ ŚŚ Ś
+ <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>
+ ŚŚŚŚŚȘŚŚ Ś
+
+
+ ŚȘŚ©ŚŚŚ ŚŚŚŚŚŚ
+ ŚŚŠŚŚ Ś ŚŚȘŚ©ŚŚŚ ŚŚŚŚŚŚ ŚŚ Ś ŚŚȘŚŚŚŚ ŚŚ ŚŚ
+ ŚŚŚŚ, ŚŚŚĄŚŚšŚŚŚšŚ, Ś€ŚŚŚ€ŚŚ, SSL
+ <h2>Secure payment</h2>
+<h3>Our secure payment</h3><p>With SSL</p>
+<h3>Using Visa/Mastercard/Paypal</h3><p>About this services</p>
+ ŚȘŚ©ŚŚŚ-ŚŚŚŚŚŚ
+
+
diff --git a/_install/langs/he/data/cms_category.xml b/_install/langs/he/data/cms_category.xml
new file mode 100644
index 00000000..070338b5
--- /dev/null
+++ b/_install/langs/he/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ ŚŚŚȘ
+
+ ŚŚŚȘ
+
+
+
+
+
diff --git a/_install/langs/he/data/configuration.xml b/_install/langs/he/data/configuration.xml
new file mode 100644
index 00000000..e2fb153d
--- /dev/null
+++ b/_install/langs/he/data/configuration.xml
@@ -0,0 +1,24 @@
+
+
+
+ #IN
+
+
+ #DE
+
+
+ #RE
+
+
+ a|the|of|on|in|and|to
+
+
+ 0
+
+
+ ŚŚ§ŚŚ ŚŚ§Śš,
+
+ŚŚŚšŚŚ,
+Ś©ŚŚšŚŚȘ ŚŚ§ŚŚŚŚȘ
+
+
diff --git a/_install/langs/he/data/contact.xml b/_install/langs/he/data/contact.xml
new file mode 100644
index 00000000..f9749e0c
--- /dev/null
+++ b/_install/langs/he/data/contact.xml
@@ -0,0 +1,9 @@
+
+
+
+ ŚŚ ŚŚŚšŚąŚ ŚȘŚ§ŚŚ ŚŚŚ ŚŚȘ ŚŚŚȘŚš
+
+
+ ŚŚŚ Ś©ŚŚŚ ŚŚ§Ś©Śš ŚŚŚŚŠŚš ŚŚ ŚŚŚŚ Ś
+
+
diff --git a/_install/langs/he/data/country.xml b/_install/langs/he/data/country.xml
new file mode 100644
index 00000000..d3303bd8
--- /dev/null
+++ b/_install/langs/he/data/country.xml
@@ -0,0 +1,735 @@
+
+
+
+ ŚŚŚŚ ŚŚ
+
+
+ ŚŚŚŚŚ§ŚŚĄŚŚ
+
+
+ ŚŚŚŚ Ś
+
+
+ ŚŚŚĄŚŚšŚŚ
+
+
+ ŚŚŚĄŚŚšŚŚŚ
+
+
+ ŚŚŚ§ŚšŚŚŚ Ś
+
+
+ ŚŚŚšŚŚŚŚŚŚ
+
+
+ ŚŚŚšŚŚŚŚ'Ś
+
+
+ ŚŚŚŚŚ ŚŚŚŚŚšŚŚŚŚȘ ŚŚąŚšŚŚŚŚȘ
+
+
+ ŚŚŚŚŚŚ
+
+
+ ŚŚŚ Ś'ŚŚšŚ'ŚŚ ŚŚŚšŚŚŚŚȘ ŚŚŚŚ ŚĄŚ ŚŚŚŚŚ„' ŚŚŚšŚŚŚŚŚ
+
+
+ ŚŚŚ ŚŚŚȘŚŚŚ ŚŚŚšŚŚŚŚŚ
+
+
+ ŚŚŚ ŚŚŚȘŚŚŚ Ś©Ś ŚŚšŚŠŚŚȘ ŚŚŚšŚŚȘ
+
+
+ ŚŚŚ ŚŚšŚ§ŚĄ ŚŚ§ŚŚŚ§ŚŚĄ
+
+
+ ŚŚŚ ŚŚšŚŚŚ Ś ŚŚŠŚ€ŚŚ ŚŚŚ
+
+
+ ŚŚŚ ŚŚšŚ©Ś
+
+
+ ŚŚŚ Ś€ŚŚ§ŚŚ Ś
+
+
+ ŚŚŚ Ś€ŚŚšŚ
+
+
+ ŚŚŚ Ś§ŚŚ§
+
+
+ ŚŚŚ Ś§ŚŚ§ŚŚĄ
+
+
+ ŚŚŚ Ś§ŚŚŚŚ
+
+
+ ŚŚŚ Ś©ŚŚŚ
+
+
+ ŚŚŚ ŚŚŚ ŚŚŚ
+
+
+ ŚŚŚĄŚŚ Ś
+
+
+ ŚŚŚšŚŚ Ś
+
+
+ ŚŚŚšŚ
+
+
+ ŚŚ ŚĄŚŚŚŚŚŚš
+
+
+ ŚŚŚŚ ŚŚ
+
+
+ ŚŚŚ'ŚŚšŚŚ
+
+
+ ŚŚ ŚŚŚŚŚŚ
+
+
+ ŚŚ ŚŚŚŚ
+
+
+ ŚŚ ŚŚŚšŚ
+
+
+ ŚŚ ŚŚŚšŚ§ŚŚŚ§Ś
+
+
+ ŚŚ ŚŚŚŚŚŚ ŚŚŚšŚŚŚŚ
+
+
+ ŚŚĄŚŚŚ ŚŚ
+
+
+ ŚŚ€ŚŚ ŚŚĄŚŚ
+
+
+ ŚŚ§ŚŚŚŚŚš
+
+
+ ŚŚšŚŚ ŚŚŚ Ś
+
+
+ ŚŚšŚ"Ś
+
+
+ ŚŚšŚŚŚ
+
+
+ ŚŚšŚŚȘŚšŚŚŚ
+
+
+ ŚŚšŚŚ ŚŚ
+
+
+ ŚŚȘŚŚŚ€ŚŚ
+
+
+ ŚŚŚŚŚ
+
+
+ ŚŚŚŚŚ
+
+
+ ŚŚŚŚ (ŚŚ)
+
+
+ ŚŚŚŚĄŚŚŚ Ś
+
+
+ ŚŚŚŚŚšŚŚ
+
+
+ ŚŚŚŚŚŚŚ
+
+
+ ŚŚŚĄŚ ŚŚ ŚŚŚšŚŠŚŚŚŚŚ Ś
+
+
+ ŚŚŚšŚŚ ŚŚ
+
+
+ ŚŚŚšŚŚ (ŚŚŚŚ ŚŚš)
+
+
+ ŚŚŚšŚ§ŚŚ Ś Ś€ŚŚĄŚ
+
+
+ ŚŚŚšŚŚŚ
+
+
+ ŚŚŚŚšŚŚĄ
+
+
+ ŚŚŚŚŚ
+
+
+ ŚŚŚŚ
+
+
+ ŚŚ ŚŚŚŚ©
+
+
+ ŚŚ ŚŚ
+
+
+ ŚŚšŚŚŚŚĄ
+
+
+ ŚŚšŚŚ ŚŚ
+
+
+ ŚŚšŚŚŚ
+
+
+ ŚŚšŚŚŚ ŚŚ
+
+
+ ŚŚšŚŚŚŚ
+
+
+ ŚŚŚŚšŚŚŚ
+
+
+ ŚŚŚ Ś
+
+
+ ŚŚŚŚ
+
+
+ ŚŚŚŚŚŚŚ
+
+
+ ŚŚŚŚ
+
+
+ ŚŚŚŚŚŚŚŚ€
+
+
+ ŚŚŚŚ Ś
+
+
+ ŚŚŚŚšŚŚŚš
+
+
+ ŚŚŚ ŚŚ
+
+
+ ŚŚŚ ŚŚ ŚŚŚĄŚŚ
+
+
+ ŚŚŚ ŚŚ ŚŚŚ©ŚŚŚ ŚŚȘ
+
+
+ ŚŚŚŚ Ś ŚŚŠŚšŚ€ŚȘŚŚȘ
+
+
+ ŚŚŚŚŚ
+
+
+ ŚŚšŚŚ ŚŚ Ś
+
+
+ ŚŚšŚŚ ŚŚ
+
+
+ ŚŚšŚ ŚŚ
+
+
+ ŚŚšŚ ŚŚ
+
+
+ Ś'ŚŚŚŚŚ
+
+
+ Ś'ŚŚŚŚ§Ś
+
+
+ Ś'ŚšŚŚ
+
+
+ ŚŚŚŚŚ ŚŚ§Ś
+
+
+ ŚŚ ŚŚšŚ§
+
+
+ ŚŚšŚŚ ŚŚ€ŚšŚŚ§Ś
+
+
+ ŚŚšŚŚ Ś§ŚŚšŚŚŚ
+
+
+ ŚŚŚ ŚŚšŚ ŚŚŚŚ ŚŚ§ŚŚŚ ŚŚ
+
+
+ ŚŚŚ ŚŚšŚŚĄŚŚŚĄ
+
+
+ ŚŚŚ ŚŚŚ
+
+
+ ŚŚŚŚŚ
+
+
+ ŚŚŚ ŚŚŚŚŚ ŚŚŚŚŚ ŚŚŚŚ
+
+
+ ŚŚŚšŚŠŚŚȘ ŚŚŚšŚŚŚŚŚȘ ŚŚŚŚ ŚŚŚšŚ§ŚŚŚŚȘ Ś©Ś ŚŠŚšŚ€ŚȘ
+
+
+ ŚŚŚŚ
+
+
+ ŚŚŚŚ Ś
+
+
+ ŚŚŚ Ś Ś§ŚŚ Ś
+
+
+ ŚŚŚ ŚŚšŚŚ
+
+
+ ŚŚŚ ŚŚŚšŚĄ
+
+
+ ŚŚŚšŚŚŚŚšŚŚ ŚŚŚšŚŚŚŚȘ ŚŚŚŚ§ŚŚŚ ŚŚĄ ŚŚŚŚŚ
+
+
+ ŚŚšŚ€ŚŚŚŚŚ§Ś ŚŚŚšŚŚ ŚŚ€ŚšŚŚ§ŚŚŚȘ
+
+
+ ŚŚšŚ€ŚŚŚŚŚ§Ś ŚŚŚŚŚŚ ŚŚ§Ś ŚŚȘ
+
+
+ ŚŚšŚ€ŚŚŚŚŚ§Ś ŚŚŚŚŚ§ŚšŚŚŚȘ Ś©Ś Ś§ŚŚ ŚŚ (ŚŚŚŚš)
+
+
+ ŚŚŚŚŚĄ ŚŚ€ŚŚŚŚ Ś
+
+
+ ŚŚ ŚŚŚŚ
+
+
+ ŚŚ ŚŠŚŚŚŚ
+
+
+ ŚŚŚŚŚ ŚŚ
+
+
+ ŚŚŚȘŚŚ§Ś
+
+
+ ŚŚŚŚŚ
+
+
+ ŚŚŚŚŚŚŚŚ
+
+
+ ŚŚŚŁ ŚŚ©Ś ŚŚ
+
+
+ ŚŚŚŚŚŚŚ
+
+
+ ŚŚŚŚŚŚ
+
+
+ ŚŚ'ŚŚ§ŚŚĄŚŚ
+
+
+ ŚŚŚŚ
+
+
+ ŚŚŚ ŚŚ
+
+
+ ŚŚŚ§ŚŚŚ
+
+
+ ŚŚŚšŚ§ŚŚ
+
+
+ ŚŚŚšŚ§ŚŚ ŚŚĄŚŚ
+
+
+ ŚŚ ŚŚ ŚŚ
+
+
+ ŚŚšŚŚ ŚŚŚ ŚŚŚŚŚŚ
+
+
+ ŚŚŚŚ
+
+
+ ŚŚ€Ś
+
+
+ ŚŚšŚŚ
+
+
+ ŚŚ©ŚšŚŚ
+
+
+ ŚŚŚŚŚȘ
+
+
+ ŚŚŁ ŚŚšŚŚ
+
+
+ ŚŚŚŚĄ
+
+
+ ŚŚŚ ŚŚ
+
+
+ ŚŚŚ
+
+
+ ŚŚŚ§ŚĄŚŚŚŚšŚ
+
+
+ ŚŚŚŚŚ
+
+
+ ŚŚŚŚšŚŚ
+
+
+ ŚŚŚŚ
+
+
+ ŚŚŚŚŚ Ś©ŚŚŚŚ
+
+
+ ŚŚĄŚŚŚ
+
+
+ ŚŚŚŚšŚŚŚ ŚŚ
+
+
+ ŚŚŚŚšŚŚŠŚŚŚĄ
+
+
+ ŚŚŚŚ
+
+
+ ŚŚŚŚĄŚ§Śš
+
+
+ ŚŚŚŚ Ś Ś€ŚŚĄŚŚŚ ŚŚȘ
+
+
+ ŚŚŚŚŚŚŚ§
+
+
+ ŚŚŚŚŚŚŚ
+
+
+ ŚŚŚ ŚŚŚŚŚ
+
+
+ ŚŚŚ ŚŚĄŚšŚŚ
+
+
+ ŚŚŚ ŚŚ ŚŚšŚ
+
+
+ ŚŚŚ Ś§Ś
+
+
+ ŚŚŚšŚ ŚŚŚŚŚš
+
+
+ ŚŚŚŚ
+
+
+ ŚŚŚ§ŚšŚŚ ŚŚŚ
+
+
+ ŚŚŚŚŚŚ
+
+
+ ŚŚŚŚŚŚŚŚ
+
+
+ ŚŚŚŚŚ
+
+
+ ŚŚŚŚ
+
+
+ ŚŚŠŚšŚŚ
+
+
+ ŚŚ§ŚŚ
+
+
+ ŚŚ§ŚŚŚ ŚŚ
+
+
+ ŚŚ§ŚĄŚŚ§Ś
+
+
+ ŚŚšŚŚ§Ś
+
+
+ ŚŚšŚŚŚ ŚŚ§
+
+
+ Ś ŚŚŚšŚ
+
+
+ Ś ŚŚšŚŚŚŚ
+
+
+ Ś ŚŚšŚ€ŚŚ§ (ŚŚ)
+
+
+ Ś ŚŚŚšŚŚ
+
+
+ Ś ŚŚ ŚŚŚŚ Ś
+
+
+ Ś ŚŚŚŚ
+
+
+ Ś ŚŚ'Śš
+
+
+ Ś ŚŚ§ŚšŚŚŚŚ
+
+
+ Ś ŚŚŚŚŚ
+
+
+ Ś Ś€ŚŚ
+
+
+ ŚĄŚŚ ŚŚŚŚ ŚŚ€ŚšŚŚ ŚĄŚŚ€Ś
+
+
+ ŚĄŚŚŚŚŚšŚ ŚŚŚŚ ŚŚŚŚŚ
+
+
+ ŚĄŚŚšŚ ŚŚŚąŚšŚŚŚȘ
+
+
+ ŚĄŚŚŚŚ
+
+
+ ŚĄŚŚŚŚŚŚ Ś
+
+
+ ŚĄŚŚŚŚŚ
+
+
+ ŚĄŚŚšŚŚ
+
+
+ ŚĄŚŚšŚŚ ŚŚ
+
+
+ ŚĄŚŚŚšŚ ŚŚŚŚ Ś
+
+
+ ŚĄŚŚŚ©Ś
+
+
+ ŚĄŚŚ ŚŚ€ŚŚš
+
+
+ ŚĄŚŚ
+
+
+ ŚĄŚŚŚŚ§ŚŚ
+
+
+ ŚĄŚŚŚŚ ŚŚ
+
+
+ ŚĄŚŚŚŚ
+
+
+ ŚĄŚŚŚŚ_ŚŚŚŚšŚŚ§Ś ŚŚȘ
+
+
+ ŚĄŚ ŚŚšŚȘŚŚŚ
+
+
+ ŚĄŚ ŚŚšŚŚ
+
+
+ ŚĄŚ Ś€ŚŚŚš ŚŚŚŚ§ŚŚŚ
+
+
+ ŚĄŚ ŚŚ
+
+
+ ŚĄŚ Ś ŚŚŚ ŚĄŚ Ś ŚŚŚŚšŚ ŚŚŚ ŚŚ
+
+
+ ŚĄŚ Ś ŚŚŚĄŚŚ
+
+
+ ŚĄŚ ŚŚšŚŚ Ś
+
+
+ ŚĄŚ Ś Ś§ŚŚŚĄ ŚŚ ŚŚŚŚĄ
+
+
+ ŚĄŚ€ŚšŚ
+
+
+ ŚĄŚšŚŚŚ
+
+
+ ŚĄŚšŚ ŚŚ Ś§Ś
+
+
+ ŚąŚŚŚŚ
+
+
+ ŚąŚŚšŚ§
+
+
+ ŚąŚšŚ ŚŚĄŚąŚŚŚŚȘ
+
+
+ Ś€ŚŚŚšŚŚ ŚšŚŚ§Ś
+
+
+ Ś€ŚŚŚŚ
+
+
+ Ś€ŚŚŚŚ ŚŚŚ ŚŚŠŚšŚ€ŚȘŚŚȘ
+
+
+ Ś€ŚŚšŚŚŚŚ
+
+
+ Ś€ŚŚ'Ś
+
+
+ Ś€ŚŚŚ§ŚšŚ
+
+
+ Ś€ŚŚŚŚ€ŚŚ ŚŚ
+
+
+ Ś€ŚŚ ŚŚ Ś
+
+
+ Ś€ŚŚ
+
+
+ Ś€Ś ŚŚ
+
+
+ Ś€Ś€ŚŚŚ ŚŚŚ ŚŚ ŚŚŚŚ©Ś
+
+
+ Ś€Ś§ŚŚĄŚŚ
+
+
+ Ś€ŚšŚŚŚŚŚ
+
+
+ Ś€ŚšŚ
+
+
+ ŚŠŚšŚ€ŚȘ
+
+
+ ŚŠ'ŚŚ
+
+
+ ŚŠ'ŚŚŚ
+
+
+ ŚŠ'ŚŚŚ
+
+
+ Ś§ŚŚŚ
+
+
+ Ś§ŚŚŚŚŚŚŚ
+
+
+ Ś§ŚŚŚŚšŚ
+
+
+ Ś§ŚŚ ŚŚ
+
+
+ Ś§ŚŚĄŚŚ ŚšŚŚ§Ś
+
+
+ Ś§ŚŚšŚŚŚ ŚŚŠŚ€ŚŚ ŚŚȘ
+
+
+ Ś§ŚŚŚĄŚŚ
+
+
+ Ś§ŚŚŚš
+
+
+ Ś§ŚŚšŚŚŚŚĄŚŚ
+
+
+ Ś§ŚŚšŚŚŚŚ
+
+
+ Ś§ŚŚŚŚ ŚŚ ŚŚŚŚ©Ś
+
+
+ Ś§ŚŚŚŚŚŚ
+
+
+ Ś§ŚŚšŚŚ
+
+
+ Ś§Ś ŚŚ
+
+
+ Ś§Ś ŚŚ
+
+
+ Ś§Ś€ŚšŚŚĄŚŚ
+
+
+ Ś§ŚšŚŚŚŚŚ
+
+
+ ŚšŚŚŚ ŚŚŚ
+
+
+ ŚšŚŚŚ ŚŚ
+
+
+ ŚšŚŚŚ ŚŚ
+
+
+ ŚšŚŚĄŚŚ
+
+
+ Ś©ŚŚŚŚŚ
+
+
+ Ś©ŚŚŚŚ„
+
+
+ ŚȘŚŚŚŚ Ś
+
+
+ ŚȘŚŚŚ
+
+
+ ŚȘŚŚ ŚŚĄŚŚ
+
+
diff --git a/_install/langs/he/data/gender.xml b/_install/langs/he/data/gender.xml
new file mode 100644
index 00000000..1b111e12
--- /dev/null
+++ b/_install/langs/he/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/he/data/group.xml b/_install/langs/he/data/group.xml
new file mode 100644
index 00000000..457525c4
--- /dev/null
+++ b/_install/langs/he/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/he/data/index.php b/_install/langs/he/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/he/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/he/data/meta.xml b/_install/langs/he/data/meta.xml
new file mode 100644
index 00000000..5275d425
--- /dev/null
+++ b/_install/langs/he/data/meta.xml
@@ -0,0 +1,165 @@
+
+
+
+ Ś©ŚŚŚŚȘ 404
+ ŚąŚŚŚ ŚŚ ŚŚŚ Ś Ś§ŚŚŚ
+
+ ŚąŚŚŚ-ŚŚ-Ś§ŚŚŚ
+
+
+ ŚšŚŚ ŚŚŚš
+ ŚšŚŚ ŚŚŚŚš Ś©ŚŚ Ś
+
+ ŚšŚŚ-ŚŚŚš
+
+
+ ŚŠŚŚš Ś§Ś©Śš
+ ŚŚ€ŚĄŚ ŚŚŠŚŚšŚȘ Ś§Ś©Śš
+
+ ŚŠŚŚš-Ś§Ś©Śš
+
+
+
+ ŚŚŚ ŚŚȘ ŚŚŚ€ŚąŚŚȘ ŚŚŚŚŠŚąŚŚȘ Ś€ŚšŚĄŚŚŚ©ŚŚ€
+
+
+
+
+ ŚŚŠŚšŚ ŚŚ
+ ŚšŚ©ŚŚŚȘ ŚŚŠŚšŚ ŚŚ
+
+ ŚŚŠŚšŚ ŚŚ
+
+
+ ŚŚŚŠŚšŚŚ ŚŚŚ©ŚŚ
+ ŚŚŚŚŠŚšŚŚ ŚŚŚŚ©ŚŚ Ś©ŚŚ Ś
+
+ ŚŚŚŠŚšŚŚ-ŚŚŚ©ŚŚ
+
+
+ Ś©ŚŚŚȘ ŚŚȘ ŚĄŚŚĄŚŚȘŚ
+ ŚŚŚ ŚĄ ŚŚȘ ŚŚȘŚŚŚȘ ŚŚŚŚŚ Ś©ŚŚŚȘŚ Ś ŚšŚ©ŚŚȘ, ŚŚŚ©ŚŚ ŚŚ ŚŚŚŚ Ś©ŚŚŚŚš ŚĄŚŚĄŚŚ
+
+ Ś©ŚŚŚŚš-ŚĄŚŚĄŚŚ
+
+
+ ŚŚšŚŚŚȘ ŚŚŚŚšŚŚ
+ ŚŚŚŠŚšŚŚ ŚŚŚŚŚŚŚ
+
+ ŚŚšŚŚŚȘ-ŚŚŚŚšŚŚ
+
+
+ ŚŚ€ŚȘ ŚŚŚȘŚš
+ ŚŚŚŚ ? ŚŚŠŚ ŚŚŚ ŚŚȘ ŚŚąŚŚ ŚŚŚȘŚš
+
+ ŚŚ€ŚȘ-ŚŚŚȘŚš
+
+
+ ŚĄŚ€Ś§ŚŚ
+ ŚšŚ©ŚŚŚȘ ŚĄŚ€Ś§ŚŚ
+
+ ŚĄŚ€Ś§ŚŚ
+
+
+ ŚŚȘŚŚŚȘ
+
+
+ ŚŚȘŚŚŚȘ
+
+
+ ŚŚȘŚŚŚŚȘ
+
+
+ ŚŚȘŚŚŚŚȘ
+
+
+ ŚŚ ŚŚĄŚ
+
+
+ ŚŚ ŚŚĄŚ
+
+
+ ŚąŚŚŚȘ Ś§Ś ŚŚŚȘ
+
+
+ ŚąŚŚŚȘ-Ś§Ś ŚŚŚȘ
+
+
+ ŚŚ ŚŚŚȘ
+
+
+ ŚŚ ŚŚŚȘ
+
+
+ ŚŚĄŚŚŚšŚŚŚȘ ŚŚŚŚ ŚŚȘ
+
+
+ ŚŚĄŚŚŚšŚŚŚȘ-ŚŚŚŚ ŚŚȘ
+
+
+ ŚŚŚŚȘ
+
+
+ ŚŚŚŚȘ
+
+
+ ŚŚŚ©ŚŚŚ Ś©ŚŚ
+
+
+ ŚŚŚ©ŚŚŚ-Ś©ŚŚ
+
+
+ ŚŚąŚ§Ś ŚŚŚŚ ŚŚȘ
+
+
+ ŚŚąŚ§Ś-ŚŚŚŚ ŚŚȘ
+
+
+ Ś©ŚŚŚšŚ ŚŚŚŚ Ś
+
+
+ Ś©ŚŚŚšŚ-ŚŚŚŚ Ś
+
+
+ ŚŚŚŚ Ś
+
+
+ ŚŚŚŚ Ś
+
+
+ ŚŚ€Ś©
+
+
+ ŚŚ€Ś©
+
+
+ ŚŚ ŚŚŚŚȘ
+
+
+ ŚŚ ŚŚŚŚȘ
+
+
+ ŚŚŚŚ Ś
+
+
+ ŚŚŚŚ Ś-ŚŚŚŚšŚ
+
+
+ ŚŚąŚ§Ś ŚŚŚšŚŚŚ
+
+
+ ŚŚąŚ§Ś-ŚŚŚšŚŚŚ
+
+
+ ŚŚŚŚŚȘ ŚŚŚŚ Ś
+
+
+ ŚŚŚŚŚȘ-ŚŚŚŚ Ś
+
+
+ ŚŚ©ŚŚŚŚȘ ŚŚŚŠŚšŚŚ
+
+
+ ŚŚ©ŚŚŚŚȘ-ŚŚŚŠŚšŚŚ
+
+
diff --git a/_install/langs/he/data/order_return_state.xml b/_install/langs/he/data/order_return_state.xml
new file mode 100644
index 00000000..81faba2f
--- /dev/null
+++ b/_install/langs/he/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ ŚŚŚȘŚŚ ŚŚŚŚ©ŚŚš
+
+
+ ŚŚŚȘŚŚ ŚŚŚŚŚŚ
+
+
+ ŚŚŚŚŚ ŚŚȘŚ§ŚŚŚ
+
+
+ ŚŚŚŚš ŚĄŚŚšŚ
+
+
+ ŚŚŚŚš ŚŚŚ©ŚŚ
+
+
diff --git a/_install/langs/he/data/order_state.xml b/_install/langs/he/data/order_state.xml
new file mode 100644
index 00000000..419bfcec
--- /dev/null
+++ b/_install/langs/he/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ ŚŚŚŚȘŚ Ś ŚŚȘŚ©ŚŚŚ ŚŚŚŚŠŚąŚŚȘ Ś©ŚŚ§
+ cheque
+
+
+ ŚŚȘŚ§ŚŚ ŚȘŚ©ŚŚŚ
+ payment
+
+
+ ŚŚȘŚŚŚŚ ŚŚšŚŚŚ
+ preparation
+
+
+ Ś Ś©ŚŚŚ ŚŚŚ§ŚŚ
+ shipped
+
+
+ ŚŚȘŚ§ŚŚŚ ŚąŚ ŚŚŚ ŚŚŚ§ŚŚ
+
+
+
+ ŚŚŚŚ Ś ŚŚŚŚŚ
+ order_canceled
+
+
+ ŚŚŚŚš ŚŚĄŚ€Ś
+ refund
+
+
+ Ś©ŚŚŚŚȘ ŚȘŚ©ŚŚŚ
+ payment_error
+
+
+ ŚŚŚŚȘŚ Ś ŚŚŚŚŚ (Ś©ŚŚŚ)
+ outofstock
+
+
+ ŚŚŚŚȘŚ Ś ŚŚŚŚŚ (ŚąŚŚ ŚŚ Ś©ŚŚŚ)
+ outofstock
+
+
+ ŚŚŚŚȘŚ Ś ŚŚȘŚ©ŚŚŚ ŚŚŚŚŠŚąŚŚȘ ŚŚąŚŚšŚ ŚŚ Ś§ŚŚŚȘ
+ bankwire
+
+
+ ŚŚŚŚȘŚ Ś ŚŚȘŚ©ŚŚŚ ŚŚŚŚŠŚąŚŚȘ Ś€ŚŚŚ€Ś
+
+
+
+ ŚŚȘŚ§ŚŚ ŚȘŚ©ŚŚŚ ŚŚšŚŚŚ§
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/he/data/profile.xml b/_install/langs/he/data/profile.xml
new file mode 100644
index 00000000..1fc72dc3
--- /dev/null
+++ b/_install/langs/he/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ ŚĄŚŚ€Śš ŚŚŚŚŚ
+
+
diff --git a/_install/langs/he/data/quick_access.xml b/_install/langs/he/data/quick_access.xml
new file mode 100644
index 00000000..9ed4f6cd
--- /dev/null
+++ b/_install/langs/he/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/he/data/risk.xml b/_install/langs/he/data/risk.xml
new file mode 100644
index 00000000..91fcd6be
--- /dev/null
+++ b/_install/langs/he/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/he/data/stock_mvt_reason.xml b/_install/langs/he/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..aed749b4
--- /dev/null
+++ b/_install/langs/he/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ ŚŚŚĄŚ€Ś
+
+
+ ŚŚŚĄŚšŚ
+
+
+ ŚŚŚŚ ŚȘ ŚŚ§ŚŚ
+
+
+ ŚšŚŚŚŚŠŚŚ ŚŚąŚ§ŚŚŚȘ ŚĄŚ€ŚŚšŚȘ ŚŚŚŚ
+
+
+ ŚšŚŚŚŚŠŚŚ ŚŚąŚ§ŚŚŚȘ ŚĄŚ€ŚŚšŚȘ ŚŚŚŚ
+
+
+ ŚŚąŚŚšŚ ŚŚ ŚŚŚĄŚ ŚŚŚš
+
+
+ ŚŚąŚŚšŚ ŚŚŚȘ ŚŚŚĄŚ ŚŚŚš
+
+
+ ŚŚŚŚ ŚȘ ŚĄŚ€Ś§
+
+
diff --git a/_install/langs/he/data/supplier_order_state.xml b/_install/langs/he/data/supplier_order_state.xml
new file mode 100644
index 00000000..47913bb4
--- /dev/null
+++ b/_install/langs/he/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/he/data/supply_order_state.xml b/_install/langs/he/data/supply_order_state.xml
new file mode 100644
index 00000000..ccd06b74
--- /dev/null
+++ b/_install/langs/he/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - ŚŚŠŚŚšŚ ŚŚȘŚŚŚŚ
+
+
+ 2 - ŚŚŚŚ Ś ŚŚŚŚȘŚ
+
+
+ 3 - ŚŚŚŚȘŚ Ś ŚŚ§ŚŚŚ
+
+
+ 4 - ŚŚŚŚ Ś ŚŚȘŚ§ŚŚŚ ŚŚŚŚ€Ś ŚŚŚ§Ś
+
+
+ 5 - ŚŚŚŚ Ś ŚŚȘŚ§ŚŚŚ ŚŚ©ŚŚŚŚȘŚ
+
+
+ 6 - ŚŚŚŚ Ś ŚŚŚŚŚ
+
+
diff --git a/_install/langs/he/data/tab.xml b/_install/langs/he/data/tab.xml
new file mode 100644
index 00000000..9802f2bd
--- /dev/null
+++ b/_install/langs/he/data/tab.xml
@@ -0,0 +1,103 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/he/flag.jpg b/_install/langs/he/flag.jpg
new file mode 100644
index 00000000..cd6cbd90
Binary files /dev/null and b/_install/langs/he/flag.jpg differ
diff --git a/_install/langs/he/img/he-default-category.jpg b/_install/langs/he/img/he-default-category.jpg
new file mode 100644
index 00000000..45daafc5
Binary files /dev/null and b/_install/langs/he/img/he-default-category.jpg differ
diff --git a/_install/langs/he/img/he-default-home.jpg b/_install/langs/he/img/he-default-home.jpg
new file mode 100644
index 00000000..c7ea45de
Binary files /dev/null and b/_install/langs/he/img/he-default-home.jpg differ
diff --git a/_install/langs/he/img/he-default-large.jpg b/_install/langs/he/img/he-default-large.jpg
new file mode 100644
index 00000000..606f1a52
Binary files /dev/null and b/_install/langs/he/img/he-default-large.jpg differ
diff --git a/_install/langs/he/img/he-default-large_scene.jpg b/_install/langs/he/img/he-default-large_scene.jpg
new file mode 100644
index 00000000..c67574fa
Binary files /dev/null and b/_install/langs/he/img/he-default-large_scene.jpg differ
diff --git a/_install/langs/he/img/he-default-medium.jpg b/_install/langs/he/img/he-default-medium.jpg
new file mode 100644
index 00000000..d1c2bf43
Binary files /dev/null and b/_install/langs/he/img/he-default-medium.jpg differ
diff --git a/_install/langs/he/img/he-default-small.jpg b/_install/langs/he/img/he-default-small.jpg
new file mode 100644
index 00000000..d20578a4
Binary files /dev/null and b/_install/langs/he/img/he-default-small.jpg differ
diff --git a/_install/langs/he/img/he-default-thickbox.jpg b/_install/langs/he/img/he-default-thickbox.jpg
new file mode 100644
index 00000000..f51cc103
Binary files /dev/null and b/_install/langs/he/img/he-default-thickbox.jpg differ
diff --git a/_install/langs/he/img/he-default-thumb_scene.jpg b/_install/langs/he/img/he-default-thumb_scene.jpg
new file mode 100644
index 00000000..308b019d
Binary files /dev/null and b/_install/langs/he/img/he-default-thumb_scene.jpg differ
diff --git a/_install/langs/he/img/he.jpg b/_install/langs/he/img/he.jpg
new file mode 100644
index 00000000..606f1a52
Binary files /dev/null and b/_install/langs/he/img/he.jpg differ
diff --git a/_install/langs/he/img/index.php b/_install/langs/he/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/he/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/he/index.php b/_install/langs/he/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/he/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/he/install.php b/_install/langs/he/install.php
new file mode 100644
index 00000000..a996a6d8
--- /dev/null
+++ b/_install/langs/he/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'Ś©ŚŚŚŚȘ SQL ŚŚŚšŚąŚ ŚąŚŚŚš %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'ŚŚ©ŚŚŚ ŚŚŚŠŚŚšŚȘ ŚȘŚŚŚ Ś "%1$s" ŚąŚŚŚš "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'ŚŚ©ŚŚŚ ŚŚŚŠŚŚšŚȘ ŚȘŚŚŚ Ś "%1$s" (ŚŚšŚ©ŚŚŚȘ Ś©ŚŚŚŚŚȘ ŚąŚŚŚš ŚŚȘŚ§ŚŚŚ "%2$s")',
+ 'Cannot create image "%s"' => 'ŚŚ©ŚŚŚ ŚŚŚŠŚŚšŚȘ ŚȘŚŚŚ Ś "%s"',
+ 'SQL error on query %s ' => 'Ś©ŚŚŚŚȘ SQL ŚŚŚšŚąŚ ŚąŚŚŚš ŚŚ©ŚŚŚŚȘŚ %s ',
+ '%s Login information' => 'Ś€ŚšŚŚ ŚŚȘŚŚŚšŚŚȘ %s',
+ 'Field required' => 'Ś©ŚŚ ŚŚŚŚ',
+ 'Invalid shop name' => 'Ś©Ś ŚŚ ŚŚȘ ŚŚ ŚȘŚ§ŚŚ',
+ 'The field %s is limited to %d characters' => 'ŚŚŚšŚ ŚŚ©ŚŚ %s ŚŚŚŚŚ Ś %d ŚȘŚŚŚŚ',
+ 'Your firstname contains some invalid characters' => 'ŚŚ©Ś ŚŚ€ŚšŚŚ ŚŚŚŚ ŚȘŚŚŚŚ ŚŚ ŚȘŚ§ŚŚ ŚŚ',
+ 'Your lastname contains some invalid characters' => 'Ś©Ś ŚŚŚ©Ś€ŚŚ ŚŚŚŚ ŚȘŚŚŚŚ ŚŚ ŚŚŚ§ŚŚŚ',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'ŚŚĄŚŚĄŚŚ ŚŚ ŚȘŚ§ŚŚ Ś (ŚŚŚšŚŚŚȘ ŚȘŚŚŚŚ ŚŚȘ ŚŚ€ŚŚŚȘ 8 ŚȘŚŚŚŚ)',
+ 'Password and its confirmation are different' => 'Ś©ŚȘŚ ŚŚĄŚŚĄŚŚŚŚȘ ŚŚ ŚȘŚŚŚŚŚȘ',
+ 'This e-mail address is invalid' => 'ŚŚȘŚŚŚȘ ŚŚŚŚŚŚ ŚŚŚ ŚŚ ŚȘŚ§ŚŚ Ś',
+ 'Image folder %s is not writable' => 'ŚŚ Ś ŚŚȘŚ ŚŚŚȘŚŚ ŚŚĄŚ€ŚšŚŚȘ ŚŚȘŚŚŚ ŚŚȘ %s',
+ 'An error occurred during logo copy.' => 'Ś©ŚŚŚŚ ŚŚŚšŚąŚ ŚŚąŚȘ ŚŚąŚȘŚ§ŚȘ ŚŚŚŚ.',
+ 'An error occurred during logo upload.' => 'Ś©ŚŚŚŚ ŚŚŚšŚąŚ ŚŚąŚȘ ŚŚąŚŚŚȘ ŚŚŚŚŚ.',
+ 'Lingerie and Adult' => 'ŚŚŚŚŚ ŚȘŚŚȘŚŚ ŚŚŚŚŠŚšŚ ŚŚŚŚŚšŚŚ',
+ 'Animals and Pets' => 'ŚŚŚŚȘ ŚŚŚŚŚȘ ŚŚŚȘ',
+ 'Art and Culture' => 'ŚȘŚšŚŚŚȘ ŚŚŚŚŚ ŚŚȘ',
+ 'Babies' => 'ŚȘŚŚ ŚŚ§ŚŚȘ',
+ 'Beauty and Personal Care' => 'ŚŚŚ€Ś ŚŚŚŚ€ŚŚ ŚŚŚ©Ś',
+ 'Cars' => 'ŚŚŚŚ ŚŚŚȘ',
+ 'Computer Hardware and Software' => 'ŚŚŚŚšŚ ŚŚȘŚŚŚ Ś',
+ 'Download' => 'ŚŚŚšŚŚŚȘ',
+ 'Fashion and accessories' => 'ŚŚŚ€Ś Ś ŚŚŚ§ŚĄŚĄŚŚšŚŚ',
+ 'Flowers, Gifts and Crafts' => 'Ś€ŚšŚŚŚ, ŚŚȘŚ ŚŚȘ ŚŚŚŚŚŚȘ ŚŚ',
+ 'Food and beverage' => 'ŚŚŚŚ ŚŚŚ©Ś§ŚŚŚȘ',
+ 'HiFi, Photo and Video' => 'ŚȘŚŚŚ ŚŚȘ, ŚŚŚŚŚŚ ŚŚąŚšŚŚŚ',
+ 'Home and Garden' => 'ŚŚŚȘ ŚŚŚŚ ŚŚ',
+ 'Home Appliances' => 'ŚŚŚŠŚšŚŚ ŚŚŚŚȘ',
+ 'Jewelry' => 'ŚȘŚŚ©ŚŚŚŚ',
+ 'Mobile and Telecom' => 'ŚȘŚ§Ś©ŚŚšŚȘ ŚŚĄŚŚŚŚš',
+ 'Services' => 'Ś©ŚŚšŚŚȘŚŚ',
+ 'Shoes and accessories' => 'Ś ŚąŚŚŚŚ ŚŚŚ§ŚĄŚĄŚŚšŚŚ',
+ 'Sports and Entertainment' => 'ŚĄŚ€ŚŚšŚ ŚŚŚŚŚŚš',
+ 'Travel' => 'Ś ŚĄŚŚąŚŚȘ',
+ 'Database is connected' => 'ŚŚȘŚŚŚšŚŚȘ ŚŚŚĄŚ ŚŚ ŚȘŚŚ ŚŚ',
+ 'Database is created' => 'ŚŚŠŚŚšŚȘ ŚŚĄŚ Ś ŚȘŚŚ ŚŚ',
+ 'Cannot create the database automatically' => 'ŚŚ Ś ŚŚȘŚ ŚŚŚŠŚŚš ŚŚȘ ŚŚĄŚ ŚŚ ŚȘŚŚ ŚŚ ŚŚŚŚ€Ś ŚŚŚŚŚŚŚ',
+ 'Create settings.inc file' => 'ŚŚŚŠŚš Ś§ŚŚŚ„ ŚŚŚŚšŚŚȘ',
+ 'Create database tables' => 'ŚŚŚŠŚš ŚŚŚŚŚŚȘ',
+ 'Create default shop and languages' => 'ŚŚŚŠŚš ŚŚȘ ŚŚ ŚŚȘ ŚŚ©Ś€ŚŚȘ ŚŚšŚŚšŚȘ ŚŚŚŚŚ',
+ 'Populate database tables' => 'ŚŚŚŚŚĄ ŚŚȘ ŚŚŚŚŚŚȘ ŚŚĄŚ ŚŚ ŚȘŚŚ ŚŚ',
+ 'Configure shop information' => 'ŚŚŚŚš Ś€ŚšŚŚ ŚŚ ŚŚȘ',
+ 'Install demonstration data' => 'ŚŚȘŚ§Ś Ś ŚȘŚŚ Ś ŚŚŚ',
+ 'Install modules' => 'ŚŚȘŚ§ŚŚ ŚŚŚŚŚŚŚ',
+ 'Install Addons modules' => 'ŚŚȘŚ§Ś ŚȘŚŚĄŚ€ŚŚ',
+ 'Install theme' => 'ŚŚȘŚ§ŚŚ ŚȘŚŚ ŚŚŚȘ ŚąŚŚŠŚŚ',
+ 'Required PHP parameters' => 'Ś€ŚšŚŚŚšŚŚ PHP Ś ŚŚšŚ©ŚŚ',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP ŚŚŚšŚĄŚ 5.1.2 ŚŚ ŚŚŚȘŚš ŚŚŚ Ś Ś€ŚąŚŚŚ',
+ 'Cannot upload files' => 'ŚŚ Ś ŚŚȘŚ ŚŚŚąŚŚŚȘ Ś§ŚŚŠŚŚ',
+ 'Cannot create new files and folders' => 'ŚŚ Ś ŚŚȘŚ ŚŚŚŠŚŚš Ś§ŚŚŠŚŚ ŚŚĄŚ€ŚšŚŚŚȘ ŚŚŚ©ŚŚ',
+ 'GD library is not installed' => 'GD Library ŚŚŚ Ś ŚŚŚȘŚ§Ś ŚȘ',
+ 'MySQL support is not activated' => 'ŚȘŚŚŚŚ Ś MySQL ŚŚŚ Ś ŚŚŚ€ŚąŚŚȘ',
+ 'Files' => 'Ś§ŚŚŠŚŚ',
+ 'Not all files were successfully uploaded on your server' => 'ŚŚ ŚŚ ŚŚ§ŚŚŠŚŚ ŚŚŚąŚŚ ŚŚ©ŚšŚȘ ŚŚŚŠŚŚŚ',
+ 'Permissions on files and folders' => 'ŚŚšŚ©ŚŚŚȘ Ś§ŚŚŠŚŚ ŚŚĄŚ€ŚšŚŚŚȘ',
+ 'Recursive write permissions for %1$s user on %2$s' => 'ŚŚšŚ©ŚŚŚȘ ŚŚȘŚŚŚ ŚšŚ§ŚŚšŚĄŚŚŚŚŚȘ ŚąŚŚŚš ŚŚŚ©ŚȘŚŚ© %1$s Ś %2$s',
+ 'Recommended PHP parameters' => 'Ś€ŚšŚŚŚšŚ PHP ŚŚŚŚŚŠŚŚ',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => '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!',
+ 'Cannot open external URLs' => 'ŚŚŚ ŚŚ€Ś©ŚšŚŚȘ ŚŚ€ŚȘŚŚ Ś§ŚŚ©ŚŚšŚŚ ŚŚŚŠŚŚ ŚŚŚ',
+ 'PHP register_globals option is enabled' => 'ŚŚ€Ś©ŚšŚŚȘ PHP register_globals ŚŚŚ Ś ŚŚŚ€ŚąŚŚȘ',
+ 'GZIP compression is not activated' => 'ŚŚŚŚĄŚȘ GZIP ŚŚ ŚŚŚ€ŚąŚŚȘ',
+ 'Mcrypt extension is not enabled' => 'ŚŚŚšŚŚŚ Mcrypt ŚŚ ŚŚŚ€ŚąŚŚȘ',
+ 'Mbstring extension is not enabled' => 'ŚŚŚšŚŚŚ Mbstring ŚŚ ŚŚŚ€ŚąŚŚȘ',
+ 'PHP magic quotes option is enabled' => 'ŚŚ€Ś©ŚšŚŚȘ PHP magic quotes ŚŚŚ Ś Ś€ŚąŚŚŚ',
+ 'Dom extension is not loaded' => 'ŚŚšŚŚŚȘ Dom ŚŚ Ś ŚŚąŚ Ś',
+ 'PDO MySQL extension is not loaded' => 'ŚŚšŚŚŚȘ PDO ŚąŚŚŚš MySQL ŚŚ Ś ŚŚąŚ Ś',
+ 'Server name is not valid' => 'ŚŚ© ŚŚŚŚŚš Ś©Ś Ś©ŚšŚȘ',
+ 'You must enter a database name' => 'ŚŚ© ŚŚŚŚŚ Ś©Ś ŚŚĄŚ Ś ŚȘŚŚ ŚŚ',
+ 'You must enter a database login' => 'ŚŚ© ŚŚŚŚŚ Ś©Ś ŚŚ©ŚȘŚŚ© ŚąŚŚŚš ŚŚȘŚŚŚšŚŚȘ ŚŚ ŚŚĄŚ ŚŚ ŚȘŚŚ ŚŚ',
+ 'Tables prefix is invalid' => 'Ś§ŚŚŚŚŚȘ ŚŚŚŚŚŚŚȘ ŚŚŚ Ś ŚŚŚ§ŚŚȘ',
+ 'Cannot convert database data to utf-8' => 'ŚŚ Ś ŚŚȘŚ ŚŚŚŚŚš ŚŚȘ Ś ŚȘŚŚ Ś ŚŚĄŚ ŚŚ ŚȘŚŚ ŚŚ ŚŚ utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'ŚŚ€ŚŚŚȘ ŚŚŚŚ ŚŚŚȘ ŚŚąŚŚȘ ŚŚŚȘŚ ŚȘŚŚŚŚŚȘ Ś ŚŚŠŚŚ, ŚŚ ŚŚ©Ś ŚŚȘ ŚŚȘ ŚŚȘŚŚŚŚŚȘ ŚŚ ŚŚŚŠŚą \'drop\' ŚŚŚĄŚ ŚŚ ŚȘŚŚ ŚŚ',
+ 'The values of auto_increment increment and offset must be set to 1' => 'ŚąŚšŚŚ ŚŚŚŚŚŚ (increment) Ś©Ś auto_increment ŚŚ©Ś ŚŚŚĄŚ (offset) ŚŚŚŚšŚŚŚ ŚŚŚŚŚȘ ŚŚŚŚŚšŚŚ Ś 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'Ś©ŚšŚȘ ŚŚĄŚ ŚŚ ŚȘŚŚ ŚŚ ŚŚ Ś ŚŚŠŚ. ŚŚŚŚ ŚŚȘ Ś ŚŚŚ ŚŚȘ ŚŚ©ŚŚŚȘ: Ś©ŚšŚȘ, Ś©Ś ŚŚ©ŚȘŚŚ© ŚŚĄŚŚĄŚŚ ŚąŚŚŚš ŚŚĄŚ ŚŚ ŚȘŚŚ ŚŚ',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'ŚŚȘŚŚŚšŚŚȘ ŚŚ©ŚšŚȘ MySQL ŚŚŚŠŚąŚ ŚŚŚŚŚ, ŚŚ ŚŚĄŚ ŚŚ ŚȘŚŚ ŚŚ "%s" ŚŚ Ś ŚŚŠŚ',
+ 'Attempt to create the database automatically' => 'ŚŚ ŚĄŚ ŚŚŚŠŚŚš ŚŚȘ ŚŚĄŚ ŚŚ ŚȘŚŚ ŚŚ ŚŚŚŚ€Ś ŚŚŚŚŚŚŚ',
+ '%s file is not writable (check permissions)' => 'ŚŚ Ś ŚŚȘŚ ŚŚŚȘŚŚ ŚŚ ŚŚ§ŚŚŚ„ %s (ŚŚŚŚ§ ŚŚšŚ©ŚŚŚȘ)',
+ '%s folder is not writable (check permissions)' => 'ŚŚ Ś ŚŚȘŚ ŚŚŚȘŚŚ ŚŚ ŚŚȘŚ§ŚŚŚ %s (ŚŚŚŚ§ ŚŚšŚ©ŚŚŚȘ)',
+ 'Cannot write settings file' => 'ŚŚ©ŚŚŚ ŚŚąŚŚŚŚ Ś§ŚŚŚ„ ŚŚŚŚšŚŚȘ',
+ 'Database structure file not found' => 'Ś§ŚŚŚ„ ŚŚŚ Ś ŚŚĄŚ ŚŚ ŚȘŚŚ ŚŚ ŚŚ Ś ŚŚŠŚ',
+ 'Cannot create group shop' => 'ŚŚŚ©ŚŚŚ ŚŚŚŠŚŚšŚȘ Ś§ŚŚŚŠŚȘ ŚŚ ŚŚŚŚȘ',
+ 'Cannot create shop' => 'ŚŚŚ©ŚŚŚ ŚŚŚŠŚŚšŚȘ ŚŚ ŚŚȘ',
+ 'Cannot create shop URL' => 'ŚŚŚ©ŚŚŚ ŚŚŚŠŚŚšŚȘ ŚŚȘŚŚŚȘ ŚŚŚ ŚŚȘ',
+ 'File "language.xml" not found for language iso "%s"' => 'ŚŚ Ś ŚŚŠŚ Ś§ŚŚŚ„ "language.xml" ŚąŚŚŚš ŚŚ©Ś€Ś ŚŚąŚŚȘ Ś§ŚŚ ŚŚŚŚ "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'Ś§ŚŚŚ„ Ś "language.xml" ŚŚŚ Ś ŚȘŚ§ŚŚ ŚąŚŚŚš ŚŚ©Ś€Ś ŚŚąŚŚȘ Ś§ŚŚ ŚŚŚŚ "%s"',
+ 'Cannot install language "%s"' => 'ŚŚŚ©ŚŚŚ ŚŚŚȘŚ§Ś ŚȘ Ś©Ś€Ś "%s"',
+ 'Cannot copy flag language "%s"' => 'ŚŚŚ©ŚŚŚ ŚŚŚąŚȘŚ§ŚȘ ŚŚŚŚ ŚąŚŚŚš ŚŚ©Ś€Ś "%s"',
+ 'Cannot create admin account' => 'ŚŚ©ŚŚŚ ŚŚŚŠŚŚšŚȘ ŚŚ©ŚŚŚ admin',
+ 'Cannot install module "%s"' => 'ŚŚŚ©ŚŚŚ ŚŚŚȘŚ§Ś ŚȘ ŚŚŚŚŚ "%s"',
+ 'Fixtures class "%s" not found' => 'Fixtures class "%s" ŚŚ Ś ŚŚŠŚŚ',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" ŚŚŚŚ ŚŚŚŚŚȘ ŚŚŚ€Śą Ś©Ś "InstallXmlLoader"',
+ 'Information about your Store' => 'Ś€ŚšŚŚŚ ŚŚŚŚŚȘ ŚŚŚ ŚŚȘ',
+ 'Shop name' => 'Ś©Ś ŚŚ ŚŚȘ',
+ 'Main activity' => 'Ś€ŚąŚŚŚŚȘ ŚąŚŚ§ŚšŚŚȘ',
+ 'Please choose your main activity' => 'ŚŚŚš Ś€ŚąŚŚŚŚȘ ŚąŚŚ§ŚšŚŚȘ Ś©Ś ŚŚŚ ŚŚȘ',
+ 'Other activity...' => 'Ś€ŚąŚŚŚŚȘ ŚŚŚšŚȘ...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'ŚąŚŚŚš ŚŚ Ś ŚŚŚŚŚ ŚąŚŚ ŚŚŚŚŚȘ ŚŚ ŚŚȘŚ ŚŚŚ Ś©Ś ŚŚŚ ŚŚŚŠŚŚą ŚŚ ŚŚȘ ŚŚŚŚšŚŚ ŚŚŚŚ€Ś©ŚšŚŚŚŚȘ ŚŚŚȘŚŚŚŚŚȘ ŚŚŚŚȘŚš ŚŚąŚĄŚ§Ś!',
+ 'Install demo products' => 'ŚŚȘŚ§Ś ŚŚŚŠŚšŚ ŚŚŚŚŚ',
+ 'Yes' => 'ŚŚ',
+ 'No' => 'ŚŚ',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'ŚŚŚŠŚšŚ ŚŚŚŚŚ ŚŚ ŚŚšŚ ŚŚŚŚ ŚŚŚŚŚ ŚąŚ ŚŚ©ŚŚŚŚ© ŚŚ€ŚšŚĄŚŚŚ©ŚŚ€. ŚŚŚŚ Ś©ŚȘŚȘŚ§ŚŚ ŚŚŚȘŚ ŚŚ ŚąŚŚŚŚ ŚŚŚ ŚŚ Ś ŚŚĄŚŚŚ ŚąŚ ŚŚŚąŚšŚŚȘ.',
+ 'Country' => 'ŚŚšŚ„',
+ 'Select your country' => 'ŚŚŚš ŚŚŚŚ Ś',
+ 'Shop timezone' => 'ŚŚŚŚŚš ŚŚŚŚ Ś©Ś ŚŚŚ ŚŚȘ',
+ 'Select your timezone' => 'ŚŚŚš ŚŚŚŚŚš ŚŚŚ',
+ 'Shop logo' => 'ŚŚŚŚ ŚŚŚ ŚŚȘ',
+ 'Optional - You can add you logo at a later time.' => 'ŚŚŚ€ŚŠŚŚŚ ŚŚ - Ś ŚŚȘŚ ŚŚŚŚĄŚŚŁ ŚŚŚŚ ŚŚŚŚŚš ŚŚŚȘŚš.',
+ 'Your Account' => 'ŚŚŚ©ŚŚŚ Ś©ŚŚ',
+ 'First name' => 'Ś©Ś Ś€ŚšŚŚ',
+ 'Last name' => 'Ś©Ś ŚŚ©Ś€ŚŚ',
+ 'E-mail address' => 'ŚŚŚŚŚŚ',
+ 'This email address will be your username to access your store\'s back office.' => 'ŚŚȘŚŚŚȘ ŚŚŚŚŚŚ ŚŚ ŚȘŚ©ŚŚ© ŚŚ©Ś ŚŚŚ©ŚȘŚŚ© Ś©ŚŚ ŚąŚŚŚš ŚŚȘŚŚŚšŚŚȘ ŚŚŚŚ©Ś§ ŚŚ ŚŚŚŚ Ś©Ś ŚŚŚ ŚŚȘ.',
+ 'Shop password' => 'ŚĄŚŚĄŚŚȘ ŚŚŚ ŚŚȘ',
+ 'Must be at least 8 characters' => 'ŚŚ€ŚŚŚȘ 8 ŚȘŚŚŚŚ',
+ 'Re-type to confirm' => 'ŚŚ§Ś© Ś©ŚŚ ŚŚŚŚ©ŚŚš',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .',
+ 'Configure your database by filling out the following fields' => 'ŚŚŚŚš ŚŚȘ ŚŚĄŚ ŚŚ ŚȘŚŚ ŚŚ Ś©ŚŚ Śą"Ś ŚŚŚŚŚ ŚŚ©ŚŚŚȘ ŚŚŚŚŚ',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'ŚŚ©ŚŚŚŚ© ŚŚ€ŚšŚĄŚŚŚ©ŚŚ€, ŚąŚŚŚ ŚŚŚŠŚŚš ŚŚĄŚ Ś ŚȘŚŚ ŚŚ Ś©ŚŚ ŚŚŚŚĄŚ€Ś ŚŚ Ś ŚȘŚŚ Ś ŚŚ€ŚąŚŚŚŚȘ Ś©Ś ŚŚ ŚŚȘŚ.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'ŚŚŚ§Ś©Ś ŚŚ©ŚŚ ŚŚȘ ŚŚ©ŚŚŚȘ ŚŚŚŚŚ ŚŚŚ ŚŚŚ€Ś©Śš ŚŚ€ŚšŚĄŚŚŚ©ŚŚ€ ŚŚŚȘŚŚŚš ŚŚŚĄŚ ŚŚ ŚȘŚŚ ŚŚ. ',
+ 'Database server address' => 'ŚŚȘŚŚŚȘ Ś©ŚšŚȘ ŚŚĄŚ ŚŚ ŚȘŚŚ ŚŚ',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Ś€ŚŚšŚ ŚŚšŚŚšŚȘ ŚŚŚŚŚ ŚŚŚ 3306. ŚŚ©ŚŚŚŚ© ŚŚ€ŚŚšŚ ŚŚŚš, ŚŚŚĄŚŁ ŚŚŚȘŚ ŚŚŚŚš ŚŚȘŚŚŚȘ ŚŚ©ŚšŚȘ ŚŚŚŚŚŚ "4242:".',
+ 'Database name' => 'Ś©Ś ŚŚĄŚ ŚŚ ŚȘŚŚ ŚŚ',
+ 'Database login' => 'Ś©Ś ŚŚŚ©ŚȘŚŚ© Ś©Ś ŚŚĄŚ ŚŚ ŚȘŚŚ ŚŚ',
+ 'Database password' => 'ŚĄŚŚĄŚŚ Ś©Ś ŚŚĄŚ ŚŚ ŚȘŚŚ ŚŚ',
+ 'Database Engine' => 'ŚĄŚŚ ŚŚĄŚ Ś ŚȘŚŚ ŚŚ',
+ 'Tables prefix' => 'ŚȘŚŚŚŚŚȘ Ś©Ś ŚŚŚŚ',
+ 'Drop existing tables (mode dev)' => 'ŚŚŚ§ ŚŚŚŚŚŚȘ Ś§ŚŚŚŚŚȘ ŚŚŚŚ ŚąŚ ŚŚ ŚŚ ŚȘŚŚ ŚŚ (ŚŚŠŚ Ś€ŚŚȘŚŚ)',
+ 'Test your database connection now!' => 'ŚŚŚŚ§ Ś§ŚŚ©ŚŚšŚŚŚȘ ŚŚŚŚŚŚŚŚĄ ŚŚąŚȘ!',
+ 'Next' => 'ŚŚŚ',
+ 'Back' => 'ŚŚŚšŚ',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.',
+ 'Official forum' => 'Ś€ŚŚšŚŚ Ś€ŚšŚĄŚŚŚ©ŚŚ€',
+ 'Support' => 'ŚȘŚŚŚŚ',
+ 'Documentation' => 'ŚȘŚŚąŚŚ',
+ 'Contact us' => 'ŚŠŚŚš Ś§Ś©Śš',
+ 'PrestaShop Installation Assistant' => 'ŚŚĄŚŚŚą ŚŚŚȘŚ§Ś Ś Ś©Ś Ś€ŚšŚĄŚŚŚ©ŚŚ€',
+ 'Forum' => 'Ś€ŚŚšŚŚ',
+ 'Blog' => 'ŚŚŚŚ',
+ 'Contact us!' => 'ŚŠŚŚš Ś§Ś©Śš!',
+ 'menu_welcome' => 'ŚŚŚš Ś©Ś€Ś',
+ 'menu_license' => 'ŚŚĄŚŚŚ ŚšŚŚ©ŚŚ',
+ 'menu_system' => 'ŚȘŚŚŚŚŚȘ ŚŚŚąŚšŚŚȘ',
+ 'menu_configure' => 'Ś€ŚšŚŚ ŚŚŚ ŚŚȘ',
+ 'menu_database' => 'ŚŚŚŚšŚŚȘ ŚŚąŚšŚŚȘ',
+ 'menu_process' => 'ŚŚȘŚ§Ś ŚȘ ŚŚŚ ŚŚȘ',
+ 'Installation Assistant' => 'ŚŚĄŚŚŚą ŚŚŚȘŚ§Ś ŚŚȘ',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'ŚŚŚȘŚ§Ś ŚȘ Ś€ŚšŚĄŚŚŚ©ŚŚ€, ŚąŚŚŚ ŚŚŚ€Ś©Śš ŚŚšŚŠŚȘ Ś§ŚŚ Ś\'ŚŚŚŚ ŚĄŚ§ŚšŚŚ€Ś ŚŚŚ€ŚŚ€Ś Ś©ŚŚ.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/',
+ 'License Agreements' => 'ŚŚĄŚŚŚ ŚšŚŚ©ŚŚ',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'ŚŚŚ ŚŚŚ ŚŚȘ ŚŚŚŚŚŚ ŚŚŚ€Ś©ŚšŚŚŚŚȘ ŚŚŚŚŠŚąŚŚȘ ŚŚŚ Ś ŚąŚ ŚŚŚ Ś€ŚšŚĄŚŚŚ©ŚŚ€, Ś§ŚšŚ ŚŚŚ§Ś©Ś ŚŚȘ ŚȘŚ ŚŚ ŚŚšŚ©ŚŚŚ ŚŚŚŚ. Ś§ŚŚŠŚ ŚŚŚĄŚŚĄ Ś©Ś Ś€ŚšŚĄŚŚŚ©ŚŚ€ ŚŚ ŚȘŚŚȘ ŚŚšŚ©ŚŚŚ OSL 3.0 , ŚŚŚŚŚ ŚŚŚŚŚŚŚŚ ŚŚąŚšŚŚŚȘ ŚŚąŚŚŠŚŚ ŚŚ ŚȘŚŚȘ ŚŚšŚ©ŚŚŚ AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'ŚŚ Ś ŚŚĄŚŚŚ ŚŚȘŚ ŚŚ ŚŚ©ŚŚŚŚ©.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'ŚŚ Ś ŚŚĄŚŚŚ ŚŚŚ©ŚȘŚȘŚŁ ŚŚ©ŚŚ€ŚŚš ŚŚŚąŚšŚŚȘ ŚąŚ ŚŚŚ Ś©ŚŚŚŚȘ ŚŚŚŚą ŚŚ ŚŚ ŚŚŚ ŚąŚ ŚŚŚŚŚšŚŚȘ Ś©ŚŚ.',
+ 'Done!' => 'ŚŚĄŚȘŚŚŚ!',
+ 'An error occurred during installation...' => 'Ś©ŚŚŚŚ ŚŚŚšŚąŚ ŚŚŚŚŚ ŚŚŚȘŚ§Ś Ś...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'ŚŚȘŚ ŚŚŚŚ ŚŚŚŚąŚŚš ŚŚ§ŚŚ©ŚŚšŚŚ Ś©ŚŚąŚŚŚŚ ŚŚ©ŚŚŚ ŚŚŚŚŚš ŚŚŠŚąŚ ŚŚ§ŚŚŚ, ŚŚŚŚ€Ś©ŚšŚŚȘŚ ŚŚ ŚŚŚȘŚŚ ŚŚȘ ŚŚŚȘŚ§Ś Ś ŚąŚ ŚŚŚ ŚŚŚŚŠŚ ŚŚŚ .',
+ 'Your installation is finished!' => 'ŚŚŚȘŚ§Ś Ś ŚŚĄŚȘŚŚŚŚ!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'ŚĄŚŚŚŚȘ ŚŚŚȘŚ§ŚŚ ŚŚȘ ŚŚŚ ŚŚȘ. ŚȘŚŚŚ Ś©ŚŚŚšŚȘ ŚŚ€ŚšŚĄŚŚŚ©ŚŚ€!',
+ 'Please remember your login information:' => 'ŚŚ ŚȘŚ©ŚŚ ŚŚȘ Ś€ŚšŚŚ ŚŚŚ ŚŚĄŚ Ś©ŚŚ:',
+ 'E-mail' => 'ŚŚŚŚŚŚ',
+ 'Print my login information' => 'ŚŚŚ€ŚĄ Ś€ŚšŚŚ ŚŚȘŚŚŚšŚŚȘ',
+ 'Password' => 'ŚĄŚŚĄŚŚ',
+ 'Display' => 'ŚŚŠŚ',
+ 'For security purposes, you must delete the "install" folder.' => 'ŚŚŠŚŚšŚ ŚŚŚŚŚȘ ŚŚŚ ŚŚȘ, ŚŚ© ŚŚŚŚŚ§ ŚŚąŚȘ ŚŚȘ ŚĄŚ€ŚšŚŚŚȘ "install".',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'ŚŚŚ©Ś§ Ś ŚŚŚŚ',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Ś ŚŚ ŚŚȘ ŚŚ ŚŚȘŚ ŚąŚ ŚŚŚ Ś©ŚŚŚŚ© ŚŚŚŚ©Ś§ ŚŚ ŚŚŚŚ. Ś ŚŚ ŚŚȘ ŚŚŚŚŚ ŚŚȘ ŚŚŚŚ§ŚŚŚŚȘ, ŚŚŚĄŚŁ ŚŚŚŚŚŚŚ, Ś©Ś Ś ŚąŚšŚŚŚȘ ŚąŚŚŠŚŚ, ŚŚąŚŚ.',
+ 'Manage your store' => 'Ś ŚŚ ŚŚȘ ŚŚŚ ŚŚȘ',
+ 'Front Office' => 'ŚŚŚ©Ś§ ŚŚ§ŚŚ',
+ 'Discover your store as your future customers will see it!' => 'ŚĄŚŚŚš ŚŚŚ ŚŚȘŚ ŚŚ€Ś Ś©ŚȘŚŚŠŚ ŚŚ€Ś Ś ŚŚ§ŚŚŚŚȘŚŚ ŚŚąŚȘŚŚŚŚ!',
+ 'Discover your store' => 'ŚŚŚ ŚŚȘ ŚŚŚ ŚŚȘ',
+ 'Share your experience with your friends!' => 'Ś©ŚȘŚŁ ŚąŚ ŚŚŚšŚŚ!',
+ 'I just built an online store with PrestaShop!' => 'ŚŚšŚŚą ŚĄŚŚŚŚȘŚ ŚŚŚ ŚŚȘ ŚŚ ŚŚȘ ŚŚŚ§ŚŚšŚŚ ŚŚȘ ŚąŚ Ś€ŚšŚĄŚŚŚ©ŚŚ€!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'ŚŠŚ€Ś ŚŚŚŚŚŚ ŚŚŚŚ: http://vimeo.com/89298199',
+ 'Tweet' => 'ŚŠŚŚŚ„',
+ 'Share' => 'Ś©ŚȘŚŁ',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'ŚŚŚŚ§ ŚŚȘ ŚŚȘŚŚĄŚ€ŚŚ Ś©Ś Ś€ŚšŚĄŚŚŚ©ŚŚ€ ŚŚŚšŚŚ ŚŚȘ ŚŚąŚšŚŚȘ ŚŚŚ ŚŚȘ!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'ŚŚŚŚ§ŚȘ ŚȘŚŚŚŚŚȘ Ś€ŚšŚĄŚŚŚ©ŚŚ€ ŚŚĄŚŚŚŚȘ ŚŚŚąŚšŚŚȘ',
+ 'If you have any questions, please visit our documentation and community forum .' => 'ŚŚŚ Ś©ŚŚŚ Ś©ŚȘŚŠŚŚ„, ŚšŚŚ ŚȘŚŚąŚŚ ŚŚ ŚŚ§Śš ŚŚ€ŚŚšŚŚ ŚŚ§ŚŚŚŚȘŚ .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'ŚŚŚąŚšŚŚȘ Ś©ŚŚ ŚȘŚŚŚŚȘ ŚŚŚšŚŚ©ŚŚȘ Ś€ŚšŚĄŚŚŚ©ŚŚ€!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'ŚŚŚ€ŚĄ! ŚȘŚ§Ś ŚŚŚ§Ś©Ś ŚŚȘ ŚŚ€ŚšŚŚ/ŚŚ ŚŚŚŚ, ŚŚŚŚ„ ŚąŚ "ŚšŚąŚ Ś ŚŚŚŚą" ŚŚŚŚŚ§ ŚŚȘ ŚȘŚŚŚŚŚȘ Ś ŚŚąŚšŚŚȘ ŚŚŚŚ©.',
+ 'Refresh these settings' => 'ŚšŚąŚ Ś ŚŚŚŚšŚŚȘ',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'ŚŚŚšŚŠŚȘ Ś€ŚšŚĄŚŚŚ©ŚŚ€ Ś ŚŚšŚ© ŚŚ€ŚŚŚȘ 32 MB Ś©Ś ŚŚŚŚšŚŚ: ŚŚŚŚ§ ŚŚȘ ŚŚŚŚšŚȘ memory_limit ŚŚ§ŚŚŚ„ Ś php.ini Ś©ŚŚ, ŚŚ ŚŠŚŚš Ś§Ś©Śš ŚąŚ ŚĄŚ€Ś§ ŚŚŚŚĄŚŚ Ś©ŚŚ ŚŚ ŚŚ©Ś.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'ŚŚŚŚšŚ: ŚŚŚ ŚŚŚ€Ś©ŚšŚŚȘŚ ŚŚŚ©ŚȘŚŚ© ŚąŚŚ ŚŚŚŚ ŚŚ ŚŚ©ŚŚšŚŚ ŚŚ ŚŚȘŚ. ŚŚŚš ŚŚŚȘŚ§Ś ŚȘ ŚŚŠŚŚ ŚŚšŚĄŚ %1$s Ś©Ś Ś€ŚšŚĄŚŚŚ©ŚŚ€. ŚŚ ŚŚšŚŠŚŚ Ś ŚŚ©ŚŚšŚ ŚŚŚšŚĄŚ ŚŚŚŚšŚŚ Ś, Ś§ŚšŚ ŚŚŚ§Ś©Ś ŚŚȘ ŚŚȘŚŚąŚŚ: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'ŚŚšŚŚŚŚ ŚŚŚŚŚ ŚŚŚȘŚ§Ś ŚȘ Ś€ŚšŚĄŚŚŚ©ŚŚ€ %s',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'ŚŚȘŚ§Ś ŚȘ Ś€ŚšŚĄŚŚŚ©ŚŚ€ ŚŚŚ Ś§ŚŚ ŚŚ€Ś©ŚŚŚ. ŚȘŚŚ ŚŚĄŚ€Śš ŚŚ§ŚŚȘ ŚȘŚŚ€ŚŚ ŚŚŚŚ§ ŚŚ§ŚŚŚŚ ŚŚŚŚŚŚȘ ŚŚąŚ 230,000 ŚĄŚŚŚšŚŚ. ŚŚȘŚ Ś ŚŚŠŚ ŚŚŚšŚŚ ŚŚŚŠŚŚšŚȘ ŚŚ ŚŚȘ ŚŚŚšŚŚŚŚŚŚȘ ŚŚŚŚŚŚŚȘ Ś©ŚȘŚŚŚ ŚŚ ŚŚŚ ŚŚ§ŚŚŚȘ ŚąŚ ŚŚĄŚŚĄ ŚŚŚŚ.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .',
+ 'Continue the installation in:' => 'ŚŚŚ©Ś ŚŚȘŚ§Ś Ś ŚŚ©Ś€Ś:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'ŚŚŚŚšŚȘ ŚŚ©Ś€Ś ŚŚŚąŚŚ ŚŚŚ ŚąŚ ŚȘŚŚŚŚ ŚŚŚȘŚ§Ś Ś ŚŚŚŚ. ŚŚŚŚš Ś©ŚŚŚ ŚŚȘ ŚŚŚȘŚ§Ś ŚȘ, ŚŚŚ€Ś©ŚšŚŚȘŚ ŚŚŚŚŚš Ś©Ś€Ś ŚąŚŚŚš ŚŚŚ©Ś§ ŚŚŚ ŚŚȘ ŚŚȘŚŚ ŚŚąŚ %d ŚȘŚšŚŚŚŚŚ, ŚŚŚŚ ŚŚŚŚ Ś!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'ŚŚȘŚ§Ś ŚȘ Ś€ŚšŚĄŚŚŚ©ŚŚ€ ŚŚŚ Ś§ŚŚ ŚŚ€Ś©ŚŚŚ. ŚȘŚŚ ŚŚĄŚ€Śš ŚŚ§ŚŚȘ ŚȘŚŚ€ŚŚ ŚŚŚŚ§ ŚŚ§ŚŚŚŚ ŚŚŚŚŚŚȘ ŚŚąŚ 250,000 ŚĄŚŚŚšŚŚ. ŚŚȘŚ Ś ŚŚŠŚ ŚŚŚšŚŚ ŚŚŚŠŚŚšŚȘ ŚŚ ŚŚȘ ŚŚŚšŚŚŚŚŚŚȘ ŚŚŚŚŚŚŚȘ Ś©ŚȘŚŚŚ ŚŚ ŚŚŚ ŚŚ§ŚŚŚȘ ŚąŚ ŚŚĄŚŚĄ ŚŚŚŚ.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/he/language.xml b/_install/langs/he/language.xml
new file mode 100644
index 00000000..7be4b1f7
--- /dev/null
+++ b/_install/langs/he/language.xml
@@ -0,0 +1,9 @@
+
+
+
+ he
+ d/m/Y
+ d/m/Y H:i:s
+ true
+ true
+
diff --git a/_install/langs/he/mail_identifiers.txt b/_install/langs/he/mail_identifiers.txt
new file mode 100644
index 00000000..afc93c8c
--- /dev/null
+++ b/_install/langs/he/mail_identifiers.txt
@@ -0,0 +1,10 @@
+ŚŚŚ {firstname} {lastname},
+
+ŚŚ Ś Ś€ŚšŚŚ ŚŚŚȘŚŚŚšŚŚȘ Ś©ŚŚ ŚŚŚ©ŚŚŚ Ś ŚŚŚȘŚš Ś©Ś {shop_name}:
+
+ŚĄŚŚĄŚŚ: {passwd}
+ŚŚȘŚŚŚȘ ŚŚŚŚ: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} ŚŚŚ€ŚąŚ ŚŚŚŚŠŚąŚŚȘ Ś€ŚšŚĄŚŚŚ©ŚŚ€âą
\ No newline at end of file
diff --git a/_install/langs/hr/data/carrier.xml b/_install/langs/hr/data/carrier.xml
new file mode 100644
index 00000000..343fa6f5
--- /dev/null
+++ b/_install/langs/hr/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Pick up in-store
+
+
diff --git a/_install/langs/hr/data/category.xml b/_install/langs/hr/data/category.xml
new file mode 100644
index 00000000..87b90b95
--- /dev/null
+++ b/_install/langs/hr/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Root
+
+ root
+
+
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/hr/data/cms.xml b/_install/langs/hr/data/cms.xml
new file mode 100644
index 00000000..862d84ff
--- /dev/null
+++ b/_install/langs/hr/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ю</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ю</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/_install/langs/hr/data/cms_category.xml b/_install/langs/hr/data/cms_category.xml
new file mode 100644
index 00000000..ceb8cf49
--- /dev/null
+++ b/_install/langs/hr/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/hr/data/configuration.xml b/_install/langs/hr/data/configuration.xml
new file mode 100644
index 00000000..b4bf4ef6
--- /dev/null
+++ b/_install/langs/hr/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/_install/langs/hr/data/contact.xml b/_install/langs/hr/data/contact.xml
new file mode 100644
index 00000000..bdc0b24d
--- /dev/null
+++ b/_install/langs/hr/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/_install/langs/hr/data/country.xml b/_install/langs/hr/data/country.xml
new file mode 100644
index 00000000..d57ea1e3
--- /dev/null
+++ b/_install/langs/hr/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
+
+
+ Andorra
+
+
+ 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/_install/langs/hr/data/gender.xml b/_install/langs/hr/data/gender.xml
new file mode 100644
index 00000000..2b2a4aa5
--- /dev/null
+++ b/_install/langs/hr/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/hr/data/group.xml b/_install/langs/hr/data/group.xml
new file mode 100644
index 00000000..2d1b7093
--- /dev/null
+++ b/_install/langs/hr/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/hr/data/index.php b/_install/langs/hr/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/hr/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/hr/data/meta.xml b/_install/langs/hr/data/meta.xml
new file mode 100644
index 00000000..f5e49496
--- /dev/null
+++ b/_install/langs/hr/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
+
+
+
+ Shop powered by PrestaShop
+
+
+
+
+ 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/_install/langs/hr/data/order_return_state.xml b/_install/langs/hr/data/order_return_state.xml
new file mode 100644
index 00000000..37ad31de
--- /dev/null
+++ b/_install/langs/hr/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ Waiting for confirmation
+
+
+ Waiting for package
+
+
+ Package received
+
+
+ Return denied
+
+
+ Return completed
+
+
diff --git a/_install/langs/hr/data/order_state.xml b/_install/langs/hr/data/order_state.xml
new file mode 100644
index 00000000..df07fb2e
--- /dev/null
+++ b/_install/langs/hr/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ Awaiting check payment
+ cheque
+
+
+ Payment accepted
+ payment
+
+
+ Processing in progress
+ preparation
+
+
+ Shipped
+ shipped
+
+
+ Delivered
+
+
+
+ Canceled
+ order_canceled
+
+
+ Refund
+ refund
+
+
+ Payment error
+ payment_error
+
+
+ On backorder (paid)
+ outofstock
+
+
+ On backorder (not paid)
+ outofstock
+
+
+ Awaiting bank wire payment
+ bankwire
+
+
+ Awaiting PayPal payment
+
+
+
+ Remote payment accepted
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/hr/data/profile.xml b/_install/langs/hr/data/profile.xml
new file mode 100644
index 00000000..7352a78c
--- /dev/null
+++ b/_install/langs/hr/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/hr/data/quick_access.xml b/_install/langs/hr/data/quick_access.xml
new file mode 100644
index 00000000..72e5a5b9
--- /dev/null
+++ b/_install/langs/hr/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/hr/data/risk.xml b/_install/langs/hr/data/risk.xml
new file mode 100644
index 00000000..bb8bf6dd
--- /dev/null
+++ b/_install/langs/hr/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/hr/data/stock_mvt_reason.xml b/_install/langs/hr/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..e04ec4eb
--- /dev/null
+++ b/_install/langs/hr/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Increase
+
+
+ Decrease
+
+
+ Customer Order
+
+
+ Regulation following an inventory of stock
+
+
+ Regulation following an inventory of stock
+
+
+ Transfer to another warehouse
+
+
+ Transfer from another warehouse
+
+
+ Supply Order
+
+
diff --git a/_install/langs/hr/data/supplier_order_state.xml b/_install/langs/hr/data/supplier_order_state.xml
new file mode 100644
index 00000000..dfc4ce42
--- /dev/null
+++ b/_install/langs/hr/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/hr/data/supply_order_state.xml b/_install/langs/hr/data/supply_order_state.xml
new file mode 100644
index 00000000..1e8903f0
--- /dev/null
+++ b/_install/langs/hr/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Creation in progress
+
+
+ 2 - Order validated
+
+
+ 3 - Pending receipt
+
+
+ 4 - Order received in part
+
+
+ 5 - Order received completely
+
+
+ 6 - Order canceled
+
+
diff --git a/_install/langs/hr/data/tab.xml b/_install/langs/hr/data/tab.xml
new file mode 100644
index 00000000..711f91a8
--- /dev/null
+++ b/_install/langs/hr/data/tab.xml
@@ -0,0 +1,102 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/hr/flag.jpg b/_install/langs/hr/flag.jpg
new file mode 100644
index 00000000..51890ccd
Binary files /dev/null and b/_install/langs/hr/flag.jpg differ
diff --git a/_install/langs/hr/img/hr-default-category.jpg b/_install/langs/hr/img/hr-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/hr/img/hr-default-category.jpg differ
diff --git a/_install/langs/hr/img/hr-default-home.jpg b/_install/langs/hr/img/hr-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/hr/img/hr-default-home.jpg differ
diff --git a/_install/langs/hr/img/hr-default-large.jpg b/_install/langs/hr/img/hr-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/hr/img/hr-default-large.jpg differ
diff --git a/_install/langs/hr/img/hr-default-large_scene.jpg b/_install/langs/hr/img/hr-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/hr/img/hr-default-large_scene.jpg differ
diff --git a/_install/langs/hr/img/hr-default-medium.jpg b/_install/langs/hr/img/hr-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/hr/img/hr-default-medium.jpg differ
diff --git a/_install/langs/hr/img/hr-default-small.jpg b/_install/langs/hr/img/hr-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/hr/img/hr-default-small.jpg differ
diff --git a/_install/langs/hr/img/hr-default-thickbox.jpg b/_install/langs/hr/img/hr-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/hr/img/hr-default-thickbox.jpg differ
diff --git a/_install/langs/hr/img/hr-default-thumb_scene.jpg b/_install/langs/hr/img/hr-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/hr/img/hr-default-thumb_scene.jpg differ
diff --git a/_install/langs/hr/img/hr.jpg b/_install/langs/hr/img/hr.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/hr/img/hr.jpg differ
diff --git a/_install/langs/hr/img/index.php b/_install/langs/hr/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/hr/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/hr/index.php b/_install/langs/hr/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/hr/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/hr/install.php b/_install/langs/hr/install.php
new file mode 100644
index 00000000..624af390
--- /dev/null
+++ b/_install/langs/hr/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'DoĆĄlo je do pogreĆĄke SQL za entitet %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'Ne mogu stvoriti sliku "%1$s" za entitet "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Ne mogu stvoriti sliku "%1$s" (loĆĄe dozvole na mapi "%2$s")',
+ 'Cannot create image "%s"' => 'Ne mogu stvoriti sliku "%s"',
+ 'SQL error on query %s ' => 'SQL error na upit %s ',
+ '%s Login information' => '%s Login informacije',
+ 'Field required' => 'Polje je potrebno',
+ 'Invalid shop name' => 'PogreĆĄno ime trgovine',
+ 'The field %s is limited to %d characters' => 'Polje %s je ograniÄeno na %d znakove',
+ 'Your firstname contains some invalid characters' => 'VaĆĄe ime sadrĆŸi neke znakove koji nisu valjani',
+ 'Your lastname contains some invalid characters' => 'VaĆĄe prezime sadrĆŸi neke znakove koji nisu valjani',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Lozinka je neispravna (alfanumeriÄki niz s najmanje 8 znakova)',
+ 'Password and its confirmation are different' => 'Lozinka i njena potvrda su razliÄiti',
+ 'This e-mail address is invalid' => 'Ova e-mail adresa nije ispravna',
+ 'Image folder %s is not writable' => 'U mapu za slike %s nije moguÄe pisati',
+ 'An error occurred during logo copy.' => 'Dogodila se pogreĆĄka tijekom kopiranja logotipa.',
+ 'An error occurred during logo upload.' => 'DoĆĄlo je do pogreĆĄke tijekom uÄitavanja logotipa.',
+ 'Lingerie and Adult' => 'Donje rublje i odrasli',
+ 'Animals and Pets' => 'Ćœivotinje i kuÄni ljubimci',
+ 'Art and Culture' => 'Umjetnost i kultura',
+ 'Babies' => 'Djeca',
+ 'Beauty and Personal Care' => 'Ljepota i osobna njega',
+ 'Cars' => 'Automobili',
+ 'Computer Hardware and Software' => 'Kompjuterski hardver i softver',
+ 'Download' => 'Preuzimanje',
+ 'Fashion and accessories' => 'Moda i pribor',
+ 'Flowers, Gifts and Crafts' => 'CvijeÄe, pokloni i zanati',
+ 'Food and beverage' => 'Hrana i piÄe',
+ 'HiFi, Photo and Video' => 'HiFi, foto i video',
+ 'Home and Garden' => 'KuÄa i vrt',
+ 'Home Appliances' => 'KuÄanski aparati',
+ 'Jewelry' => 'Nakit',
+ 'Mobile and Telecom' => 'Mobiteli i telekomunikacije',
+ 'Services' => 'Servisi',
+ 'Shoes and accessories' => 'Cipele i pribor',
+ 'Sports and Entertainment' => 'Sport i zabava',
+ 'Travel' => 'Putovanje',
+ 'Database is connected' => 'Baza podataka je povezana',
+ 'Database is created' => 'Baza podataka je kreirana',
+ 'Cannot create the database automatically' => 'Ne moĆŸe se automatski stvoriti bazu podataka',
+ 'Create settings.inc file' => 'Stvaranje settings.inc datoteke',
+ 'Create database tables' => 'Stvaranje tablice baze podataka',
+ 'Create default shop and languages' => 'Stvaranje zadane trgovine i jezika',
+ 'Populate database tables' => 'Popunjavanje tablice baze podataka',
+ 'Configure shop information' => 'Konfiguracija informacija o trgovini',
+ 'Install demonstration data' => 'Instaliranje demonstracijskih podataka',
+ 'Install modules' => 'Instaliranje modula',
+ 'Install Addons modules' => 'Instaliranje Addons modula',
+ 'Install theme' => 'Instaliranje teme',
+ 'Required PHP parameters' => 'Obavezni PHP parametri',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 ili kasniji nije omoguÄen',
+ 'Cannot upload files' => 'Ne mogu uÄitati datoteke',
+ 'Cannot create new files and folders' => 'Ne mogu stvoriti nove datoteke i mape',
+ 'GD library is not installed' => 'GD biblioteka nije instalirana',
+ 'MySQL support is not activated' => 'MySQL podrĆĄka nije aktivirana',
+ 'Files' => 'Datoteke',
+ 'Not all files were successfully uploaded on your server' => 'Sve datoteke nisu uspjeĆĄno uÄitane na server',
+ 'Permissions on files and folders' => 'Dozvole na datoteke i mape',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Rekurzivna dozvola pisanja za %1$s korisnika na %2$s',
+ 'Recommended PHP parameters' => 'PreporuÄeni PHP parametri',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => 'Vi koristite PHP inaÄicu %s . Uskoro, najnovija verzija PHP podrĆŸana od PrestaShopa Äe biti PHP 5.4. Da biste bili sigurni da ste spremni za buduÄnost, preporuÄujemo vam da nadogradite PHP 5.4 sada!',
+ 'Cannot open external URLs' => 'Ne mogu otvoriti vanjske URL-ove',
+ 'PHP register_globals option is enabled' => 'PHP register_globals opcija je ukljuÄena',
+ 'GZIP compression is not activated' => 'GZIP kompresija nije aktivirana',
+ 'Mcrypt extension is not enabled' => 'Mcrypt ekstenzija nije ukljuÄena',
+ 'Mbstring extension is not enabled' => 'Mbstring proĆĄirenje nije omoguÄeno',
+ 'PHP magic quotes option is enabled' => 'PHP magic quotes opcija je omoguÄena',
+ 'Dom extension is not loaded' => 'Dom proĆĄirenje nije uÄitano',
+ 'PDO MySQL extension is not loaded' => 'PDO MySQL ekstenzija nije usnimljena',
+ 'Server name is not valid' => 'Ime servera ne odgovara',
+ 'You must enter a database name' => 'Morate unijeti ime baze podataka',
+ 'You must enter a database login' => 'Morate unijeti login baze podataka',
+ 'Tables prefix is invalid' => 'Tablica prefiksa je nevaĆŸeÄa',
+ 'Cannot convert database data to utf-8' => 'Ne moĆŸe se pretvoriti podatke baze podataka u UTF-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Najmanje jedan stol s istim prefiksom veÄ je pronaÄen, molimo promijenite prefiks ili ispustite svoju bazu podataka',
+ 'The values of auto_increment increment and offset must be set to 1' => 'Vrijednosti AUTO_INCREMENT prirasta i offset moraju biti postavljene na 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'Baza podataka Servera nije pronaÄena. Molimo provjerite prijavu, lozinke i polja posluĆŸitelja',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'Spajanje na MySQL posluĆŸitelj uspio, ali baza "%s" nije pronaÄena',
+ 'Attempt to create the database automatically' => 'Automatski pokuĆĄaj stvaranja baze podataka',
+ '%s file is not writable (check permissions)' => '%s datoteku nije moguÄe upisati (provjerite dozvole)',
+ '%s folder is not writable (check permissions)' => '%s datoteku nije moguÄe upisati (provjerite dozvole)',
+ 'Cannot write settings file' => 'Ne moĆŸete pisati postavke datoteke',
+ 'Database structure file not found' => 'Struktura baze podataka datoteke nije pronaÄena',
+ 'Cannot create group shop' => 'Ne mogu stvoriti grupnu kupnju',
+ 'Cannot create shop' => 'Ne mogu kreirati shop',
+ 'Cannot create shop URL' => 'ne mogu kreirati URL shopa',
+ 'File "language.xml" not found for language iso "%s"' => 'Datoteka "language.xml" nije pronaÄena za jezik iso "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'Datoteka "language.xml" nije valjana za jezik iso "%s"',
+ 'Cannot install language "%s"' => 'Ne mogu instalirati jezik "%s"',
+ 'Cannot copy flag language "%s"' => 'Ne mogu kopirati zastavu jezika "%s"',
+ 'Cannot create admin account' => 'Ne mogu kreirati raÄun administratora',
+ 'Cannot install module "%s"' => 'Ne mogu instalirati modul "%s"',
+ 'Fixtures class "%s" not found' => 'Raspored klase "%s" nije naÄen',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" mora biti primjer od "InstallXmlLoader"',
+ 'Information about your Store' => 'Informacije o VaĆĄoj trgovini',
+ 'Shop name' => 'Naziv trgovine',
+ 'Main activity' => 'Osnovna aktivnost',
+ 'Please choose your main activity' => 'Molimo odaberite svoju glavnu aktivnost',
+ 'Other activity...' => 'Druge aktivnosti...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Pomozite nam saznali viĆĄe o vaĆĄoj trgovini, tako Vam moĆŸemo ponuditi optimalne smjernice i najbolje moguÄnosti za VaĆĄe poslovanje!',
+ 'Install demo products' => 'Instaliraj demo proizvode',
+ 'Yes' => 'Da',
+ 'No' => 'Ne',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demo proizvodi su dobar naÄin kako bi nauÄili kako koristiti Prestashop. Trebali bi ih instalirati, ako niste upoznati s njima.',
+ 'Country' => 'DrĆŸava',
+ 'Select your country' => 'Odaberite drĆŸavu',
+ 'Shop timezone' => 'Vremenska zona trgovine',
+ 'Select your timezone' => 'Odaberite svoju vremensku zonu',
+ 'Shop logo' => 'Logo trgovine',
+ 'Optional - You can add you logo at a later time.' => 'Izborno - MoĆŸete dodati logotip kasnije.',
+ 'Your Account' => 'VaĆĄ raÄun',
+ 'First name' => 'Ime',
+ 'Last name' => 'Prezime',
+ 'E-mail address' => 'E-mail adresa',
+ 'This email address will be your username to access your store\'s back office.' => 'Ova e-mail adresa Äe biti vaĆĄe korisniÄko ime za pristup vaĆĄoj trgovini u back office.',
+ 'Shop password' => 'Lozinka shopa',
+ 'Must be at least 8 characters' => 'Mora biti najmanje 8 znakova',
+ 'Re-type to confirm' => 'Ponovite za potvrdu',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'Sve informacije koje nam dajete se prikupljaju i podlijeĆŸu obradi podataka i statistike, te potrebno koriste Älanovima PrestaShop tvrtke kako bi se odgovorilo na vaĆĄe zahtjeve. VaĆĄi osobni podaci mogu biti proslijeÄeni partnerima u sklopu partnerskih odnosa. Prema trenutnim "Zakonima o obradi podataka, podatkovnih datoteka i osobnih sloboda" imate pravo na pristup, ispraviti i protiviti se obradi vaĆĄih osobnih podataka kroz ovo link .',
+ 'Configure your database by filling out the following fields' => 'Konfiguriranje baze podataka ispunjavanjem sljedeÄih polja',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Za koriĆĄtenje Presta shopa morate kreirati bazu podataka za prikupljanje svih aktivnosti na datotekama vaĆĄe trgovine.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Molimo ispunite polja ispod u PrestaShopu za spajanje na bazu podataka. ',
+ 'Database server address' => 'Adresa baze podataka',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Predefinirani port je 3306. Za koriĆĄtenje drugog portal, dodajte broj porta na kraju serverske adrese je. ":4242".',
+ 'Database name' => 'Naziv baze podataka',
+ 'Database login' => 'Prijava u bazu podataka',
+ 'Database password' => 'Lozinka baze podataka',
+ 'Database Engine' => 'Vrsta baze podataka',
+ 'Tables prefix' => 'Prefiks tablica',
+ 'Drop existing tables (mode dev)' => 'Ispusti postojeÄe tablice (naÄin dev)',
+ 'Test your database connection now!' => 'Testirajte sada konekciju na bazu podataka!',
+ 'Next' => 'Dalje',
+ 'Back' => 'Natrag',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Ukoliko trebate pomoÄ moĆŸete ostvariti pomoÄ po mjeri naĆĄeg tima za podrĆĄku. Oficijelna dokumentacija je takoÄer ovdje na pomoÄi.',
+ 'Official forum' => 'Oficijelni forum',
+ 'Support' => 'PodrĆĄka',
+ 'Documentation' => 'Dokumentacija',
+ 'Contact us' => 'Kontaktirajte nas',
+ 'PrestaShop Installation Assistant' => 'PrestaShop asistent za instalaciju',
+ 'Forum' => 'Forum',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'Kontaktirajte nas!',
+ 'menu_welcome' => 'Odaberite svoj jezik',
+ 'menu_license' => 'Sporazum o licenci',
+ 'menu_system' => 'Kompatibilnost sistema',
+ 'menu_configure' => 'Informacije o prodavaonici',
+ 'menu_database' => 'PodeĆĄavanje sustava',
+ 'menu_process' => 'Instalacija trgovine',
+ 'Installation Assistant' => 'Asistent instalacije',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Za instalaciju Prestashop, morate imati omoguÄen JavaScript u pregledniku.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/hr/',
+ 'License Agreements' => 'Sporazum o licenci',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Za uĆŸivanje u mnogo moguÄnosti koje se nude u besplatnom PrestaShopu, molimo proÄitajte uvjete koriĆĄtenja u nastavku. PrestaShop jezgra je licencirana pod OSL 3,0, dok su moduli i teme licencirane pod AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'SlaĆŸem se s pravilima i uvjetima koriĆĄtenja.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'SlaĆŸem se za sudjelovanje u poboljĆĄanju rjeĆĄenja slanjem anonimne informacije o mojoj konfiguraciji.',
+ 'Done!' => 'Gotovo!',
+ 'An error occurred during installation...' => 'DoĆĄlo je do pogreĆĄke tijekom instalacije...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'MoĆŸete koristiti linkove na lijevom stupcu se vratiti na prijaĆĄnji korak, ili ponovno pokrenuti postupak instalacije klikni ovdje .',
+ 'Your installation is finished!' => 'VaĆĄa instalacija je dovrĆĄena!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Upravo ste zavrĆĄili instalaciju svoje trgovine. Hvala ĆĄto koristite Prestashop!',
+ 'Please remember your login information:' => 'Molimo zapamtite vaĆĄe informacije za prijavu:',
+ 'E-mail' => 'Email',
+ 'Print my login information' => 'Isprintaj moje login informacije',
+ 'Password' => 'Lozinka',
+ 'Display' => 'PrikaĆŸi',
+ 'For security purposes, you must delete the "install" folder.' => 'Iz sigurnosnih razloga, morate izbrisati mapu "install".',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Administracija',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Upravljajte svojom trgovinom koristeÄi svoj back office. Upravljajte svojim narudĆŸbama i kupcima, dodajte module, promjenite teme, itd.',
+ 'Manage your store' => 'Upravljajte svojom trgovinom',
+ 'Front Office' => 'Front Office',
+ 'Discover your store as your future customers will see it!' => 'Otkrijte svoj duÄan kako Äe ga VaĆĄi buduÄi kupci vidjeti!',
+ 'Discover your store' => 'Otkrijte svoju trgovinu',
+ 'Share your experience with your friends!' => 'Podjelite svoje iskustvo s prijateljima!',
+ 'I just built an online store with PrestaShop!' => 'Upravo sam izgradio online trgovinu s PrestaShopom!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Pogledaj ovo uzbudljivo iskustvo: http://vimeo.com/89298199',
+ 'Tweet' => 'Tweetaj',
+ 'Share' => 'Dijeli',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Provjerite Prestashop Addons kako bi dodali neĆĄto extra u svoju trgovinu!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'Trenutno smo u provjeri PrestaShop kompatibilnosti sustava okoliĆĄu',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Ukoliko imate pitanja molimo posjetite naĆĄu dokumentaciju i community forum .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'PrestaShop kompatibilnost s vaĆĄim sustavom potvrÄena!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Ups! Ispravite stavku (e) u nastavku, a zatim kliknite na "OsvjeĆŸi podatke" da bi testirali kompatibilnost vaĆĄeg novog sustava.',
+ 'Refresh these settings' => 'OsvjeĆŸi ove postavke',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop zahtijeva barem 32 MB memorije za pokretanje: provjerite memory_limit direktivu u svoj php.ini datoteci ili kontaktirajte svog domaÄina, pruĆŸatelja usluga.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Upozorenje: Ne moĆŸete viĆĄe koristiti ovaj alat za nadogradnju svoje trgovine Vi veÄ imate PrestaShop version %1$s instaliranu . Ukoliko se ĆŸelite nadograditi na zadnju verziju molimo proÄitajte dokumentaciju: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'Dobro doĆĄli na PrestaShop %s instaler',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instaliranje Prestashop je brzo i jednostavno. U samo nekoliko trenutaka, vi Äete postati dio zajednice koja se sastoji od viĆĄe od 230 tisuÄa trgovaca. Vi ste na putu za stvaranje vlastite jedinstvene online trgovine kojom moĆŸete upravljati lako svaki dan.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'Ako vam je potrebna pomoÄ, ne ustruÄavajte se pogledati kratki tutorial , ili provjerite naĆĄu dokumentaciju .',
+ 'Continue the installation in:' => 'Nastavite instalaciju u:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Izbor jezika navedeno vrijedi samo za instalaciju pomoÄnika. Nakon ĆĄto je VaĆĄa trgovina instalirana, moĆŸete odabrati jezik svoje trgovine s viĆĄe od %d prijevoda, sve besplatno!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instaliranje Prestashop je brzo i jednostavno. U samo nekoliko trenutaka, vi Äete postati dio zajednice koja se sastoji od viĆĄe od 250 tisuÄa trgovaca. Vi ste na putu za stvaranje vlastite jedinstvene online trgovine kojom moĆŸete upravljati lako svaki dan.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/hr/language.xml b/_install/langs/hr/language.xml
new file mode 100644
index 00000000..54b620e8
--- /dev/null
+++ b/_install/langs/hr/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ hr-hr
+ d/m/Y
+ d/m/Y H:i:s
+ false
+
diff --git a/_install/langs/hr/mail_identifiers.txt b/_install/langs/hr/mail_identifiers.txt
new file mode 100644
index 00000000..3f768acb
--- /dev/null
+++ b/_install/langs/hr/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Hi {firstname} {lastname},
+
+Here is your personal login information for {shop_name}:
+
+Password: {passwd}
+E-mail address: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/hu/data/carrier.xml b/_install/langs/hu/data/carrier.xml
new file mode 100644
index 00000000..343fa6f5
--- /dev/null
+++ b/_install/langs/hu/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Pick up in-store
+
+
diff --git a/_install/langs/hu/data/category.xml b/_install/langs/hu/data/category.xml
new file mode 100644
index 00000000..87b90b95
--- /dev/null
+++ b/_install/langs/hu/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Root
+
+ root
+
+
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/hu/data/cms.xml b/_install/langs/hu/data/cms.xml
new file mode 100644
index 00000000..1e0d3501
--- /dev/null
+++ b/_install/langs/hu/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 Web site was created using <a href="http://www.prestashop.com">PrestaShop</a>™ open-source software.</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ю</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ю</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 mean
+ 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 services</p>
+ secure-payment
+
+
diff --git a/_install/langs/hu/data/cms_category.xml b/_install/langs/hu/data/cms_category.xml
new file mode 100644
index 00000000..ceb8cf49
--- /dev/null
+++ b/_install/langs/hu/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/hu/data/configuration.xml b/_install/langs/hu/data/configuration.xml
new file mode 100644
index 00000000..26e86e4f
--- /dev/null
+++ b/_install/langs/hu/data/configuration.xml
@@ -0,0 +1,24 @@
+
+
+
+ #IN
+
+
+ #DE
+
+
+ #RE
+
+
+
+
+
+ 0
+
+
+ Dear Customer,
+
+Regards,
+Customer service
+
+
diff --git a/_install/langs/hu/data/contact.xml b/_install/langs/hu/data/contact.xml
new file mode 100644
index 00000000..bdc0b24d
--- /dev/null
+++ b/_install/langs/hu/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/_install/langs/hu/data/country.xml b/_install/langs/hu/data/country.xml
new file mode 100644
index 00000000..d57ea1e3
--- /dev/null
+++ b/_install/langs/hu/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
+
+
+ Andorra
+
+
+ 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/_install/langs/hu/data/gender.xml b/_install/langs/hu/data/gender.xml
new file mode 100644
index 00000000..2b2a4aa5
--- /dev/null
+++ b/_install/langs/hu/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/hu/data/group.xml b/_install/langs/hu/data/group.xml
new file mode 100644
index 00000000..2d1b7093
--- /dev/null
+++ b/_install/langs/hu/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/hu/data/index.php b/_install/langs/hu/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/hu/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/hu/data/meta.xml b/_install/langs/hu/data/meta.xml
new file mode 100644
index 00000000..320b543b
--- /dev/null
+++ b/_install/langs/hu/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
+
+
+
+ Shop powered by PrestaShop
+
+
+
+
+ Manufacturers
+ Manufacturers list
+
+ manufacturers
+
+
+ New products
+ Our new products
+
+ new-products
+
+
+ Forgot your password
+ Enter your e-mail address used to register in goal to get e-mail with your 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
+
+
+ Order slip
+
+
+ order-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/_install/langs/hu/data/order_return_state.xml b/_install/langs/hu/data/order_return_state.xml
new file mode 100644
index 00000000..37ad31de
--- /dev/null
+++ b/_install/langs/hu/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ Waiting for confirmation
+
+
+ Waiting for package
+
+
+ Package received
+
+
+ Return denied
+
+
+ Return completed
+
+
diff --git a/_install/langs/hu/data/order_state.xml b/_install/langs/hu/data/order_state.xml
new file mode 100644
index 00000000..56ff7a1f
--- /dev/null
+++ b/_install/langs/hu/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ Awaiting cheque payment
+ cheque
+
+
+ Payment accepted
+ payment
+
+
+ Preparation in progress
+ preparation
+
+
+ Shipped
+ shipped
+
+
+ Delivered
+
+
+
+ Canceled
+ order_canceled
+
+
+ Refund
+ refund
+
+
+ Payment error
+ payment_error
+
+
+ On backorder (paid)
+ outofstock
+
+
+ On backorder (not paid)
+ outofstock
+
+
+ Awaiting bank wire payment
+ bankwire
+
+
+ Awaiting PayPal payment
+
+
+
+ Remote payment accepted
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/hu/data/profile.xml b/_install/langs/hu/data/profile.xml
new file mode 100644
index 00000000..7352a78c
--- /dev/null
+++ b/_install/langs/hu/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/hu/data/quick_access.xml b/_install/langs/hu/data/quick_access.xml
new file mode 100644
index 00000000..72e5a5b9
--- /dev/null
+++ b/_install/langs/hu/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/hu/data/risk.xml b/_install/langs/hu/data/risk.xml
new file mode 100644
index 00000000..bb8bf6dd
--- /dev/null
+++ b/_install/langs/hu/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/hu/data/stock_mvt_reason.xml b/_install/langs/hu/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..e04ec4eb
--- /dev/null
+++ b/_install/langs/hu/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Increase
+
+
+ Decrease
+
+
+ Customer Order
+
+
+ Regulation following an inventory of stock
+
+
+ Regulation following an inventory of stock
+
+
+ Transfer to another warehouse
+
+
+ Transfer from another warehouse
+
+
+ Supply Order
+
+
diff --git a/_install/langs/hu/data/supplier_order_state.xml b/_install/langs/hu/data/supplier_order_state.xml
new file mode 100644
index 00000000..dfc4ce42
--- /dev/null
+++ b/_install/langs/hu/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/hu/data/supply_order_state.xml b/_install/langs/hu/data/supply_order_state.xml
new file mode 100644
index 00000000..1e8903f0
--- /dev/null
+++ b/_install/langs/hu/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Creation in progress
+
+
+ 2 - Order validated
+
+
+ 3 - Pending receipt
+
+
+ 4 - Order received in part
+
+
+ 5 - Order received completely
+
+
+ 6 - Order canceled
+
+
diff --git a/_install/langs/hu/data/tab.xml b/_install/langs/hu/data/tab.xml
new file mode 100644
index 00000000..e4b584b9
--- /dev/null
+++ b/_install/langs/hu/data/tab.xml
@@ -0,0 +1,103 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/hu/flag.jpg b/_install/langs/hu/flag.jpg
new file mode 100644
index 00000000..eb2c8ac1
Binary files /dev/null and b/_install/langs/hu/flag.jpg differ
diff --git a/_install/langs/hu/img/hu-default-category.jpg b/_install/langs/hu/img/hu-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/hu/img/hu-default-category.jpg differ
diff --git a/_install/langs/hu/img/hu-default-home.jpg b/_install/langs/hu/img/hu-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/hu/img/hu-default-home.jpg differ
diff --git a/_install/langs/hu/img/hu-default-large.jpg b/_install/langs/hu/img/hu-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/hu/img/hu-default-large.jpg differ
diff --git a/_install/langs/hu/img/hu-default-large_scene.jpg b/_install/langs/hu/img/hu-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/hu/img/hu-default-large_scene.jpg differ
diff --git a/_install/langs/hu/img/hu-default-medium.jpg b/_install/langs/hu/img/hu-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/hu/img/hu-default-medium.jpg differ
diff --git a/_install/langs/hu/img/hu-default-small.jpg b/_install/langs/hu/img/hu-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/hu/img/hu-default-small.jpg differ
diff --git a/_install/langs/hu/img/hu-default-thickbox.jpg b/_install/langs/hu/img/hu-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/hu/img/hu-default-thickbox.jpg differ
diff --git a/_install/langs/hu/img/hu-default-thumb_scene.jpg b/_install/langs/hu/img/hu-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/hu/img/hu-default-thumb_scene.jpg differ
diff --git a/_install/langs/hu/img/hu.jpg b/_install/langs/hu/img/hu.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/hu/img/hu.jpg differ
diff --git a/_install/langs/hu/img/index.php b/_install/langs/hu/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/hu/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/hu/index.php b/_install/langs/hu/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/hu/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/hu/install.php b/_install/langs/hu/install.php
new file mode 100644
index 00000000..e79d1789
--- /dev/null
+++ b/_install/langs/hu/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'SQL hiba lĂ©pett fel a következĆnĂ©l: %1$s , hibaĂŒzenete %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => '"%1$s" kép nem hozható létre "%2$s" részére',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => '"%1$s" kép nem létrehozható (jogosultsågprobléma "%2$s" mappådnål)',
+ 'Cannot create image "%s"' => '"%s" kép nem létrehozható',
+ 'SQL error on query %s ' => '%s lekérésednél SQL hiba lépett fel',
+ '%s Login information' => '%s bejelentkezési informåció',
+ 'Field required' => 'SzĂŒksĂ©ges mezĆ',
+ 'Invalid shop name' => 'ĂrvĂ©nytelen boltnĂ©v',
+ 'The field %s is limited to %d characters' => '%s mezĆd korlĂĄtja %d karakter',
+ 'Your firstname contains some invalid characters' => 'A keresztnév érvénytelen karaktereket tartalmaz',
+ 'Your lastname contains some invalid characters' => 'A vezetéknév érvénytelen karaktereket tartalmaz',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'A jelszĂł nem megfelelĆ (betƱk Ă©s szĂĄmok, legalĂĄbb 8 karakter)',
+ 'Password and its confirmation are different' => 'EltĂ©rĆ a jelszĂł Ă©s a megerĆsĂtĂ©se',
+ 'This e-mail address is invalid' => 'Ez az emailcĂm hibĂĄs',
+ 'Image folder %s is not writable' => 'A kĂ©p mappa (%s) nem ĂrhatĂł',
+ 'An error occurred during logo copy.' => 'Hiba történt a logó måsolåsa közben.',
+ 'An error occurred during logo upload.' => 'Hiba történt a logó feltöltése közben.',
+ 'Lingerie and Adult' => 'FehĂ©rnemƱ Ă©s felnĆt tartalom',
+ 'Animals and Pets' => 'Vad- Ă©s hĂĄziĂĄllatok',
+ 'Art and Culture' => 'MƱvĂ©szet Ă©s kultĂșra',
+ 'Babies' => 'Baba-mama',
+ 'Beauty and Personal Care' => 'Szépségåpolås',
+ 'Cars' => 'AutĂłk',
+ 'Computer Hardware and Software' => 'SzĂĄmĂtĂłgĂ©p hardver Ă©s szoftver',
+ 'Download' => 'Letöltés',
+ 'Fashion and accessories' => 'Divat Ă©s kiegĂ©szĂtĆk',
+ 'Flowers, Gifts and Crafts' => 'VirĂĄg, ajĂĄndĂ©k Ă©s kreatĂv',
+ 'Food and beverage' => 'Ătel Ă©s Ital',
+ 'HiFi, Photo and Video' => 'Hifi, fotĂł Ă©s videĂł',
+ 'Home and Garden' => 'HĂĄztartĂĄs Ă©s kert',
+ 'Home Appliances' => 'HĂĄztartĂĄsi kĂ©szĂŒlĂ©kek',
+ 'Jewelry' => 'Ăkszerek',
+ 'Mobile and Telecom' => 'Mobil Ă©s telekommunikĂĄciĂł',
+ 'Services' => 'SzolgĂĄltatĂĄsok',
+ 'Shoes and accessories' => 'CipĆk Ă©s kiegĂ©szĂtĆk',
+ 'Sports and Entertainment' => 'Sport Ă©s szĂłrakozĂĄs',
+ 'Travel' => 'UtazĂĄs',
+ 'Database is connected' => 'AdatbĂĄzis csatlakoztatva',
+ 'Database is created' => 'Adatbåzis létrehozva',
+ 'Cannot create the database automatically' => 'Adatbåzis automatikus létrehozåsa sikertelen',
+ 'Create settings.inc file' => 'settings.inc fåjl létrehozåsa',
+ 'Create database tables' => 'Adatbåzis tåblåk létrehozåsa',
+ 'Create default shop and languages' => 'Alapértelmezett bolt és nyelv létrehozåsa',
+ 'Populate database tables' => 'Adatbåzis tåblåk létrehozåsa',
+ 'Configure shop information' => 'BoltinformĂĄciĂłk konfigurĂĄlĂĄsa',
+ 'Install demonstration data' => 'BemutatĂł adatok telepĂtĂ©se',
+ 'Install modules' => 'Modulok telepĂtĂ©se',
+ 'Install Addons modules' => 'BĆvĂtmĂ©ny modulok telepĂtĂ©se',
+ 'Install theme' => 'Sablon telepĂtĂ©se',
+ 'Required PHP parameters' => 'SzĂŒksĂ©ges PHP paramĂ©terek',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 vagy Ășjabb nem elĂ©rhetĆ',
+ 'Cannot upload files' => 'Sikertelen fåjlfeltöltés',
+ 'Cannot create new files and folders' => 'Ăj mappĂĄk Ă©s fĂĄjlok lĂ©trehozĂĄsa sikertelen',
+ 'GD library is not installed' => 'GD Library nincs telepĂtve',
+ 'MySQL support is not activated' => 'Nem aktivĂĄlt a MySQL tĂĄmogatĂĄs',
+ 'Files' => 'FĂĄjlok',
+ 'Not all files were successfully uploaded on your server' => 'Nem sikerĂŒlt minden fĂĄjlt feltölteni a szerverre',
+ 'Permissions on files and folders' => 'JogosultsĂĄg a mappĂĄkon Ă©s fĂĄjlokon',
+ 'Recursive write permissions for %1$s user on %2$s' => 'RekurzĂv ĂrĂĄsi engedĂ©ly %1$s felhasznĂĄlĂłhoz %2$s helyen',
+ 'Recommended PHP parameters' => 'Javasolt PHP paraméterek',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => '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!',
+ 'Cannot open external URLs' => 'Nem nyithatĂłak meg kĂŒlsĆ URL-ek',
+ 'PHP register_globals option is enabled' => 'PHP register_globals opció engedélyezve',
+ 'GZIP compression is not activated' => 'GZIP tömörĂtĂ©s nem aktĂv',
+ 'Mcrypt extension is not enabled' => 'Mcrypt kiterjesztés nem bekapcsolt',
+ 'Mbstring extension is not enabled' => 'Mbstring kiterjesztés nem bekapcsolt',
+ 'PHP magic quotes option is enabled' => 'PHP magic quotes opció engedélyezve',
+ 'Dom extension is not loaded' => 'Dom kiterjesztés nincs betöltve',
+ 'PDO MySQL extension is not loaded' => 'PDO MySQL kiterjesztés nincs betöltve',
+ 'Server name is not valid' => 'ĂrvĂ©nytelen szervernĂ©v',
+ 'You must enter a database name' => 'Meg kell adni az adatbåzis nevét',
+ 'You must enter a database login' => 'Meg kell adni az adatbåzis hozzåférést',
+ 'Tables prefix is invalid' => 'ĂrvĂ©nytelen tĂĄblĂĄk elĆtagok',
+ 'Cannot convert database data to utf-8' => 'Nem konvertĂĄlhatĂł az adatbĂĄzis utf-8 kĂłdolĂĄsra',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'MĂĄr lĂ©tezik ilyen elĆtagĂș tĂĄbla! KĂ©rlek, mĂłdosĂtsd az elĆtagot vagy dobd a tĂĄblĂĄt!',
+ 'The values of auto_increment increment and offset must be set to 1' => 'Az auto_increment Ă©s offset mezĆk Ă©rtĂ©ke legyen 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'Nem talĂĄlhatĂł adatbĂĄzis szerver. EllenĆrizd a belĂ©pĂ©si adatokat Ă©s a szerver mezĆit',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'A MySQL szerverhez sikerĂŒlt kapcsolĂłdni, de "%s" adatbĂĄzis nem talĂĄlhatĂł',
+ 'Attempt to create the database automatically' => 'Próbålja az adatbåzist automatikusan létrehozni',
+ '%s file is not writable (check permissions)' => '%s fĂĄjl nem ĂrhatĂł (ellenĆrizd a jogosultsĂĄgot)',
+ '%s folder is not writable (check permissions)' => '%s mappa nem ĂrhatĂł (ellenĆrizd a jogosultsĂĄgot)',
+ 'Cannot write settings file' => 'Nem ĂrhatĂł a beĂĄllĂtĂĄsok fĂĄjl',
+ 'Database structure file not found' => 'Az adatbĂĄzis struktĂșrafĂĄjl nem talĂĄlhatĂł',
+ 'Cannot create group shop' => 'Nem hozható létre boltcsoport',
+ 'Cannot create shop' => 'Nem hozható létre bolt',
+ 'Cannot create shop URL' => 'Nem hozható létre bolt URL',
+ 'File "language.xml" not found for language iso "%s"' => 'A "language.xml" fĂĄjl nem talĂĄlhatĂł "%s" nyelvi ISO-ra',
+ 'File "language.xml" not valid for language iso "%s"' => 'A "language.xml" fåjl nem érvényes "%s" nyelvi ISO-ra',
+ 'Cannot install language "%s"' => '"%s" nyelv telepĂtĂ©se sikertelen',
+ 'Cannot copy flag language "%s"' => '"%s" zĂĄszlĂł nyelve nem mĂĄsolhatĂł',
+ 'Cannot create admin account' => 'Adminisztråtor hozzåférés létrehozåsa sikertelen',
+ 'Cannot install module "%s"' => '"%s" modul nem telepĂtĆ',
+ 'Fixtures class "%s" not found' => 'Nem talålható "%s" részosztåly',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" az "InstallXmlLoader" része kell legyen',
+ 'Information about your Store' => 'InformĂĄciĂł a boltodrĂłl',
+ 'Shop name' => 'Bolt neve',
+ 'Main activity' => 'FĆ tevĂ©kenysĂ©g',
+ 'Please choose your main activity' => 'VĂĄlaszd ki a fĆ tevĂ©kenysĂ©get',
+ 'Other activity...' => 'Egyéb tevékenység...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'SegĂts nekĂŒnk, hogy többet tudjunk meg boltodrĂłl, Ăgy az optimĂĄlis irĂĄnymutatĂĄsokat Ă©s a legjobb funkciĂłkat tudjuk ajĂĄnlani!',
+ 'Install demo products' => 'Minta termĂ©kek telepĂtĂ©se',
+ 'Yes' => 'Igen',
+ 'No' => 'Nem',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'A demĂłtermĂ©kek elĆsegĂtik a PrestaShop hasznĂĄlatĂĄnak elsajĂĄtĂtĂĄsĂĄt. TelepĂtĂ©sĂŒk ajĂĄnlott, ha mĂ©g nem vagy tapasztalt.',
+ 'Country' => 'OrszĂĄg',
+ 'Select your country' => 'OrszĂĄg kivĂĄlasztĂĄsa',
+ 'Shop timezone' => 'Bolt idĆzĂłna',
+ 'Select your timezone' => 'IdĆzĂłna kivĂĄlasztĂĄsa',
+ 'Shop logo' => 'Bolt logĂł',
+ 'Optional - You can add you logo at a later time.' => 'OpcionĂĄlis - a logĂłdat kĂ©sĆbb is hozzĂĄadhatod.',
+ 'Your Account' => 'FiĂłkod',
+ 'First name' => 'Csalådnév',
+ 'Last name' => 'Keresztnév',
+ 'E-mail address' => 'E-mail cĂm',
+ 'This email address will be your username to access your store\'s back office.' => 'A Håttériroda hozzåféréséhez ez az e-mai lesz a felhasznålóneved.',
+ 'Shop password' => 'Bolt jelszĂł',
+ 'Must be at least 8 characters' => 'LegalĂĄbb 8 karakter hosszĂș legyen',
+ 'Re-type to confirm' => 'Ărd be Ășjra megerĆsĂtĂ©shez',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .',
+ 'Configure your database by filling out the following fields' => 'AdatbĂĄzis beĂĄllĂtĂĄs a következĆ mezĆk kitöltĂ©sĂ©vel',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'A PrestaShop hasznĂĄlatĂĄhoz adatbĂĄzist kell lĂ©trehoznod , hogy gyƱjthetĆek legyenek a boltod adataibĂłl szĂĄrmazĂł aktivitĂĄsok.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Az alĂĄbbi mezĆk kitöltĂ©sĂ©vel tud a PrestaShop az adatbĂĄzishoz kapcsolĂłdni. ',
+ 'Database server address' => 'AdatbĂĄzisszerver cĂm',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Az alapĂ©rtelmezett port 3306. EltĂ©rĆ port hasznĂĄlatĂĄhoz add hozzĂĄ a portszĂĄmot a szerver cĂmĂ©hez, pl. ":4242"!',
+ 'Database name' => 'AdatbĂĄzis neve',
+ 'Database login' => 'AdatbĂĄzis felhasznĂĄlĂł',
+ 'Database password' => 'AdatbĂĄzis jelszĂł',
+ 'Database Engine' => 'AdatbĂĄzismotor',
+ 'Tables prefix' => 'TĂĄbla elĆtag',
+ 'Drop existing tables (mode dev)' => 'MeglĂ©vĆ tĂĄblĂĄk eldobĂĄsa (mode dev)',
+ 'Test your database connection now!' => 'Adatbåzis kapcsolat tesztelése most',
+ 'Next' => 'KövetkezĆ',
+ 'Back' => 'Vissza',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.',
+ 'Official forum' => 'Hivatalos fĂłrum',
+ 'Support' => 'TĂĄmogatĂĄs',
+ 'Documentation' => 'DokumentĂĄciĂł',
+ 'Contact us' => 'Kapcsolat',
+ 'PrestaShop Installation Assistant' => 'PrestaShop telepĂtĂ©si asszisztens',
+ 'Forum' => 'FĂłrum',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'Kapcsolat',
+ 'menu_welcome' => 'Nyelv kivĂĄlasztĂĄsa',
+ 'menu_license' => 'Licencfeltételek',
+ 'menu_system' => 'Rendszer-kompatibilitĂĄs',
+ 'menu_configure' => 'BoltinformĂĄciĂł',
+ 'menu_database' => 'RendszerbeĂĄllĂtĂĄs',
+ 'menu_process' => 'Bolt telepĂtĂ©se',
+ 'Installation Assistant' => 'TelepĂtĂ©si asszisztens',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'A PrestaShop telepĂtĂ©sĂ©hez a böngĂ©szĆben bekapcsolt JavaScript szĂŒksĂ©ges.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/hu/',
+ 'License Agreements' => 'Licencfeltételek',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'KĂ©rlek, olvasd el az alĂĄbbi licencfeltĂ©teleket a PrestaShop ĂĄltal nyĂșjtott szĂĄmos funkciĂł elĂ©rĂ©sĂ©hez! A PrestaShop mag OSL 3.0 licencƱ, mĂg a modulok Ă©s tĂ©mĂĄk AFL 3.0 licencesek.',
+ 'I agree to the above terms and conditions.' => 'Egyetértek a fenti feltételekkel.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'HozzĂĄjĂĄrulok a megoldĂĄsok fejlesztĂ©sĂ©hez a konfigurĂĄciĂłm nĂ©vtelen elkĂŒldĂ©sĂ©vel.',
+ 'Done!' => 'KĂ©sz!',
+ 'An error occurred during installation...' => 'Hiba lĂ©pett fel telepĂtĂ©s közben...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'A baloldali hivatkozĂĄsra kattintva visszalĂ©phetsz az elĆzĆ oldalra vagy ĂșjraindĂthatod a telepĂtĂ©s folyamatĂĄt ide kattintva .',
+ 'Your installation is finished!' => 'TelepĂtĂ©sed befejezĆdött!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Ăppen befejezted az boltod telepĂtĂ©sĂ©t. KöszönjĂŒk, hogy a PrestaShop-ot hasznĂĄlod!',
+ 'Please remember your login information:' => 'Kérlek, emlékezz a bejelentkezési informåciókra:',
+ 'E-mail' => 'E-mail',
+ 'Print my login information' => 'Bejelentkezési informåció nyomtatåsa',
+ 'Password' => 'JelszĂł',
+ 'Display' => 'Mutat',
+ 'For security purposes, you must delete the "install" folder.' => 'Biztonsågi okokból le kell törölni az "install" mappåt.',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Håttériroda',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'A bolt kezelĂ©sĂ©hez a HĂĄttĂ©riroda felĂŒletet tudod hasznĂĄlni, itt kezelheted a rendelĂ©seket Ă©s vĂĄsĂĄrlĂłkat, modulokat, tĂ©mĂĄt vĂĄlthatsz stb.',
+ 'Manage your store' => 'ĂruhĂĄz kezelĂ©se',
+ 'Front Office' => 'Arculati iroda',
+ 'Discover your store as your future customers will see it!' => 'Fedezd fel a boltod, ahogy jövĆbeli vĂĄsĂĄrlĂłid fogjĂĄk lĂĄtni!',
+ 'Discover your store' => 'Boltod felfedezése',
+ 'Share your experience with your friends!' => 'Oszd meg tapasztalatodat barĂĄtaiddal!',
+ 'I just built an online store with PrestaShop!' => 'Ăppen lĂ©trehoztam egy online boltot a PrestaShop-pal!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Ăld ĂĄt ezt az ĂŒdĂtĆ Ă©rzĂ©st: http://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'MegosztĂĄs',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'KiegĂ©szĂtĆk keresĂ©se a PrestaShop Addons oldalon, adj hozzĂĄ egy kis extrĂĄt!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'A PrestaShop jelenleg vizsgålja a rendszerkörnyezeted kompatibilitåsåt',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Kérdések esetén låtogasd meg a dokumentåciónkat és közösségi fórumunkat !',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'A rendszerkörnyezet kompatibilitåsa megfelel a PrestaShop szåmåra.',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'HoppĂĄ! KĂ©rlek, javĂtsd az alĂĄbbi elemeket Ă©s kattints az "InformĂĄciĂł frissĂtĂ©se"-re az Ășj rendszer kompatibilitĂĄsĂĄnak ellenĆrzĂ©sĂ©hez!',
+ 'Refresh these settings' => 'BeĂĄllĂtĂĄsok frissĂtĂ©se',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'A PrestaShop legalĂĄbb 32 MB memĂłriĂĄt igĂ©nyel a futtatĂĄshoz: kĂ©rĂŒnk, ellenĆrizd a memory_limit direktĂvĂĄkat a php.ini fĂĄjlodban vagy vedd fel a kapcsolatot szolgĂĄltatĂłddal!',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Figyelem: Ezt az eszközt mĂĄr nem hasznĂĄlhatod a boltod frissĂtĂ©sĂ©hez! MĂĄr telepĂtve van a PrestaShop %1$s verziĂł . Ha a legfrissebb verziĂłra szeretnĂ©l frissĂteni, itt tudod elolvasni a dokumentĂĄciĂłt: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'Ădvözöl a PrestaShop %s telepĂtĆ',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'A PrestaShop telepĂtĂ©se gyors Ă©s könnyƱ. CsupĂĄn nĂ©hĂĄny perc alatt rĂ©szese lehetsz a több, mint 230.000 kereskedĆbĆl ĂĄllĂł közössĂ©gnek! Ăton vagy sajĂĄt egyedi online webĂĄruhĂĄzad lĂ©trehozĂĄsĂĄhoz, melyet könnyen kezelhetsz nap-mint-nap.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .',
+ 'Continue the installation in:' => 'TelepĂtĂ©s nyelve:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'A fenti nyelv kivĂĄlasztĂĄsa csak a telepĂtĂ©si asszisztensre Ă©rvĂ©nyes. A bolt nyelvĂ©t a telepĂtĂ©s utĂĄn tudod kivĂĄlasztani %d fordĂtĂĄsbĂłl, Ă©s ez mind ingyenes!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'A PrestaShop telepĂtĂ©se gyors Ă©s könnyƱ. CsupĂĄn nĂ©hĂĄny perc alatt rĂ©szese lehetsz a több, mint 250.000 kereskedĆbĆl ĂĄllĂł közössĂ©gnek! Ăton vagy sajĂĄt egyedi online webĂĄruhĂĄzad lĂ©trehozĂĄsĂĄhoz, melyet könnyen kezelhetsz nap-mint-nap.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/hu/language.xml b/_install/langs/hu/language.xml
new file mode 100644
index 00000000..11c6b152
--- /dev/null
+++ b/_install/langs/hu/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ hu
+ m/j/Y
+ m/j/Y H:i:s
+ false
+
\ No newline at end of file
diff --git a/_install/langs/hu/mail_identifiers.txt b/_install/langs/hu/mail_identifiers.txt
new file mode 100644
index 00000000..3f768acb
--- /dev/null
+++ b/_install/langs/hu/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Hi {firstname} {lastname},
+
+Here is your personal login information for {shop_name}:
+
+Password: {passwd}
+E-mail address: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/id/data/carrier.xml b/_install/langs/id/data/carrier.xml
new file mode 100644
index 00000000..d1ebb0c7
--- /dev/null
+++ b/_install/langs/id/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Ambil di toko
+
+
diff --git a/_install/langs/id/data/category.xml b/_install/langs/id/data/category.xml
new file mode 100644
index 00000000..d619f5a0
--- /dev/null
+++ b/_install/langs/id/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Root
+
+ root
+
+
+
+
+
+ Beranda
+
+ beranda
+
+
+
+
+
diff --git a/_install/langs/id/data/cms.xml b/_install/langs/id/data/cms.xml
new file mode 100644
index 00000000..490e8515
--- /dev/null
+++ b/_install/langs/id/data/cms.xml
@@ -0,0 +1,42 @@
+
+
+
+ Pengiriman barang
+ Tata cara pengiriman barang
+ pengiriman barang
+ <h2>Pengiriman barang</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>
+ pengiriman-barang
+
+
+ Kebijakan privasi dan hukum
+ Kebijakan privasi dan hukum
+ notice, legal, credits
+ <h2>Kebijakan privasi dan hukum</h2><p>Tentang kebijakan privasi dan hukum bagi pelanggan</p><p>Website ini dibuat menggunakan <a href="http://www.prestashop.com">PrestaShop</a>™ open-source software.</p>
+ kebijakan-privasi-dan-hukum
+
+
+ Syarat pemakaian
+ Syarat pemakaian
+ conditions, terms, use, sell
+ <h2>Syarat dan ketentuan pemakaian website</h2><p>Tentang syarat dan ketentuan pemakaian website (penggunaan cookies, penggunaan data customer, dsb)</p>
+
+ syarat-pemakaian
+
+
+ Tentang kami
+ Lebih lanjut mengenai kami
+ about us, informations
+ <h2>Tentang kami</h2>
+<p>Informasi tentang toko Anda</p>
+
+ tentang-kami
+
+
+ Pembayaran
+ Pembayaran
+ secure payment, ssl, visa, mastercard, paypal
+ <h2>Pembayaran</h2>
+<p>Detail tentang pembayaran</p>
+ pembayaran
+
+
diff --git a/_install/langs/id/data/cms_category.xml b/_install/langs/id/data/cms_category.xml
new file mode 100644
index 00000000..e4766e09
--- /dev/null
+++ b/_install/langs/id/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Beranda
+
+ beranda
+
+
+
+
+
diff --git a/_install/langs/id/data/configuration.xml b/_install/langs/id/data/configuration.xml
new file mode 100644
index 00000000..a42440a1
--- /dev/null
+++ b/_install/langs/id/data/configuration.xml
@@ -0,0 +1,24 @@
+
+
+
+ #IN
+
+
+ #DE
+
+
+ #RE
+
+
+
+
+
+ 0
+
+
+ Halo,
+
+Salam kami,
+Customer service
+
+
diff --git a/_install/langs/id/data/contact.xml b/_install/langs/id/data/contact.xml
new file mode 100644
index 00000000..beded785
--- /dev/null
+++ b/_install/langs/id/data/contact.xml
@@ -0,0 +1,9 @@
+
+
+
+ Jika terdapat masalah teknis di website kami
+
+
+ Untuk pertanyaan seputar produk dan pembelian
+
+
diff --git a/_install/langs/id/data/country.xml b/_install/langs/id/data/country.xml
new file mode 100644
index 00000000..d57ea1e3
--- /dev/null
+++ b/_install/langs/id/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
+
+
+ Andorra
+
+
+ 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/_install/langs/id/data/gender.xml b/_install/langs/id/data/gender.xml
new file mode 100644
index 00000000..e1d0abad
--- /dev/null
+++ b/_install/langs/id/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/id/data/group.xml b/_install/langs/id/data/group.xml
new file mode 100644
index 00000000..13c5d0bb
--- /dev/null
+++ b/_install/langs/id/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/id/data/index.php b/_install/langs/id/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/id/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/id/data/meta.xml b/_install/langs/id/data/meta.xml
new file mode 100644
index 00000000..724f219a
--- /dev/null
+++ b/_install/langs/id/data/meta.xml
@@ -0,0 +1,165 @@
+
+
+
+ Eror 404
+ Halaman tidak ditemukan
+ error, 404, not found
+ halaman-tidak-ditemukan
+
+
+ Terlaris
+ Produk terlaris
+ best sales
+ terlaris
+
+
+ Hubungi kami
+ Gunakan form ini untuk menghubungi kami
+ contact, form, e-mail
+ hubungi-kami
+
+
+
+ didukung oleh PrestaShop
+ shop, prestashop
+
+
+
+ Merk
+ Daftar merk
+ manufacturer
+ merk
+
+
+ Produk terbaru
+ Produk terbaru
+ new, products
+ produk-terbaru
+
+
+ Lupa password
+ Isi alamat e-mail dengan alamat e-mail yang Anda gunakan sewaktu mendaftar yang akan digunakan untuk mengirim password baru
+ forgot, password, e-mail, new, reset
+ lupa-password
+
+
+ Turun harga
+ Daftar produk diskon
+ special, prices drop
+ turun-harga
+
+
+ Sitemap
+ Tersesat ? Temukan yang anda cari
+ sitemap
+ sitemap
+
+
+ Supplier
+ Daftar supplier
+ supplier
+ supplier
+
+
+ Alamat
+
+
+ alamat
+
+
+ Daftar Alamat
+
+
+ daftar-alamat
+
+
+ Login
+
+
+ login
+
+
+ Keranjang belanja
+
+
+ keranjang-belanja
+
+
+ Diskon
+
+
+ diskon
+
+
+ Riwayat pembelian
+
+
+ riwayat-pembelian
+
+
+ Identitas
+
+
+ identitas
+
+
+ Akun saya
+
+
+ akun-saya
+
+
+ Pantau order
+
+
+ pantau-order
+
+
+ Slip order
+
+
+ slip-order
+
+
+ Order
+
+
+ order
+
+
+ Cari
+
+
+ cari
+
+
+ Toko
+
+
+ toko
+
+
+ Order
+
+
+ quick-order
+
+
+ Guest tracking
+
+
+ guest-tracking
+
+
+ Konfirmasi pembelian
+
+
+ konfirmasi-pembelian
+
+
+ Products Comparison
+
+
+ products-comparison
+
+
diff --git a/_install/langs/id/data/order_return_state.xml b/_install/langs/id/data/order_return_state.xml
new file mode 100644
index 00000000..a6c67e83
--- /dev/null
+++ b/_install/langs/id/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ Menunggu konfirmasi
+
+
+ Menunggu paket
+
+
+ Paket diterima
+
+
+ Retur ditolak
+
+
+ Retur berhasil
+
+
diff --git a/_install/langs/id/data/order_state.xml b/_install/langs/id/data/order_state.xml
new file mode 100644
index 00000000..bf3cf500
--- /dev/null
+++ b/_install/langs/id/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ Menunggu cek pembayaran
+ cheque
+
+
+ Pembayaran diterima
+ payment
+
+
+ Barang tengah disiapkan
+ preparation
+
+
+ Proses pengiriman
+ shipped
+
+
+ Barang telah diterima
+
+
+
+ Dibatalkan
+ order_canceled
+
+
+ Refund
+ refund
+
+
+ Pembayaran eror
+ payment_error
+
+
+ Sedang dipesan
+ outofstock
+
+
+ Sedang dipesan
+ outofstock
+
+
+ Menunggu pembayaran via transfer bank
+ bankwire
+
+
+ Menunggu pembayaran melalui PayPal
+
+
+
+ Pembayaran diterima
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/id/data/profile.xml b/_install/langs/id/data/profile.xml
new file mode 100644
index 00000000..b388d5f2
--- /dev/null
+++ b/_install/langs/id/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/id/data/quick_access.xml b/_install/langs/id/data/quick_access.xml
new file mode 100644
index 00000000..7fc7ada7
--- /dev/null
+++ b/_install/langs/id/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/id/data/risk.xml b/_install/langs/id/data/risk.xml
new file mode 100644
index 00000000..b1c2a985
--- /dev/null
+++ b/_install/langs/id/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/id/data/stock_mvt_reason.xml b/_install/langs/id/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..11225c1b
--- /dev/null
+++ b/_install/langs/id/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Tambah
+
+
+ Kurangi
+
+
+ Order dari pelanggan
+
+
+ Aturan mengenai stok barang
+
+
+ Aturan mengenai stok barang
+
+
+ Transfer ke gudang lain
+
+
+ Transfer dari gudang lain
+
+
+ Supply Order
+
+
diff --git a/_install/langs/id/data/supplier_order_state.xml b/_install/langs/id/data/supplier_order_state.xml
new file mode 100644
index 00000000..7d42ca73
--- /dev/null
+++ b/_install/langs/id/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ sedang dibuat
+
+
+ Order berhasil divalidasi
+
+
+ Menunggu barang
+
+
+ Barang diterima terpisah
+
+
+ Barang berhasil diterima
+
+
+ barang diproses
+
+
\ No newline at end of file
diff --git a/_install/langs/id/data/supply_order_state.xml b/_install/langs/id/data/supply_order_state.xml
new file mode 100644
index 00000000..46d6b333
--- /dev/null
+++ b/_install/langs/id/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Persiapan
+
+
+ 2 - Order berhasil divalidasi
+
+
+ 3 - Menunggu barang
+
+
+ 4 - Order diterima terpisah
+
+
+ 5 - Order berhasil diterima
+
+
+ 6 - Pembelian dibatalkan
+
+
diff --git a/_install/langs/id/data/tab.xml b/_install/langs/id/data/tab.xml
new file mode 100644
index 00000000..ab1251ce
--- /dev/null
+++ b/_install/langs/id/data/tab.xml
@@ -0,0 +1,106 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/id/flag.jpg b/_install/langs/id/flag.jpg
new file mode 100644
index 00000000..3e078b7d
Binary files /dev/null and b/_install/langs/id/flag.jpg differ
diff --git a/_install/langs/id/img/id-default-category.jpg b/_install/langs/id/img/id-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/id/img/id-default-category.jpg differ
diff --git a/_install/langs/id/img/id-default-home.jpg b/_install/langs/id/img/id-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/id/img/id-default-home.jpg differ
diff --git a/_install/langs/id/img/id-default-large.jpg b/_install/langs/id/img/id-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/id/img/id-default-large.jpg differ
diff --git a/_install/langs/id/img/id-default-large_scene.jpg b/_install/langs/id/img/id-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/id/img/id-default-large_scene.jpg differ
diff --git a/_install/langs/id/img/id-default-medium.jpg b/_install/langs/id/img/id-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/id/img/id-default-medium.jpg differ
diff --git a/_install/langs/id/img/id-default-small.jpg b/_install/langs/id/img/id-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/id/img/id-default-small.jpg differ
diff --git a/_install/langs/id/img/id-default-thickbox.jpg b/_install/langs/id/img/id-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/id/img/id-default-thickbox.jpg differ
diff --git a/_install/langs/id/img/id-default-thumb_scene.jpg b/_install/langs/id/img/id-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/id/img/id-default-thumb_scene.jpg differ
diff --git a/_install/langs/id/img/id.jpg b/_install/langs/id/img/id.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/id/img/id.jpg differ
diff --git a/_install/langs/id/img/index.php b/_install/langs/id/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/id/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/id/index.php b/_install/langs/id/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/id/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/id/install.php b/_install/langs/id/install.php
new file mode 100644
index 00000000..83b92012
--- /dev/null
+++ b/_install/langs/id/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'Terdapat kesalahan SQL pada objek %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'Tidak dapat membuat image "%1$s" untuk objek "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Tidak dapat membuat image "%1$s" (masalah hak akses di "%2$s")',
+ 'Cannot create image "%s"' => 'Tidak dapat membuat image "%s"',
+ 'SQL error on query %s ' => 'SQL error pada query %s ',
+ '%s Login information' => '%s Informasi Login',
+ 'Field required' => 'Harus diisi',
+ 'Invalid shop name' => 'Nama toko tidak valid',
+ 'The field %s is limited to %d characters' => 'Field %s dibatasi hanya %d karakter',
+ 'Your firstname contains some invalid characters' => 'Nama depan Anda berisi karakter yang tidak diperbolehkan',
+ 'Your lastname contains some invalid characters' => 'Nama belakang Anda berisi karakter yang tidak diperbolehkan',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Password tidak benar (alfanumerik minimal 8 karakter)',
+ 'Password and its confirmation are different' => 'Password dan konfirmasi password tidak sama',
+ 'This e-mail address is invalid' => 'Alamat email ini salah!',
+ 'Image folder %s is not writable' => 'Folder image % tidak dapat ditulisi',
+ 'An error occurred during logo copy.' => 'Terjadi error pada saat mengkopi logo.',
+ 'An error occurred during logo upload.' => 'Eror ketika upload logo',
+ 'Lingerie and Adult' => 'Lingerie dan perlengkapan dewasa',
+ 'Animals and Pets' => 'Binatang dan perliharaan',
+ 'Art and Culture' => 'Seni',
+ 'Babies' => 'Perlengkapan bayi',
+ 'Beauty and Personal Care' => 'Kecantikan',
+ 'Cars' => 'Kendaraan bermotor',
+ 'Computer Hardware and Software' => 'Komputer hardware dan software',
+ 'Download' => 'Download',
+ 'Fashion and accessories' => 'Pakaian dan aksesoris',
+ 'Flowers, Gifts and Crafts' => 'Bunga, cendera mata dan kerajinan',
+ 'Food and beverage' => 'Makanan dan minuman',
+ 'HiFi, Photo and Video' => 'Audio, foto dan video',
+ 'Home and Garden' => 'Bunga dan tanaman',
+ 'Home Appliances' => 'Perlengkapan rumah tangga',
+ 'Jewelry' => 'Perhiasan',
+ 'Mobile and Telecom' => 'Telekomunikasi',
+ 'Services' => 'Jasa',
+ 'Shoes and accessories' => 'Sepatu dan aksesoris',
+ 'Sports and Entertainment' => 'Olahraga dan hiburan',
+ 'Travel' => 'Travel',
+ 'Database is connected' => 'Berhasil terhubung ke database',
+ 'Database is created' => 'Database berhasil dibuat',
+ 'Cannot create the database automatically' => 'Tidak dapat membuat database secara otomatis',
+ 'Create settings.inc file' => 'Membuat file settings.inc',
+ 'Create database tables' => 'Membuat tabel database',
+ 'Create default shop and languages' => 'Membuat toko dan bahasa',
+ 'Populate database tables' => 'Mengisi tabel database',
+ 'Configure shop information' => 'Konfigurasi toko',
+ 'Install demonstration data' => 'Install data untuk demo',
+ 'Install modules' => 'Install modul',
+ 'Install Addons modules' => 'Install modul Addons',
+ 'Install theme' => 'Instal theme',
+ 'Required PHP parameters' => 'Parameter PHP yang harus diset',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 atau terbaru tidak aktif',
+ 'Cannot upload files' => 'Tidak dapat mengupload file',
+ 'Cannot create new files and folders' => 'Tidak dapat membuat file dan folder baru',
+ 'GD library is not installed' => 'GD Library tidak tersedia',
+ 'MySQL support is not activated' => 'Dukungan MySQL tidak diaktifkan',
+ 'Files' => 'File',
+ 'Not all files were successfully uploaded on your server' => 'Tidak semua file berhasil diunggah ke server Anda',
+ 'Permissions on files and folders' => 'Hak akses pada file dan direktori',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Hak tulis rekursif untuk %1$s user pada %2$s',
+ 'Recommended PHP parameters' => 'Parameter PHP yang direkomendasikan',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => 'Anda menggunakan PHP versi %s. Nantinya, versi PHP yang akan digunakan oleh PrestaShop adalah PHP 5.4. Saat itu pastikan server Anda telah siap, kami sarankan untuk segera melakukan upgrade ke PHP 5.4 sekarang juga!',
+ 'Cannot open external URLs' => 'Tidak dapat membuka URL lain, akses diblok.',
+ 'PHP register_globals option is enabled' => 'Opsi PHP register_globals aktif',
+ 'GZIP compression is not activated' => 'Kompresi GZIP tidak aktif',
+ 'Mcrypt extension is not enabled' => 'Ekstensi Mcrypt tidak aktif',
+ 'Mbstring extension is not enabled' => 'Ekstensi Mbstring tidak aktif',
+ 'PHP magic quotes option is enabled' => 'Opsi PHP magic quotes aktif',
+ 'Dom extension is not loaded' => 'Extensi Dom tidak aktif',
+ 'PDO MySQL extension is not loaded' => 'Extensi PDO MySQL tidak aktif',
+ 'Server name is not valid' => 'Nama server tidak valid',
+ 'You must enter a database name' => 'Nama database harus diisi',
+ 'You must enter a database login' => 'Login database harus diisi',
+ 'Tables prefix is invalid' => 'Prefix tabel tidak valid',
+ 'Cannot convert database data to utf-8' => 'Tidak dapat melakukan konversi data ke utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Tabel dengan prefix yang sama ditemukan, harap ganti prefix Anda atau hapus terlebih dahulu databasenya',
+ 'The values of auto_increment increment and offset must be set to 1' => 'Nilai auto_increment dan ofset harus diisi 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'Server database tidak ditemukan. Harap cek informasi login, password dan server',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'Koneksi ke server MySQL berhasil, tapi database "%s" tidak ditemukan',
+ 'Attempt to create the database automatically' => 'Mencoba membuat database secara otomatis',
+ '%s file is not writable (check permissions)' => 'File %s tidak dapat ditulisi (cek masalah hak akses)',
+ '%s folder is not writable (check permissions)' => 'Folder %s tidak dapat ditulisi (cek masalah hak akses)',
+ 'Cannot write settings file' => 'Tidak dapat menulis file setting',
+ 'Database structure file not found' => 'Struktur database tidak ditemukan',
+ 'Cannot create group shop' => 'Tidak dapat membuat grup toko',
+ 'Cannot create shop' => 'Tidak dapat membuat toko',
+ 'Cannot create shop URL' => 'Tidak dapat membuat URL untuk toko Anda',
+ 'File "language.xml" not found for language iso "%s"' => 'File "language.xml" tidak ditemukan untuk kode iso bahasa "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'File "language.xml" tidak ditemukan untuk kode iso bahasa "%s"',
+ 'Cannot install language "%s"' => 'Tidak dapat meng-install bahasa "%s"',
+ 'Cannot copy flag language "%s"' => 'Tidak dapat menyalin icon bendera untuk bahasa "%s" ',
+ 'Cannot create admin account' => 'Tidak dapat membuat akun admin',
+ 'Cannot install module "%s"' => 'Tidak dapat menginstall modul "%s"',
+ 'Fixtures class "%s" not found' => 'Class "%s" tidak ditemukan',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" must be an instance of "InstallXmlLoader"',
+ 'Information about your Store' => 'Informasi tentang toko Anda',
+ 'Shop name' => 'Nama Toko',
+ 'Main activity' => 'Kegiatan',
+ 'Please choose your main activity' => 'Harap pilih kegiatan utama toko ini',
+ 'Other activity...' => 'Kegiatan lainnya...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Bantu kami mengenal toko Anda sehingga kami dapat menawarkan bantuan yang optimal dan fitur-fitur terbaik untuk bisnis Anda!',
+ 'Install demo products' => 'Install produk demo',
+ 'Yes' => 'Ya',
+ 'No' => 'Tidak',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demo produk diperlukan jika Anda ingin belajar cara menggunakan PrestaShop. Disarankan untuk diinstall jika Anda masih belum terbiasa dengan Prestashop.',
+ 'Country' => 'Negara',
+ 'Select your country' => 'Pilih negara Anda',
+ 'Shop timezone' => 'Zona waktu toko',
+ 'Select your timezone' => 'Pilih zona waktu',
+ 'Shop logo' => 'Logo toko',
+ 'Optional - You can add you logo at a later time.' => 'Opsional â Anda dapat menambahkan logo nanti.',
+ 'Your Account' => 'Akun Anda',
+ 'First name' => 'Nama Depan',
+ 'Last name' => 'Nama Belakang',
+ 'E-mail address' => 'Alamat email',
+ 'This email address will be your username to access your store\'s back office.' => 'Alamat email ini akan menjadi username Anda untuk mengakses backoffice.',
+ 'Shop password' => 'Password toko',
+ 'Must be at least 8 characters' => 'Min. 8 karakter',
+ 'Re-type to confirm' => 'Tulis ulang password untuk konfirmasi ',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'Semua informasi yang diberikan, akan dikumpulkan dan digunakan untuk pemrosesan data dan keperluan statistik, hal ini diperlukan bagi PrestaShop untuk dapat menanggapi permintaan Anda. Data personal ini dapat saja dikomunikasikan dengan penyedia layanan dan rekanan yang bekerja sama dengan kami. Dibawah aturan "Act on Data Processing, Data Files and Individual Liberties" Anda memiliki hak untuk untuk mengakses, ralat dan menentang penggunaan data personal Anda melalui tautan ini .',
+ 'Configure your database by filling out the following fields' => 'Konfigurasi database Anda dengan mengisi field berikut ini',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Untuk menggunakan Prestashop, Anda harus membuat database untuk menyimpan semua data terkait dengan aktivitas toko Anda.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Harap lengkapi field dibawah ini agar Prestashop dapat terhubung ke database Anda..',
+ 'Database server address' => 'Alamat server database',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Port default adalah 3306. Untuk menggunakan port yang berbeda, tambahkan nomor port diakhir nama server, misalnya ":4242".',
+ 'Database name' => 'Nama database',
+ 'Database login' => 'User database',
+ 'Database password' => 'Password database',
+ 'Database Engine' => 'Engine database',
+ 'Tables prefix' => 'Tables Prefix',
+ 'Drop existing tables (mode dev)' => 'Hapus tabel yang ada (dev mode)',
+ 'Test your database connection now!' => 'Tes koneksi ke database sekarang!',
+ 'Next' => 'Berikutnya',
+ 'Back' => 'Kembali',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Jika butuh bantuan, Anda dapat mendapatkan bantuan khusus dati tim kami. Dokumentasi resmi juga tersedia sebagai panduan.',
+ 'Official forum' => 'Forum resmi',
+ 'Support' => 'Support',
+ 'Documentation' => 'Dokumentasi',
+ 'Contact us' => 'Hubungi kami',
+ 'PrestaShop Installation Assistant' => 'Instalasi Prestashop',
+ 'Forum' => 'Forum',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'Hubungi kami!',
+ 'menu_welcome' => 'Pilih bahasa',
+ 'menu_license' => 'Perjanjian lisensi',
+ 'menu_system' => 'Kompabilitas sistem',
+ 'menu_configure' => 'Informasi toko',
+ 'menu_database' => 'Konfigurasi sistem',
+ 'menu_process' => 'Instalasi toko',
+ 'Installation Assistant' => 'Instalasi Prestashop',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Untuk proses instalasi Prestashop, Javascript di browser Anda harus aktif.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/',
+ 'License Agreements' => 'Perjanjian lisensi',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Untuk menikmati fitur gratis lainnya di Prestashop, harap baca aturan lisensi dibawah. Prestashop core dilisensikan dibawah OSL 3.0, sementara modul dan theme dilisensikan dibawah AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'Saya setuju dengan syarat dan ketentuan diatas.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Saya setuju untuk berpartisipasi mengembangkan Prestashop dengan mengirimkan informasi konfigurasi saya secara anonim.',
+ 'Done!' => 'Selesai !',
+ 'An error occurred during installation...' => 'Terdapat kesalahan saat proses instalasi...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'Anda dapat menggunakan tautan yang ada di kolom sebelah kiri untuk kembali ke langkah sebelumnya the, atau mengulang proses instalasi dengan klik tautan ini .',
+ 'Your installation is finished!' => 'Proses instalasi selesai !',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Proses instalasi berhasil dan selesai. Terima kasih telah menggunakan PrestaShop !',
+ 'Please remember your login information:' => 'Harap ingat informasi login Anda berikut ini:',
+ 'E-mail' => 'Email',
+ 'Print my login information' => 'Cetak informasi login saya',
+ 'Password' => 'Password',
+ 'Display' => 'Tampil',
+ 'For security purposes, you must delete the "install" folder.' => 'Untuk alasan keamanan, folder "install" sebaiknya dihapus.',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Back Office',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Kelola toko Anda melalui backoffice, dimana Anda dapat mengatur order, pelanggan, memasang modul, merubah theme dan banyak lagi.., ',
+ 'Manage your store' => 'Kelola toko Anda',
+ 'Front Office' => 'Front Office',
+ 'Discover your store as your future customers will see it!' => 'Jelajahi toko Anda sebagaimana pelanggan mengunjungi website Anda !',
+ 'Discover your store' => 'Kunjungi website Anda',
+ 'Share your experience with your friends!' => 'Bagikan pengalaan Anda ke teman-teman Anda!',
+ 'I just built an online store with PrestaShop!' => 'Saya telah membuat toko online menggunakan Prestashop!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Lihat pengalaman baru berikut ini : http://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'Share',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'Google+',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Cek PrestaShop Addons untuk menambahkan banyak fungsi tambahan bagi toko Anda!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'Sedang melakukan cek kompabilitas sistem Anda dengan Prestashop.',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Jika Anda memiliki pertanyaan, silahkan kunjungi halaman dokumentasi dan forum .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'Kompabilitas Prestashop dengan sistem Anda berhasil diverifikasi!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Harap perbaiki item-item dibawah terlebih dahulu, lalu klik tombol "Refresh" untuk tes ulang kompabilitas sistem Anda.',
+ 'Refresh these settings' => 'Refresh setting',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop membutuhkan memori minimal sebesar 32 MB: harap cek direktif memory_limit pada file php.ini atau hubungi tempat hosting Anda.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Perhatian: Anda tidak dapat menggunakan tool ini untuk melakukan upgrade toko Anda. Anda menggunakan PrestaShop versi %1$s . Jika ingin melakukan upgrade ke versi terbaru, silahkan baca petunjuknya di: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'Selamat datang di instalasi Prestashop %s',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalasi Prestashop cukup cepat dan mudah. Dalam waktu singkat, Anda akan bergabung di komunitas kami yang terdiri dari lebih 230.000 penjual online. Sehingga anda dapat membuat toko online unik yang dapat dikelola dengan mudah setiap harinya.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'Jika memerlukan bantuan, silahkan tonton video tutorial , atau cek dokumentasi Prestashop .',
+ 'Continue the installation in:' => 'Lanjutkan instalasi di:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Pilihan bahasa diatas hanya berlaku ketika proses instalasi. Setelah terinstall, Anda dapat memilih bahasa untuk toko Anda dari lebih %d bahasa yang tersedia secara gratis!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalasi Prestashop cukup cepat dan mudah. Dalam waktu singkat, Anda akan bergabung di komunitas kami yang terdiri dari lebih 250.000 penjual online. Sehingga anda dapat membuat toko online unik yang dapat dikelola dengan mudah setiap harinya.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/id/language.xml b/_install/langs/id/language.xml
new file mode 100644
index 00000000..04cfc2dd
--- /dev/null
+++ b/_install/langs/id/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ id
+ d/m/Y
+ d/m/Y H:i:s
+ false
+
\ No newline at end of file
diff --git a/_install/langs/id/mail_identifiers.txt b/_install/langs/id/mail_identifiers.txt
new file mode 100644
index 00000000..87c673ef
--- /dev/null
+++ b/_install/langs/id/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Halo {firstname} {lastname},
+
+Berikut adalah informasi login Anda ke {shop_name}:
+
+Password: {passwd}
+E-mail : {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} didukung oleh PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/index.php b/_install/langs/index.php
new file mode 100644
index 00000000..c642967a
--- /dev/null
+++ b/_install/langs/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/it/data/carrier.xml b/_install/langs/it/data/carrier.xml
new file mode 100644
index 00000000..de33de61
--- /dev/null
+++ b/_install/langs/it/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Ritiro in negozio
+
+
diff --git a/_install/langs/it/data/category.xml b/_install/langs/it/data/category.xml
new file mode 100644
index 00000000..22122b13
--- /dev/null
+++ b/_install/langs/it/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Radice
+
+ radice
+
+
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/it/data/cms.xml b/_install/langs/it/data/cms.xml
new file mode 100644
index 00000000..bb2083c1
--- /dev/null
+++ b/_install/langs/it/data/cms.xml
@@ -0,0 +1,81 @@
+
+
+
+ Consegna
+ I nostri termini e condizioni di consegna
+ condizioni, consegna, ritardo, spedizione, pacco
+ <h2>Spedizioni e resi</h2><h3>La spedizione del vostro pacco</h3><p>I pacchi sono generalmente inviati entro 2 giorni dal ricevimento del pagamento e vengono spediti tramite UPS con tracciatura e consegna senza firma. Se preferite una consegna con UPS Extra con richiesta di firma, verrĂ applicato un costo aggiuntivo, quindi vi preghiamo di contattarci prima di scegliere questo metodo. Qualsiasi tipo di spedizione scegliate, vi forniremo un link per tracciare il vostro pacco online.</p><p>Le spese di spedizione comprendono gli oneri di gestione e imballaggio e le spese postali. I costi di gestione sono fissi, mentre i costi di trasporto variano a seconda del peso totale della spedizione. Vi consigliamo di raggruppare i vostri articoli in un unico ordine. Non ci Ăš possibile raggruppare due ordini distinti effettuati separatamente, pertanto le spese di spedizione saranno addebitate per ognuno di essi. Il vostro pacco sarĂ inviato a vostro rischio, ma viene prestata un'attenzione particolare in caso di oggetti fragili.<br /><br />Le scatole hanno dimensioni adeguatamente ampie e i vostri articoli son ben protetti.</p>
+ consegna
+
+
+ Note legali
+ Note legali
+ note, legali, crediti
+ <h2>Note legali</h2><h3>Crediti</h3><p>Ideazione e realizzazione:</p><p>Questo negozio online Ăš stato creato usando <a href="http://www.prestashop.com">il software PrestaShop Shopping Cart</a>. Visitate il blog di e-commerce di PrestaShop <a href="http://www.prestashop.com/blog/en/"></a> per avere notizie e consigli su come vendere online e gestire il vostro sito web di e-commerce.</p>
+ note-legali
+
+
+ Termini e condizioni d'uso
+ I nostri termini e condizioni d'uso
+ condizioni, termini, uso, vendita
+ <h1 class="page-heading">Termini e condizioni d'uso</h1>
+<h3 class="page-subheading">Regola 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">Regola 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ю</p>
+<h3 class="page-subheading">Regola 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ю</p>
+ termini-e-condizioni-di-uso
+
+
+ Chi siamo
+ Scoprite chi siamo
+ chi siamo, informazioni
+ <h1 class="page-heading bottom-indent">Chi siamo</h1>
+<div class="row">
+<div class="col-xs-12 col-sm-4">
+<div class="cms-block">
+<h3 class="page-subheading">La nostra azienda</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>Prodotti della massima qualitĂ </li>
+<li><em class="icon-ok"></em>Un ottimo servizio clienti</li>
+<li><em class="icon-ok"></em>Garanzia di rimborso entro 30 giorni</li>
+</ul>
+</div>
+</div>
+<div class="col-xs-12 col-sm-4">
+<div class="cms-box">
+<h3 class="page-subheading">Il nostro 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">Testimonial</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>
+ chi-siamo
+
+
+ Pagamento sicuro
+ Il nostro metodo di pagamento sicuro
+ pagamento sicuro, ssl, visa, mastercard, paypal
+ <h2>Pagamento sicuro</h2>
+<h3>Il nostro pagamento sicuro</h3><p>Con SSL</p>
+<h3>Usare Visa/MasterCard/PayPal</h3><p>Informazioni su questo servizio</p>
+ pagamento-sicuro
+
+
diff --git a/_install/langs/it/data/cms_category.xml b/_install/langs/it/data/cms_category.xml
new file mode 100644
index 00000000..b9725fe7
--- /dev/null
+++ b/_install/langs/it/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/it/data/configuration.xml b/_install/langs/it/data/configuration.xml
new file mode 100644
index 00000000..00f05b03
--- /dev/null
+++ b/_install/langs/it/data/configuration.xml
@@ -0,0 +1,24 @@
+
+
+
+ #FA
+
+
+ #BU
+
+
+ #RE
+
+
+ a|adesso|ai|al|alla|allo|allora|altre|altri|altro|anche|ancora|avere|aveva|avevano|ben|buono|che|chi|cinque|comprare|con|consecutivi|consecutivo|cosa|cui|da|del|della|dello|dentro|deve|devo|di|doppio|due|e|ecco|fare|fine|fino|fra|gente|giu|ha|hai|hanno|ho|il|indietro|invece|io|la|lavoro|le|lei|lo|loro|lui|lungo|ma|me|meglio|molta|molti|molto|nei|nella|no|noi|nome|nostro|nove|nuovi|nuovo|o|oltre|ora|otto|peggio|pero|persone|piu|poco|primo|promesso|qua|quarto|quasi|quattro|quello|questo|qui|quindi|quinto|rispetto|sara|secondo|sei|sembra|sembrava|senza|sette|sia|siamo|siete|solo|sono|sopra|soprattutto|sotto|stati|stato|stesso|su|subito|sul|sulla|tanto|te|tempo|terzo|tra|tre|triplo|ultimo|un|una|uno|va|vai|voi|volte|vostro
+
+
+ 0
+
+
+ Caro Cliente,
+
+Cordiali saluti,
+Servizio clienti
+
+
diff --git a/_install/langs/it/data/contact.xml b/_install/langs/it/data/contact.xml
new file mode 100644
index 00000000..fff8d985
--- /dev/null
+++ b/_install/langs/it/data/contact.xml
@@ -0,0 +1,9 @@
+
+
+
+ Se si verifica un problema tecnico su questo sito web
+
+
+ Per qualsiasi domanda su un prodotto, un ordine
+
+
diff --git a/_install/langs/it/data/country.xml b/_install/langs/it/data/country.xml
new file mode 100644
index 00000000..08636cf9
--- /dev/null
+++ b/_install/langs/it/data/country.xml
@@ -0,0 +1,735 @@
+
+
+
+ Germania
+
+
+ Austria
+
+
+ Belgio
+
+
+ Canada
+
+
+ Cina
+
+
+ Spagna
+
+
+ Finlandia
+
+
+ Francia
+
+
+ Grecia
+
+
+ Italia
+
+
+ Giappone
+
+
+ Luxemburg
+
+
+ Paesi Bassi
+
+
+ Polonia
+
+
+ Portogallo
+
+
+ Repubblica Ceca
+
+
+ Regno Unito
+
+
+ Svezia
+
+
+ Svizzera
+
+
+ Danimarca
+
+
+ United States
+
+
+ Hong Kong
+
+
+ Norvegia
+
+
+ l'Australia
+
+
+ Singapore
+
+
+ Irlanda
+
+
+ nuova Zelanda
+
+
+ Corea del Sud
+
+
+ Israele
+
+
+ Sud Africa
+
+
+ Nigeria
+
+
+ Costa d'Avorio
+
+
+ Togo
+
+
+ Bolivia
+
+
+ Mauritius
+
+
+ Romania
+
+
+ Slovacchia
+
+
+ Algeria
+
+
+ Samoa Americane
+
+
+ Andorra
+
+
+ Angola
+
+
+ Anguilla
+
+
+ Antigua e Barbuda
+
+
+ Argentina
+
+
+ Armenia
+
+
+ Aruba
+
+
+ Azerbaijan
+
+
+ Bahamas
+
+
+ Bahrain
+
+
+ Bangladesh
+
+
+ Barbados
+
+
+ Bielorussia
+
+
+ Belize
+
+
+ Benin
+
+
+ Bermuda
+
+
+ Bhutan
+
+
+ Botswana
+
+
+ Brasile
+
+
+ Brunei
+
+
+ Burkina Faso
+
+
+ Birmania ( Myanmar )
+
+
+ Burundi
+
+
+ Cambogia
+
+
+ Camerun
+
+
+ Capo Verde
+
+
+ Repubblica Centrafricana
+
+
+ Ciad
+
+
+ Cile
+
+
+ Colombia
+
+
+ Comore
+
+
+ Congo, Dem . Repubblica
+
+
+ Congo, Repubblica
+
+
+ Costa Rica
+
+
+ Croazia
+
+
+ Cuba
+
+
+ Cipro
+
+
+ Gibuti
+
+
+ dominica
+
+
+ Repubblica Dominicana
+
+
+ Timor Est
+
+
+ Ecuador
+
+
+ Egitto
+
+
+ El Salvador
+
+
+ Guinea Equatoriale
+
+
+ Eritrea
+
+
+ Estonia
+
+
+ Etiopia
+
+
+ Isole Falkland
+
+
+ Isole Faroe
+
+
+ Fiji
+
+
+ Gabon
+
+
+ Gambia
+
+
+ Georgia
+
+
+ Ghana
+
+
+ Grenada
+
+
+ Groenlandia
+
+
+ Gibilterra
+
+
+ Guadalupa
+
+
+ Guam
+
+
+ Guatemala
+
+
+ Guernsey
+
+
+ Guinea
+
+
+ Guinea- Bissau
+
+
+ Guyana
+
+
+ Haiti
+
+
+ Isole Heard e McDonald
+
+
+ CittĂ del Vaticano
+
+
+ Honduras
+
+
+ Islanda
+
+
+ India
+
+
+ Indonesia
+
+
+ Iran
+
+
+ Iraq
+
+
+ Man Isola
+
+
+ Giamaica
+
+
+ Jersey
+
+
+ Giordania
+
+
+ Kazakhstan
+
+
+ Kenya
+
+
+ Kiribati
+
+
+ Korea , Dem . Repubblica di
+
+
+ Kuwait
+
+
+ Kirghizistan
+
+
+ Laos
+
+
+ Lettonia
+
+
+ Libano
+
+
+ Lesotho
+
+
+ Liberia
+
+
+ Libia
+
+
+ Liechtenstein
+
+
+ Lituania
+
+
+ Macao
+
+
+ Macedonia
+
+
+ Madagascar
+
+
+ Malawi
+
+
+ Malesia
+
+
+ Maldive
+
+
+ Mali
+
+
+ Malta
+
+
+ Isole Marshall
+
+
+ Martinica
+
+
+ Mauritania
+
+
+ Ungheria
+
+
+ Mayotte
+
+
+ Messico
+
+
+ Micronesia
+
+
+ Moldova
+
+
+ Monaco
+
+
+ Mongolia
+
+
+ Montenegro
+
+
+ Montserrat
+
+
+ Marocco
+
+
+ Mozambico
+
+
+ Namibia
+
+
+ Nauru
+
+
+ Nepal
+
+
+ Antille Olandesi
+
+
+ nuova Caledonia
+
+
+ Nicaragua
+
+
+ Niger
+
+
+ Niue
+
+
+ Norfolk Island
+
+
+ Isole Marianne Settentrionali
+
+
+ Oman
+
+
+ Pakistan
+
+
+ Palau
+
+
+ Territori palestinesi
+
+
+ Panama
+
+
+ Papua Nuova Guinea
+
+
+ Paraguay
+
+
+ PerĂč
+
+
+ Filippine
+
+
+ Pitcairn
+
+
+ Puerto Rico
+
+
+ Qatar
+
+
+ Isola della Riunione
+
+
+ Federazione Russa
+
+
+ Ruanda
+
+
+ saint Barthelemy
+
+
+ Saint Kitts e Nevis
+
+
+ Santa Lucia
+
+
+ saint Martin
+
+
+ Saint Pierre e Miquelon
+
+
+ Saint Vincent e Grenadine
+
+
+ Samoa
+
+
+ San Marino
+
+
+ SĂŁo TomĂ© e PrĂncipe
+
+
+ Arabia Saudita
+
+
+ Senegal
+
+
+ Serbia
+
+
+ Seychelles
+
+
+ Sierra Leone
+
+
+ Slovenia
+
+
+ Isole Salomone
+
+
+ Somalia
+
+
+ Georgia del Sud e isole Sandwich del Sud
+
+
+ Sri Lanka
+
+
+ Sudan
+
+
+ Suriname
+
+
+ Svalbard e Jan Mayen
+
+
+ Swaziland
+
+
+ Siria
+
+
+ Taiwan
+
+
+ Tagikistan
+
+
+ Tanzania
+
+
+ Thailandia
+
+
+ Tokelau
+
+
+ Tonga
+
+
+ Trinidad e Tobago
+
+
+ Tunisia
+
+
+ Turchia
+
+
+ Turkmenistan
+
+
+ Isole Turks e Caicos
+
+
+ Tuvalu
+
+
+ Uganda
+
+
+ Ucraina
+
+
+ Emirati Arabi Uniti
+
+
+ Uruguay
+
+
+ Uzbekistan
+
+
+ Vanuatu
+
+
+ Venezuela
+
+
+ Vietnam
+
+
+ Isole Vergini (britanniche )
+
+
+ Isole Vergini (Stati Uniti )
+
+
+ Wallis e Futuna
+
+
+ Sahara occidentale
+
+
+ Yemen
+
+
+ Zambia
+
+
+ Zimbabwe
+
+
+ Albania
+
+
+ Afghanistan
+
+
+ Antartide
+
+
+ Bosnia-Erzegovina
+
+
+ Isola Bouvet
+
+
+ Territorio britannico dell'Oceano Indiano
+
+
+ Bulgaria
+
+
+ Isole Cayman
+
+
+ Isola di Natale
+
+
+ Cocos ( Keeling)
+
+
+ Isole Cook
+
+
+ Guiana francese
+
+
+ Polinesia Francese
+
+
+ Territori francesi meridionali
+
+
+ Isole Ă
land
+
+
diff --git a/_install/langs/it/data/gender.xml b/_install/langs/it/data/gender.xml
new file mode 100644
index 00000000..8088c959
--- /dev/null
+++ b/_install/langs/it/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/it/data/group.xml b/_install/langs/it/data/group.xml
new file mode 100644
index 00000000..75c6d540
--- /dev/null
+++ b/_install/langs/it/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/it/data/index.php b/_install/langs/it/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/it/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/it/data/meta.xml b/_install/langs/it/data/meta.xml
new file mode 100644
index 00000000..b306c127
--- /dev/null
+++ b/_install/langs/it/data/meta.xml
@@ -0,0 +1,165 @@
+
+
+
+ errore 404
+ Impossibile trovare la pagina
+ errore, 404, non trovato
+ pagina-non-trovata
+
+
+ Migliori vendite
+ Le nostre migliori vendite
+ vendite migliori
+ migliori-vendite
+
+
+ Contattarci
+ Usate il nostro modulo per contattarci
+ contatto, modulo, e-mail
+ contattarci
+
+
+
+ Negozio powered by PrestaShop
+ negozio, prestashop
+
+
+
+ Produttori
+ Elenco produttori
+ produttore
+ produttori
+
+
+ Nuovi prodotti
+ I nostri nuovi prodotti
+ nuovi, prodotti
+ nuovi-prodotti
+
+
+ Password dimenticata
+ Inserisci l'indirizzo e-mail che usi per accedere, per ricevere un'e-mail con una nuova password
+ dimenticato, password, e-mail, nuovo, reset
+ recupero-password
+
+
+ Calo dei prezzi
+ I nostri prodotti speciali
+ speciali, riduzione prezzi
+ calo-prezzi
+
+
+ Mappa del sito
+ Vi siete persi? Trovate quello che state cercando
+ sitemap
+ mappa del sito
+
+
+ Fornitori
+ Elenco fornitori
+ fornitori
+ fornitore
+
+
+ Indirizzo
+
+
+ indirizzo
+
+
+ Indirizzi
+
+
+ indirizzi
+
+
+ Login
+
+
+ login
+
+
+ Carrello
+
+
+ carrello
+
+
+ Sconto
+
+
+ sconto
+
+
+ Cronologia ordini
+
+
+ cronologia-ordini
+
+
+ IdentitĂ
+
+
+ identita
+
+
+ Il mio account
+
+
+ il-mio-account
+
+
+ Segui l'ordine
+
+
+ segui-ordine
+
+
+ Buono d'ordine
+
+
+ buono-ordine
+
+
+ Ordine
+
+
+ ordine
+
+
+ Ricerca
+
+
+ ricerca
+
+
+ Negozi
+
+
+ negozi
+
+
+ Ordine
+
+
+ ordine-rapido
+
+
+ Tracciatura ospite
+
+
+ tracciatura-ospite
+
+
+ Conferma dell'ordine
+
+
+ conferma-ordine
+
+
+ Confronto prodotti
+
+
+ confronto-prodotti
+
+
diff --git a/_install/langs/it/data/order_return_state.xml b/_install/langs/it/data/order_return_state.xml
new file mode 100644
index 00000000..315ec343
--- /dev/null
+++ b/_install/langs/it/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ In attesa di conferma
+
+
+ In attesa del pacco
+
+
+ Pacco ricevuto
+
+
+ Reso rifiutato
+
+
+ Reso completato
+
+
diff --git a/_install/langs/it/data/order_state.xml b/_install/langs/it/data/order_state.xml
new file mode 100644
index 00000000..9a63d91f
--- /dev/null
+++ b/_install/langs/it/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ In attesa di pagamento con assegno
+ cheque
+
+
+ Pagamento accettato
+ payment
+
+
+ Preparazione in corso
+ preparation
+
+
+ Spedito
+ shipped
+
+
+ Consegnato
+
+
+
+ Annullato
+ order_canceled
+
+
+ Rimborso
+ refund
+
+
+ Errore di pagamento
+ payment_error
+
+
+ In attesa di rifornimento
+ outofstock
+
+
+ In attesa di rifornimento
+ outofstock
+
+
+ In attesa di pagamento con bonifico bancario
+ bankwire
+
+
+ In attesa di pagamento con PayPal
+
+
+
+ Pagamento remoto accettato
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/it/data/profile.xml b/_install/langs/it/data/profile.xml
new file mode 100644
index 00000000..be5ca71e
--- /dev/null
+++ b/_install/langs/it/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAmmin
+
+
diff --git a/_install/langs/it/data/quick_access.xml b/_install/langs/it/data/quick_access.xml
new file mode 100644
index 00000000..c6baea3b
--- /dev/null
+++ b/_install/langs/it/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/it/data/risk.xml b/_install/langs/it/data/risk.xml
new file mode 100644
index 00000000..bb8bf6dd
--- /dev/null
+++ b/_install/langs/it/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/it/data/stock_mvt_reason.xml b/_install/langs/it/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..2eb7bb36
--- /dev/null
+++ b/_install/langs/it/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Aumento
+
+
+ Diminuzione
+
+
+ Ordine cliente
+
+
+ Adeguamento in seguito a un inventario delle scorte
+
+
+ Adeguamento in seguito a un inventario delle scorte
+
+
+ Trasferimento a un altro magazzino
+
+
+ Trasferimento da un altro magazzino
+
+
+ Ordine di fornitura
+
+
diff --git a/_install/langs/it/data/supplier_order_state.xml b/_install/langs/it/data/supplier_order_state.xml
new file mode 100644
index 00000000..2aab8139
--- /dev/null
+++ b/_install/langs/it/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/it/data/supply_order_state.xml b/_install/langs/it/data/supply_order_state.xml
new file mode 100644
index 00000000..71fe2645
--- /dev/null
+++ b/_install/langs/it/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Creazione in corso
+
+
+ 2 - Ordine convalidato
+
+
+ 3 - In attesa di ricevimento
+
+
+ 4 - Ordine ricevuto in parte
+
+
+ 5 - Ordine ricevuto completamente
+
+
+ 6 - Ordine annullato
+
+
diff --git a/_install/langs/it/data/tab.xml b/_install/langs/it/data/tab.xml
new file mode 100644
index 00000000..0743cc65
--- /dev/null
+++ b/_install/langs/it/data/tab.xml
@@ -0,0 +1,103 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/it/flag.jpg b/_install/langs/it/flag.jpg
new file mode 100644
index 00000000..b1a8dcc4
Binary files /dev/null and b/_install/langs/it/flag.jpg differ
diff --git a/_install/langs/it/img/index.php b/_install/langs/it/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/it/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/it/img/it-default-category.jpg b/_install/langs/it/img/it-default-category.jpg
new file mode 100644
index 00000000..9b6f52a2
Binary files /dev/null and b/_install/langs/it/img/it-default-category.jpg differ
diff --git a/_install/langs/it/img/it-default-home.jpg b/_install/langs/it/img/it-default-home.jpg
new file mode 100644
index 00000000..ad285bb2
Binary files /dev/null and b/_install/langs/it/img/it-default-home.jpg differ
diff --git a/_install/langs/it/img/it-default-large.jpg b/_install/langs/it/img/it-default-large.jpg
new file mode 100644
index 00000000..1eba1b82
Binary files /dev/null and b/_install/langs/it/img/it-default-large.jpg differ
diff --git a/_install/langs/it/img/it-default-large_scene.jpg b/_install/langs/it/img/it-default-large_scene.jpg
new file mode 100644
index 00000000..3975dad6
Binary files /dev/null and b/_install/langs/it/img/it-default-large_scene.jpg differ
diff --git a/_install/langs/it/img/it-default-medium.jpg b/_install/langs/it/img/it-default-medium.jpg
new file mode 100644
index 00000000..e93aa72a
Binary files /dev/null and b/_install/langs/it/img/it-default-medium.jpg differ
diff --git a/_install/langs/it/img/it-default-small.jpg b/_install/langs/it/img/it-default-small.jpg
new file mode 100644
index 00000000..b606ba44
Binary files /dev/null and b/_install/langs/it/img/it-default-small.jpg differ
diff --git a/_install/langs/it/img/it-default-thickbox.jpg b/_install/langs/it/img/it-default-thickbox.jpg
new file mode 100644
index 00000000..ec360457
Binary files /dev/null and b/_install/langs/it/img/it-default-thickbox.jpg differ
diff --git a/_install/langs/it/img/it-default-thumb_scene.jpg b/_install/langs/it/img/it-default-thumb_scene.jpg
new file mode 100644
index 00000000..01a4d3bb
Binary files /dev/null and b/_install/langs/it/img/it-default-thumb_scene.jpg differ
diff --git a/_install/langs/it/img/it.jpg b/_install/langs/it/img/it.jpg
new file mode 100644
index 00000000..23e398b6
Binary files /dev/null and b/_install/langs/it/img/it.jpg differ
diff --git a/_install/langs/it/index.php b/_install/langs/it/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/it/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/it/install.php b/_install/langs/it/install.php
new file mode 100644
index 00000000..5e66bd5c
--- /dev/null
+++ b/_install/langs/it/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/it/',
+ 'support' => 'http://addons.prestashop.com/it/388-supporto',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/it/388-supporto',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'Errore SQL per l\'entity %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'Impossibile creare l\'immagine "%1$s" per l\'entitĂ "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Impossibile creare l\'immagine "%1$s" (errore permessi nella cartella "%2$s")',
+ 'Cannot create image "%s"' => 'Impossibile creare l\'immagine "%s"',
+ 'SQL error on query %s ' => 'Errore SQL nella query %s ',
+ '%s Login information' => '%s Informazioni login',
+ 'Field required' => 'Campo obbligatorio',
+ 'Invalid shop name' => 'nome negozio non valido',
+ 'The field %s is limited to %d characters' => 'Il campo %s puĂČ comprendere fino a %d caratteri',
+ 'Your firstname contains some invalid characters' => 'Il tuo nome contiene dei caratteri non validi',
+ 'Your lastname contains some invalid characters' => 'Il tuo cognome contiene dei caratteri non validi',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'La password non Ăš corretta (sequenza alfanumerica di almeno 8 caratteri)',
+ 'Password and its confirmation are different' => 'La password digitata non coincide con la conferma della stessa',
+ 'This e-mail address is invalid' => 'Questo indirizzo e-mail Ăš errato',
+ 'Image folder %s is not writable' => 'La cartella immagini %s non Ăš scrivibile',
+ 'An error occurred during logo copy.' => 'Si Ăš verificato un errore durante la copia del logo',
+ 'An error occurred during logo upload.' => 'Si Ăš verificato un errore durante il caricamento del logo.',
+ 'Lingerie and Adult' => 'Lingerie e adulti',
+ 'Animals and Pets' => 'Animali',
+ 'Art and Culture' => 'Arte e Cultura',
+ 'Babies' => 'Infanzia',
+ 'Beauty and Personal Care' => 'Bellezza e cura della persona',
+ 'Cars' => 'Aumotobili',
+ 'Computer Hardware and Software' => 'Computer Hardware e Software',
+ 'Download' => 'Scarica',
+ 'Fashion and accessories' => 'Moda e Accessori',
+ 'Flowers, Gifts and Crafts' => 'Fiori, regali e oggettistica',
+ 'Food and beverage' => 'Alimenti e bevande',
+ 'HiFi, Photo and Video' => 'Hi-Fi, Foto e Video',
+ 'Home and Garden' => 'Casa e giardinaggio',
+ 'Home Appliances' => 'Elettrodomestici',
+ 'Jewelry' => 'Gioielleria',
+ 'Mobile and Telecom' => 'Telefonia mobile',
+ 'Services' => 'Servizi',
+ 'Shoes and accessories' => 'Scarpe e accessori',
+ 'Sports and Entertainment' => 'Sport e divertimenti',
+ 'Travel' => 'Viaggi',
+ 'Database is connected' => 'Il database Ăš connesso',
+ 'Database is created' => 'Il database Ăš creato',
+ 'Cannot create the database automatically' => 'Non Ăš possibile creare il database automaticamente',
+ 'Create settings.inc file' => 'Creazione del file settings.inc',
+ 'Create database tables' => 'Creazione di tabelle nel database',
+ 'Create default shop and languages' => 'Creazione negozio e lingue di default',
+ 'Populate database tables' => 'Compilazione tabelle nel database',
+ 'Configure shop information' => 'Configurazione del negozio',
+ 'Install demonstration data' => 'Installazione dati dimostrativi',
+ 'Install modules' => 'Installazione moduli',
+ 'Install Addons modules' => 'Installazione moduli Addons',
+ 'Install theme' => 'Installazione del tema',
+ 'Required PHP parameters' => 'impostazioni PHP richieste',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 o successivo non attivo',
+ 'Cannot upload files' => 'Impossibile caricare i file',
+ 'Cannot create new files and folders' => 'Impossibile creare nuovi file e cartelle',
+ 'GD library is not installed' => 'La libreria GD non Ăš installata',
+ 'MySQL support is not activated' => 'Il supporto MySQL non Ăš attivo',
+ 'Files' => 'File',
+ 'Not all files were successfully uploaded on your server' => 'Non tutti i files sono stati caricati con successo sul tuo server',
+ 'Permissions on files and folders' => 'Permessi su file e cartelle',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Permessi di scrittura per l\'utente %1$s su %2$s',
+ 'Recommended PHP parameters' => 'Configurazioni PHP raccomandate',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => 'Stai utilizzando la versione %s di PHP. Presto, l\'ultima versione supportata da PrestaShop sarĂ PHP 5.4. Per essere certo di essere pronto per il futuro, ci raccomandiamo di aggiornare adesso a PHP 5.4!',
+ 'Cannot open external URLs' => 'Impossibile aprire URL esterne',
+ 'PHP register_globals option is enabled' => 'Il parametro PHP register_globals Ăš abilitato',
+ 'GZIP compression is not activated' => 'La compressione GZIP non Ăš attiva',
+ 'Mcrypt extension is not enabled' => 'L\'estensione Mcrypt non Ăš attiva',
+ 'Mbstring extension is not enabled' => 'L\'estensione Mbstring non Ăš attiva',
+ 'PHP magic quotes option is enabled' => 'L\'opzione PHP magic quotes Ăš attiva',
+ 'Dom extension is not loaded' => 'L\'estensione DOM non Ăš caricata',
+ 'PDO MySQL extension is not loaded' => 'L\'estensione PDO MySQL non Ăš caricata',
+ 'Server name is not valid' => 'Il nome del server non Ăš valido',
+ 'You must enter a database name' => 'Devi inserire il nome del database',
+ 'You must enter a database login' => 'Devi inserire un nome di accesso al database',
+ 'Tables prefix is invalid' => 'Prefisso tabelle non valido',
+ 'Cannot convert database data to utf-8' => 'Impossibile convertire i dati del database in utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Ă stata trovata almeno un\'altra tabella con lo stesso prefisso. Cambia il prefisso o cancella le altre tabelle esistenti.',
+ 'The values of auto_increment increment and offset must be set to 1' => 'I valori di auto_increment e dell\'offset devono essere impostati a 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'Impossibile connettersi al server del database. Verifica i campi con il nome di accesso, la password e il server',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'La connessione al server MySQL Ăš avvenuta con successo, ma Ăš impossibile trovare il database "%s"',
+ 'Attempt to create the database automatically' => 'Tentativo di creare il database automaticamente',
+ '%s file is not writable (check permissions)' => 'Il file %s non Ăš scrivibile (verifica i permessi)',
+ '%s folder is not writable (check permissions)' => 'La cartella %s non Ăš scrivibile (verifica i permessi)',
+ 'Cannot write settings file' => 'Impossibile generare il file di impostazioni (settings)',
+ 'Database structure file not found' => 'Struttura del database non trovata',
+ 'Cannot create group shop' => 'Impossibile creare il gruppo negozi',
+ 'Cannot create shop' => 'Impossibile creare il negozio',
+ 'Cannot create shop URL' => 'Impossibile creare l\'URL del negozio',
+ 'File "language.xml" not found for language iso "%s"' => 'File "language.xml" non trovato per la lingua con iso "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'File "language.xml" non valido per la lingua con iso "%s"',
+ 'Cannot install language "%s"' => 'Impossibile installare la lingua "%s"',
+ 'Cannot copy flag language "%s"' => 'Impossibile copiare la bandiera per la lingua "%s"',
+ 'Cannot create admin account' => 'Impossibile creare l\'account admin',
+ 'Cannot install module "%s"' => 'Impossibile installare il modulo "%s"',
+ 'Fixtures class "%s" not found' => 'Classe fixture "%s" non trovata',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" deve essere un\'istanza di "InstallXmlLoader"',
+ 'Information about your Store' => 'Informazioni relative al negozio',
+ 'Shop name' => 'Nome del negozio',
+ 'Main activity' => 'AttivitĂ principale',
+ 'Please choose your main activity' => 'Seleziona l\'attivitĂ principale',
+ 'Other activity...' => 'Altre attivitĂ ...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Aiutaci a conoscerti per orientarti al meglio e proporti le funzioni piĂč adatte alla tua attivitĂ !',
+ 'Install demo products' => 'Installazione prodotti dimostrativi',
+ 'Yes' => 'SĂŹ',
+ 'No' => 'No',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'I prodotti dimostrativi sono un buon modo per imparare a utilizzare PrestaShop. Dovresti installarli se non hai ancora dimestichezza con la piattaforma.',
+ 'Country' => 'Nazione',
+ 'Select your country' => 'Seleziona il tuo paese',
+ 'Shop timezone' => 'Fuso orario (timezone) del negozio',
+ 'Select your timezone' => 'Seleziona il tuo fuso orario',
+ 'Shop logo' => 'Logo del negozio',
+ 'Optional - You can add you logo at a later time.' => 'Facoltativo â Potrai aggiungerlo in un secondo momento.',
+ 'Your Account' => 'Il tuo account',
+ 'First name' => 'Nome',
+ 'Last name' => 'Cognome',
+ 'E-mail address' => 'Indirizzo email',
+ 'This email address will be your username to access your store\'s back office.' => 'Questo indirizzo email sarĂ il tuo nome utente con cui potrai accedere all\'interfaccia di gestione del negozio.',
+ 'Shop password' => 'Password del negozio',
+ 'Must be at least 8 characters' => 'Minimo 8 caratteri',
+ 'Re-type to confirm' => 'Digita nuovamente la password',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'Tutte le informazioni che ci vengono date sono da noi raccolte e sottoposte a elaborazione dati a scopo statistico. Esse sono necessarie ai membri di PrestaShop per rispondere alle vostre richieste. I vostri dati personali possono essere comunicati a fornitori di servizi e a partner commerciali. Ai sensi del D. Lgs. 196/2003, avete il diritto di accedere, rettificare e opporvi all\'elaborazione dei vostri dati personali mediante questo link .',
+ 'Configure your database by filling out the following fields' => 'Configura il database compilando i campi sottostanti',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Per utilizzare Prestashop, devi creare un database per salvare i dati e le attivitĂ del tuo negozio.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Compila i campi sottostanti per far sĂŹ che PrestaShop possa connettersi al tuo database.',
+ 'Database server address' => 'Indirizzo server del database',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'La porta di default Ăš 3306. Per usare un\'altra porta, digita il numero della porta alla fine dell\'indirizzo server. Ad esempio ":4242".',
+ 'Database name' => 'Nome del database',
+ 'Database login' => 'Nome di accesso database',
+ 'Database password' => 'Password del database',
+ 'Database Engine' => 'Motore Database',
+ 'Tables prefix' => 'Prefisso delle tabelle',
+ 'Drop existing tables (mode dev)' => 'Cancella le tabelle esistenti (modalitĂ dev)',
+ 'Test your database connection now!' => 'Verifica adesso la connessione al tuo database!',
+ 'Next' => 'Successivo',
+ 'Back' => 'Indietro',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Se hai bisogno di aiuto il nostro team puĂČ offriti un supporto personalizzato . Inoltre Ăš disponibile la documentazione ufficiale .',
+ 'Official forum' => 'Forum ufficiale',
+ 'Support' => 'Assistenza',
+ 'Documentation' => 'Documentazione',
+ 'Contact us' => 'Contattaci',
+ 'PrestaShop Installation Assistant' => 'Assistente di Installazione PrestaShop',
+ 'Forum' => 'Forum',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'Contattaci!',
+ 'menu_welcome' => 'Scegli la tua lingua',
+ 'menu_license' => 'Accettazione licenze',
+ 'menu_system' => 'CompatibilitĂ sistema',
+ 'menu_configure' => 'Informazioni negozio',
+ 'menu_database' => 'Configurazione del sistema',
+ 'menu_process' => 'Installazione del negozio',
+ 'Installation Assistant' => 'Assistente di Installazione',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Per installare PrestaShop, devi avere JavaScript abilitato nel tuo browser.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/it/',
+ 'License Agreements' => 'Accordi di licenza',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Per godere delle svariate funzioni che PrestaShop offre gratuitamente, si prega di leggere le condizioni di licenza qui di seguito. Il nucleo di PrestaShop Ăš rilasciato sotto licenza OSL 3.0, mentre i moduli e i temi sono rilasciati sotto licenza AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'Accetto i termini e le condizioni dei presenti accordi.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Accetto di contribuire al miglioramento della piattaforma mediante l\'invio di informazioni anonime sulla mia configurazione.',
+ 'Done!' => 'Fatto!',
+ 'An error occurred during installation...' => 'Si Ăš verificato un errore durante l\'installazione...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'Puoi usare i link sulla colonna di sinistra per tornare indietro alle fasi precedenti, oppure puoi riavviare il processo di installazione cliccando qui .',
+ 'Your installation is finished!' => 'Installazione conclusa!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Il tuo negozio Ăš stato installato correttamente. Grazie per aver scelto PrestaShop!',
+ 'Please remember your login information:' => 'Ricorda le credenziali per il login:',
+ 'E-mail' => 'Email',
+ 'Print my login information' => 'Stampa le credenziali per il login',
+ 'Password' => 'Password',
+ 'Display' => 'Visualizzazione',
+ 'For security purposes, you must delete the "install" folder.' => 'Per motivi di sicurezza, devi cancellare la cartella "install".',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Pannello di amministrazione',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Gestisci il tuo negozio tramite il Back Office. Gestisci ordini e clienti, aggiungi moduli, modifica i temi, ecc.',
+ 'Manage your store' => 'Gestisci il negozio',
+ 'Front Office' => 'Front Office',
+ 'Discover your store as your future customers will see it!' => 'Scopri come i tuoi futuri clienti vedranno il negozio!',
+ 'Discover your store' => 'Scopri il negozio',
+ 'Share your experience with your friends!' => 'Condividi la tua esperienza con i tuoi amici!',
+ 'I just built an online store with PrestaShop!' => 'Sto costruendo un e-commerce con Prestashop!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Da\' un\'occhiata a questa esilarante esperienza: http://vimeo.com/89298199',
+ 'Tweet' => 'Twitta',
+ 'Share' => 'Condividi',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Acquista su PrestaShop Addons per aggiungere estensioni extra per il tuo negozio!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'Stiamo verificando la compatibilitĂ di PrestaShop con il tuo sistema',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Se hai domande o dubbi, visita la nostra documentazione e il forum dedicato alla nostra comunitĂ .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'La compatibilitĂ del tuo sistema con PrestaShop Ăš stata verificata!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Ops! Correggi i seguenti punti, quindi clicca sul pulsante "Aggiorna" per verificare la compatibilitĂ di PrestaShop del tuo nuovo sistema.',
+ 'Refresh these settings' => 'Aggiorna le impostazioni',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop richiede almeno 32 MB di memoria per girare: si prega di controllare la direttiva memory_limit nel file php.ini o contatta il tuo fornitore di hosting.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Attenzione: Non puoi utilizzare piĂč questo strumento per aggiornare il tuo negozio. Hai giĂ installato PrestaShop versione %1$s . Se vuoi aggiornare all\'ultima versione, leggi la nostra documentazione: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'Benvenuto nell\'Assistente di Installazione di PrestaShop %s',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Installare PrestaShop Ăš veloce e facile. In pochi istanti farai parte di una comunitĂ composta da piĂč di 230.000 venditori. Stai per creare il tuo personale negozio online che potrai gestire con facilitĂ ogni giorno.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'Se hai bisogno di aiuto, guarda il tutorial , o consulta check la documentazione ufficiale .',
+ 'Continue the installation in:' => 'Continua l\'installazione in:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'La selezione della lingua qui sopra Ăš valida solamente nell\'Assistente di Installazione. Una volta che il negozio Ăš installato, potrai scegliere la lingua del negozio tra le oltre %d traduzioni disponibili gratuitamente!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Installare PrestaShop Ăš veloce e facile. In pochi istanti farai parte di una comunitĂ composta da piĂč di 250.000 venditori. Stai per creare il tuo personale negozio online che potrai gestire con facilitĂ ogni giorno.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/it/language.xml b/_install/langs/it/language.xml
new file mode 100644
index 00000000..722e2a43
--- /dev/null
+++ b/_install/langs/it/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ it
+ d/m/Y
+ d/m/Y H:i:s
+ false
+
\ No newline at end of file
diff --git a/_install/langs/it/mail_identifiers.txt b/_install/langs/it/mail_identifiers.txt
new file mode 100644
index 00000000..aa8ebea8
--- /dev/null
+++ b/_install/langs/it/mail_identifiers.txt
@@ -0,0 +1,12 @@
+Salve {firstname} {lastname},
+
+I dati personali di login del tuo negozio {shop_name}:
+
+* Password: {passwd}
+* Indirizzo e-mail: {email}
+
+{shop_name} - {shop_url}
+
+
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/lt/data/carrier.xml b/_install/langs/lt/data/carrier.xml
new file mode 100644
index 00000000..343fa6f5
--- /dev/null
+++ b/_install/langs/lt/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Pick up in-store
+
+
diff --git a/_install/langs/lt/data/category.xml b/_install/langs/lt/data/category.xml
new file mode 100644
index 00000000..87b90b95
--- /dev/null
+++ b/_install/langs/lt/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Root
+
+ root
+
+
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/lt/data/cms.xml b/_install/langs/lt/data/cms.xml
new file mode 100644
index 00000000..862d84ff
--- /dev/null
+++ b/_install/langs/lt/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ю</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ю</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/_install/langs/lt/data/cms_category.xml b/_install/langs/lt/data/cms_category.xml
new file mode 100644
index 00000000..ceb8cf49
--- /dev/null
+++ b/_install/langs/lt/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/lt/data/configuration.xml b/_install/langs/lt/data/configuration.xml
new file mode 100644
index 00000000..b4bf4ef6
--- /dev/null
+++ b/_install/langs/lt/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/_install/langs/lt/data/contact.xml b/_install/langs/lt/data/contact.xml
new file mode 100644
index 00000000..bdc0b24d
--- /dev/null
+++ b/_install/langs/lt/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/_install/langs/lt/data/country.xml b/_install/langs/lt/data/country.xml
new file mode 100644
index 00000000..d57ea1e3
--- /dev/null
+++ b/_install/langs/lt/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
+
+
+ Andorra
+
+
+ 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/_install/langs/lt/data/gender.xml b/_install/langs/lt/data/gender.xml
new file mode 100644
index 00000000..2b2a4aa5
--- /dev/null
+++ b/_install/langs/lt/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/lt/data/group.xml b/_install/langs/lt/data/group.xml
new file mode 100644
index 00000000..2d1b7093
--- /dev/null
+++ b/_install/langs/lt/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/lt/data/index.php b/_install/langs/lt/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/lt/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/lt/data/meta.xml b/_install/langs/lt/data/meta.xml
new file mode 100644
index 00000000..f5e49496
--- /dev/null
+++ b/_install/langs/lt/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
+
+
+
+ Shop powered by PrestaShop
+
+
+
+
+ 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/_install/langs/lt/data/order_return_state.xml b/_install/langs/lt/data/order_return_state.xml
new file mode 100644
index 00000000..37ad31de
--- /dev/null
+++ b/_install/langs/lt/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ Waiting for confirmation
+
+
+ Waiting for package
+
+
+ Package received
+
+
+ Return denied
+
+
+ Return completed
+
+
diff --git a/_install/langs/lt/data/order_state.xml b/_install/langs/lt/data/order_state.xml
new file mode 100644
index 00000000..df07fb2e
--- /dev/null
+++ b/_install/langs/lt/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ Awaiting check payment
+ cheque
+
+
+ Payment accepted
+ payment
+
+
+ Processing in progress
+ preparation
+
+
+ Shipped
+ shipped
+
+
+ Delivered
+
+
+
+ Canceled
+ order_canceled
+
+
+ Refund
+ refund
+
+
+ Payment error
+ payment_error
+
+
+ On backorder (paid)
+ outofstock
+
+
+ On backorder (not paid)
+ outofstock
+
+
+ Awaiting bank wire payment
+ bankwire
+
+
+ Awaiting PayPal payment
+
+
+
+ Remote payment accepted
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/lt/data/profile.xml b/_install/langs/lt/data/profile.xml
new file mode 100644
index 00000000..7352a78c
--- /dev/null
+++ b/_install/langs/lt/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/lt/data/quick_access.xml b/_install/langs/lt/data/quick_access.xml
new file mode 100644
index 00000000..72e5a5b9
--- /dev/null
+++ b/_install/langs/lt/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/lt/data/risk.xml b/_install/langs/lt/data/risk.xml
new file mode 100644
index 00000000..bb8bf6dd
--- /dev/null
+++ b/_install/langs/lt/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/lt/data/stock_mvt_reason.xml b/_install/langs/lt/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..e04ec4eb
--- /dev/null
+++ b/_install/langs/lt/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Increase
+
+
+ Decrease
+
+
+ Customer Order
+
+
+ Regulation following an inventory of stock
+
+
+ Regulation following an inventory of stock
+
+
+ Transfer to another warehouse
+
+
+ Transfer from another warehouse
+
+
+ Supply Order
+
+
diff --git a/_install/langs/lt/data/supplier_order_state.xml b/_install/langs/lt/data/supplier_order_state.xml
new file mode 100644
index 00000000..dfc4ce42
--- /dev/null
+++ b/_install/langs/lt/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/lt/data/supply_order_state.xml b/_install/langs/lt/data/supply_order_state.xml
new file mode 100644
index 00000000..1e8903f0
--- /dev/null
+++ b/_install/langs/lt/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Creation in progress
+
+
+ 2 - Order validated
+
+
+ 3 - Pending receipt
+
+
+ 4 - Order received in part
+
+
+ 5 - Order received completely
+
+
+ 6 - Order canceled
+
+
diff --git a/_install/langs/lt/data/tab.xml b/_install/langs/lt/data/tab.xml
new file mode 100644
index 00000000..8d030940
--- /dev/null
+++ b/_install/langs/lt/data/tab.xml
@@ -0,0 +1,102 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/lt/flag.jpg b/_install/langs/lt/flag.jpg
new file mode 100644
index 00000000..801144e9
Binary files /dev/null and b/_install/langs/lt/flag.jpg differ
diff --git a/_install/langs/lt/img/index.php b/_install/langs/lt/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/lt/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/lt/img/lt-default-category.jpg b/_install/langs/lt/img/lt-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/lt/img/lt-default-category.jpg differ
diff --git a/_install/langs/lt/img/lt-default-home.jpg b/_install/langs/lt/img/lt-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/lt/img/lt-default-home.jpg differ
diff --git a/_install/langs/lt/img/lt-default-large.jpg b/_install/langs/lt/img/lt-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/lt/img/lt-default-large.jpg differ
diff --git a/_install/langs/lt/img/lt-default-large_scene.jpg b/_install/langs/lt/img/lt-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/lt/img/lt-default-large_scene.jpg differ
diff --git a/_install/langs/lt/img/lt-default-medium.jpg b/_install/langs/lt/img/lt-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/lt/img/lt-default-medium.jpg differ
diff --git a/_install/langs/lt/img/lt-default-small.jpg b/_install/langs/lt/img/lt-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/lt/img/lt-default-small.jpg differ
diff --git a/_install/langs/lt/img/lt-default-thickbox.jpg b/_install/langs/lt/img/lt-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/lt/img/lt-default-thickbox.jpg differ
diff --git a/_install/langs/lt/img/lt-default-thumb_scene.jpg b/_install/langs/lt/img/lt-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/lt/img/lt-default-thumb_scene.jpg differ
diff --git a/_install/langs/lt/img/lt.jpg b/_install/langs/lt/img/lt.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/lt/img/lt.jpg differ
diff --git a/_install/langs/lt/index.php b/_install/langs/lt/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/lt/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/lt/install.php b/_install/langs/lt/install.php
new file mode 100644
index 00000000..3b5a3c11
--- /dev/null
+++ b/_install/langs/lt/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'Äźvyko SQL klaida subjekte %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'Nepavyko sukurti paveiksliuko "%1$s" subjektui "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Nepavyko sukurti paveiksliuko "%1$s" (blogi leidimai katalogui "%2$s")',
+ 'Cannot create image "%s"' => 'Negalima sukurti paveiksliuko "%s"',
+ 'SQL error on query %s ' => 'SQL klaida uĆŸklausoje %s ',
+ '%s Login information' => '%s prisijungimo duomenys',
+ 'Field required' => 'Privalomas laukas',
+ 'Invalid shop name' => 'Klaidingas el. parduotuvÄs pavadinimas',
+ 'The field %s is limited to %d characters' => 'Laukelyje %s yra ribojamas simboliĆł kiekis iki %d',
+ 'Your firstname contains some invalid characters' => 'JĆ«sĆł vardas turi neleistinĆł simboliĆł',
+ 'Your lastname contains some invalid characters' => 'JĆ«sĆł pavardÄ turi neleistinĆł simboliĆł.',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Neteisingas slaptaĆŸodis (turi bĆ«ti skaiÄiai ir raidÄs, nemaĆŸiau 8 simboliĆł)',
+ 'Password and its confirmation are different' => 'SlaptaĆŸodis ir jo patvirtinimas yra skirtingi',
+ 'This e-mail address is invalid' => 'Elektroninio paĆĄto adresas yra neteisingas',
+ 'Image folder %s is not writable' => 'PaveiksliukĆł katalogas %s neturi raĆĄymo teisiĆł',
+ 'An error occurred during logo copy.' => 'Äźvyko klaida kopijuojant logotipÄ
.',
+ 'An error occurred during logo upload.' => 'Äźvyko klaida ÄŻkeliant logotipÄ
.',
+ 'Lingerie and Adult' => 'Apatiniai drabuĆŸiai ir suaugusiĆł prekÄs',
+ 'Animals and Pets' => 'Gyvuliai ir naminiai gyvƫnai',
+ 'Art and Culture' => 'Menas ir kultƫra',
+ 'Babies' => 'KĆ«dikiai',
+ 'Beauty and Personal Care' => 'Kosmetika ir higiena',
+ 'Cars' => 'Automobiliai',
+ 'Computer Hardware and Software' => 'KompiuteriĆł ÄŻranga ir programos',
+ 'Download' => 'AtsisiĆłsti',
+ 'Fashion and accessories' => 'Mados ir aksesuarai',
+ 'Flowers, Gifts and Crafts' => 'GÄlÄs, dovanos ir rankdarbiai',
+ 'Food and beverage' => 'Maistas ir gÄrimai',
+ 'HiFi, Photo and Video' => 'Audio, video ir foto technika',
+ 'Home and Garden' => 'Namai ir sodai',
+ 'Home Appliances' => 'NamĆł reikmenys',
+ 'Jewelry' => 'Juvelyrika',
+ 'Mobile and Telecom' => 'Telekomunikacijos',
+ 'Services' => 'Paslaugos',
+ 'Shoes and accessories' => 'Batai ir aksesuarai',
+ 'Sports and Entertainment' => 'Sportas ir pramogos',
+ 'Travel' => 'KelionÄs',
+ 'Database is connected' => 'DuomenĆł bazÄ prijungta',
+ 'Database is created' => 'DuomenĆł bazÄ sukurta',
+ 'Cannot create the database automatically' => 'Nepavyko sukurti duomenĆł bazÄs automatiĆĄkai',
+ 'Create settings.inc file' => 'Sukurti settings.inc failÄ
',
+ 'Create database tables' => 'Sukurti duomenĆł bazÄs lenteles ',
+ 'Create default shop and languages' => 'Sukurti numatytÄ
jÄ
parduotuvÄ ir kalbas',
+ 'Populate database tables' => 'UĆŸpildyti duomenĆł bazÄs lenteles',
+ 'Configure shop information' => 'Redaguoti parduotuvÄs informacijÄ
',
+ 'Install demonstration data' => 'Äźdiegti demonstracinius duomenis',
+ 'Install modules' => 'Äźdiegti modulius',
+ 'Install Addons modules' => 'Äźdiegti Addons modulius',
+ 'Install theme' => 'Äźdiegti temÄ
',
+ 'Required PHP parameters' => 'Privalomi PHP parametrai',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 arba naujesnÄ versija neÄŻjungta',
+ 'Cannot upload files' => 'Nepavyko ÄŻkelti failĆł',
+ 'Cannot create new files and folders' => 'Nepavyko sukurti naujĆł failĆł ir katalogĆł',
+ 'GD library is not installed' => 'GD biblioteka neÄŻdiegta',
+ 'MySQL support is not activated' => 'MySQL palaikymas neaktyvuotas',
+ 'Files' => 'Failai',
+ 'Not all files were successfully uploaded on your server' => 'Ne visi failai sÄkmingai ÄŻkelti ÄŻ serverÄŻ',
+ 'Permissions on files and folders' => 'FailĆł ir katalogĆł leidimai',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Rekursiniai raĆĄymo leidimai %1$s vartotojui %2$s',
+ 'Recommended PHP parameters' => 'Rekomenduojami PHP parametrai',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => 'JĆ«s naudojate PHP %s versijÄ
. Greitai, paskutinÄ PrestaShop palaikoma PHP versija bus PHP 5.4. Kad bĆ«tumÄte pasiruoĆĄÄ ateiÄiai, siĆ«lome jums atsinaujinti iki PHP 5.4 dabar!',
+ 'Cannot open external URLs' => 'Nepavyko atidaryti iĆĄorinio URL',
+ 'PHP register_globals option is enabled' => 'PHP register_globals funkcija ÄŻjungta',
+ 'GZIP compression is not activated' => 'GZIP suspaudimas neaktyvuotas',
+ 'Mcrypt extension is not enabled' => 'Mcrypt plÄtinys neÄŻjungtas',
+ 'Mbstring extension is not enabled' => 'Mbstring plÄtinys neÄŻjungtas',
+ 'PHP magic quotes option is enabled' => 'PHP nustatymas "magic quotes" ÄŻjungtas',
+ 'Dom extension is not loaded' => 'NeuĆŸkrautas DOM plÄtinys',
+ 'PDO MySQL extension is not loaded' => 'PDO MySQL plÄtinys neuĆŸkrautas',
+ 'Server name is not valid' => 'Neteisingas serverio pavadinimas',
+ 'You must enter a database name' => 'Turite ÄŻvesti duomenĆł bazÄs pavadinimÄ
',
+ 'You must enter a database login' => 'Turite ÄŻvesti duomenĆł bazÄs prisijungimo duomenis',
+ 'Tables prefix is invalid' => 'Neteisingas lentelÄs prieĆĄdÄlis',
+ 'Cannot convert database data to utf-8' => 'Nepavyko konvertuoti duomenĆł bazÄs duomenĆł ÄŻ utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Rasta maĆŸiausiai viena lentelÄ su tokiu paÄiu prieĆĄdÄliu, pakeiskite prieĆĄdÄlÄŻ arba paĆĄalinkite duomenĆł bazÄ',
+ 'The values of auto_increment increment and offset must be set to 1' => '"auto_increment" ir "offset" reikĆĄmÄs turi bĆ«ti lygios skaiÄiui 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'DuomenĆł bazÄs serveris nerastas. Pasitikrinkite prisijungimo vardÄ
, slaptaĆŸodÄŻ ir kitus laukus',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'RyĆĄys su MySQL sÄkmingas, taÄiau nerasta "%s" duomenĆł bazÄ',
+ 'Attempt to create the database automatically' => 'Bandyti sukurti duomenĆł bazÄ automatiĆĄkai',
+ '%s file is not writable (check permissions)' => '%s failas neturi raĆĄymo teisiĆł (patikrinkite leidimus)',
+ '%s folder is not writable (check permissions)' => '%s katalogas neturi raĆĄymo teisiĆł (patikrinkite leidimus)',
+ 'Cannot write settings file' => 'Nepavyko raĆĄyti ÄŻ nustatymĆł failÄ
',
+ 'Database structure file not found' => 'Nerastas duomenĆł bazÄs struktĆ«ros failas',
+ 'Cannot create group shop' => 'Nepavyko sukurti parduotuviĆł grupÄs',
+ 'Cannot create shop' => 'Nepavyko sukurti parduotuvÄs',
+ 'Cannot create shop URL' => 'Nepavyko sukurti parduotuvÄs URL',
+ 'File "language.xml" not found for language iso "%s"' => 'Failas "language.xml" nerastas kalbai, kurios ISO kodas yra "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'Failas "language.xml" yra neteisingas kalbai, kurios ISO kodas yra "%s"',
+ 'Cannot install language "%s"' => 'Nepavyko ÄŻdiegti kalbos "%s"',
+ 'Cannot copy flag language "%s"' => 'Nepavyko nukopijuoti kalbos vÄliavÄlÄs "%s"',
+ 'Cannot create admin account' => 'Nepavyko sukurti admin paskyros',
+ 'Cannot install module "%s"' => 'Nepavyko ÄŻdiegti modulio "%s"',
+ 'Fixtures class "%s" not found' => 'TestiniĆł duomenĆł klasÄ "%s" nerasta',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" privalo bĆ«ti klasÄs "InstallXmlLoader" instancija',
+ 'Information about your Store' => 'Informacija apie jĆ«sĆł parduotuvÄ',
+ 'Shop name' => 'ParduotuvÄs pavadinimas',
+ 'Main activity' => 'PagrindinÄ veikla',
+ 'Please choose your main activity' => 'PraĆĄome nurodyti pagrindinÄ veiklos kryptÄŻ',
+ 'Other activity...' => 'Kita veikla...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'PadÄkite mums suĆŸinoti daugiau apie jĆ«sĆł parduotuvÄ, tuomet mes galÄsime jums pasiĆ«lytĆł optimalĆł gidÄ
ir geriausius pasiƫlymus jƫsƳ verslui!',
+ 'Install demo products' => 'Äźdiegti testines prekes',
+ 'Yes' => 'Taip',
+ 'No' => 'Ne',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'TestinÄs prekÄs yra geras bĆ«das iĆĄmokti naudotis PrestaShop. Äźdiekite jas.',
+ 'Country' => 'Ć alis',
+ 'Select your country' => 'Pasirinkite ĆĄalÄŻ',
+ 'Shop timezone' => 'El. parduotuvÄs laiko juosta',
+ 'Select your timezone' => 'Pasirinkite savo laiko juostÄ
',
+ 'Shop logo' => 'El. parduotuvÄs logotipas',
+ 'Optional - You can add you logo at a later time.' => 'Neprivaloma - LogotipÄ
galÄsite pridÄti ir vÄliau.',
+ 'Your Account' => 'JĆ«sĆł paskyra',
+ 'First name' => 'Vardas',
+ 'Last name' => 'PavardÄ',
+ 'E-mail address' => 'El. paĆĄto adresas',
+ 'This email address will be your username to access your store\'s back office.' => 'Ć is el. paĆĄto adresas bus jĆ«sĆł prisijungimo vardas prie parduotuvÄs administracinÄs aplinkos.',
+ 'Shop password' => 'El. parduotuvÄs slaptaĆŸodis',
+ 'Must be at least 8 characters' => 'Turi bƫti ne trumpesnis, kaip 8 simboliƳ',
+ 'Re-type to confirm' => 'Pakartokite patvirtinimui',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'Visa informacija, gauta iĆĄ jĆ«sĆł yra naudojama duomenĆł analizei ir statistikai sudaryti. Ji reikalinga PrestaShop kompanijos darbuotojams geriau paĆŸinti jĆ«sĆł poreikius. JĆ«sĆł asmeniniai duomenys gali but perduoti paslaugĆł tiekÄjams ir partneriams pagal sutartis ir ÄŻsipareigojimus. Pagal dabartinÄŻ teisinÄŻ aktÄ
"DuomenĆł apdorojimo, duomenĆł failĆł ir asmeniniĆł laisviĆł aktÄ
" jĆ«s turite teisÄ perĆŸiĆ«rÄti, tikslinti ir prieĆĄtarauti jĆ«sĆł duomenĆł panaudojimui per Äia: link .',
+ 'Configure your database by filling out the following fields' => 'SukonfigĆ«ruokite duomenĆł bazÄ uĆŸpildydami ĆĄiuos laikus',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'NorÄdami naudoti PrestaShop, turite sukurti duomenĆł bazÄ visai su jĆ«sĆł parduotuve susijusiai informacijai saugoti.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'UĆŸpildykite ĆŸemiau esanÄius laukus tam, kad PrestaShop galÄtĆł prisijungti prie jĆ«sĆł duomenĆł bazÄs. ',
+ 'Database server address' => 'DuomenĆł bazÄs serverio adresas',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Numatytasis portas yra 3306. Jei norite naudoti kitÄ
portÄ
, pridÄkite jÄŻ prie serverio adreso galo, pvz.: ":4242".',
+ 'Database name' => 'DuomenĆł bazÄs pavadinimas',
+ 'Database login' => 'DuomenĆł bazÄs prisijungimas',
+ 'Database password' => 'DuomenĆł bazÄs slaptaĆŸodis',
+ 'Database Engine' => 'DuomenĆł bazÄs variklis',
+ 'Tables prefix' => 'LenteliĆł prieĆĄdÄlis',
+ 'Drop existing tables (mode dev)' => 'Sunaikinti (DROP) egzistuojanÄias lenteles (dev rÄĆŸimas)',
+ 'Test your database connection now!' => 'Patikrinkite duomenĆł bazÄs prisijungimÄ
dabar!',
+ 'Next' => 'TÄsti',
+ 'Back' => 'Atgal',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Jei jums reikia pagalbos, jĆ«s galite gauti reikiamÄ
pagalbÄ
iĆĄ mĆ«sĆł aptarnavimo komandos. Oficiali dokumentacija taip pat gali jums padÄti.',
+ 'Official forum' => 'Oficialus forumas',
+ 'Support' => 'Pagalba',
+ 'Documentation' => 'Dokumentacija',
+ 'Contact us' => 'Susisiekite su mumis',
+ 'PrestaShop Installation Assistant' => 'PrestaShop ÄŻdiegimo asistentas',
+ 'Forum' => 'Forumas',
+ 'Blog' => 'TinklaraĆĄtis',
+ 'Contact us!' => 'Susisiekite su mumis!',
+ 'menu_welcome' => 'Pasirinkite kalbÄ
',
+ 'menu_license' => 'LicencinÄs sutartys',
+ 'menu_system' => 'Sistemos suderinamumas',
+ 'menu_configure' => 'ParduotuvÄs informacija',
+ 'menu_database' => 'Sistemos konfigƫravimas',
+ 'menu_process' => 'ParduotuvÄs diegimas',
+ 'Installation Assistant' => 'Äźdiegimo asistentas',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'NorÄdami ÄŻdiegti PrestaShop, turite ÄŻjungti JavaScript savo narĆĄyklÄje.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/',
+ 'License Agreements' => 'LicencinÄs sutartys',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'NorÄdami turÄti daugiau funkcijĆł, kurias nemokamai siĆ«lo PrestaShop, perskaitykite ĆŸemiau esanÄias licencijos sÄ
lygas. PrestaShop branduolys yra licencijuotas pagal OSL 3.0, o moduliai ir temos licencijuotos pagal PP 3.0.',
+ 'I agree to the above terms and conditions.' => 'AĆĄ sutinku su nurodytomis nuostatomis ir sÄ
lygomis.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'AĆĄ sutinku prisidÄti prie platformos tobulinimo siunÄiant anoniminÄ informacijÄ
apie save konfigĆ«racijÄ
.',
+ 'Done!' => 'Atlikta!',
+ 'An error occurred during installation...' => 'Diegimo metu ÄŻvyko klaida...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'Galite naudoti kairiame stulpelyje esanÄius grÄŻĆŸti atgal ĆŸingsnius arba iĆĄ naujo paleiskite diegimo procesÄ
paspausdami Äia .',
+ 'Your installation is finished!' => 'Diegimas baigtas!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Diegimas baigtas. DÄkojame, kad naudojates PrestaShop!',
+ 'Please remember your login information:' => 'JĆ«sĆł prisijungimo informacija:',
+ 'E-mail' => 'El. paĆĄtas',
+ 'Print my login information' => 'Spausdinti mano prisijungimo informacijÄ
',
+ 'Password' => 'SlaptaĆŸodis',
+ 'Display' => 'Rodyti',
+ 'For security purposes, you must delete the "install" folder.' => 'Saugumo sumetimais, privalote iĆĄtrinti "install" katalogÄ
.',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'AdministracinÄ dalis',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Valdykite savo parduotuvÄje naudojantis administracine dalimi. Tvarkykite uĆŸsakymus ir klientus, ÄŻdiekite modulius, keiskite temas ir pan.',
+ 'Manage your store' => 'Valdyti parduotuvÄ',
+ 'Front Office' => 'ParduotuvÄ',
+ 'Discover your store as your future customers will see it!' => 'Pamatykite savo parduotuvÄ taip, kaip jÄ
matys jƫs bƫsimi klientai!',
+ 'Discover your store' => 'ĆœiĆ«rÄti parduotuvÄ',
+ 'Share your experience with your friends!' => 'Pasidalinkite savo patirtimi su draugais!',
+ 'I just built an online store with PrestaShop!' => 'AĆĄ kÄ
tik sukĆ«riau el. parduotuvÄ naudojantis PrestaShop!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Pamatykite ĆĄiÄ
nepakartojamÄ
patirtÄŻ: http://vimeo.com/89298199',
+ 'Tweet' => 'Twitter',
+ 'Share' => 'Dalintis',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Apsilankykite PrestaShop Addons svetainÄje, jei norite pridÄti kaĆŸkÄ
papildomo savo parduotuvei!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'Ć iuo metu tikriname PrestaShop suderinamumÄ
su jƫsƳ sistemos aplinka',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Jei turite kokiĆł nors klausimĆł, perĆŸiĆ«rÄkite mĆ«sĆł dokumentacijÄ
ir bendruomenÄs forumÄ
.',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'PrestaShop suderinamumas su jƫsƳ sistemos aplinka patikrintas!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Pataisykite ĆŸemiau esantÄŻ elementÄ
(-us) ir tada paspauskite "Atnaujinti informacijÄ
", kad bĆ«tĆł galima iĆĄtestuoti suderinamumÄ
su jƫsƳ sistema.',
+ 'Refresh these settings' => 'Atnaujinti ĆĄiuos nustatymus',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop paleisti reikia maĆŸiausiai 32 MB atminties: patikrinkite memory_limit direktyvÄ
php.ini faile arba susisiekite su hostingo paslaugĆł teikÄju.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'DÄmesio: daugiau negalite naudoti ĆĄio ÄŻrankio parduotuvÄs atnaujinimui. JĆ«s jau turitePrestaShop versijÄ
%1$s ÄŻdiegtÄ
. Jei norite atnaujinti ÄŻ naujausiÄ
versijÄ
, skaitykite dokumentacijÄ
: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'Sveiki atvykÄ ÄŻ PrestaShop %s ÄŻdiegimo vedlÄŻ',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'PrestaShop ÄŻdiegimas yra greitas ir paprastas. Vos po keliĆł akimirkĆł jĆ«s tapsite bendruomenÄs, kuriÄ
sudaro daugiau nei 200 000 pardavÄjĆł, dalimi. Esate savo unikalios el. parduotuvÄs, kuriÄ
galÄsite lengvai valdyti kiekvienÄ
dienÄ
, kƫrimo kelyje.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'Jei jums reikia pagalbos, nedvejodami perĆŸiĆ«rÄkite ĆĄÄŻ trumpÄ
pradĆŸiamokslÄŻ , arba patikrinkite dokumentacijÄ
.',
+ 'Continue the installation in:' => 'TÄsti ÄŻdiegimÄ
:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Kalbos pasirinkimas taikomas tik diegimo asistentui. Kai jĆ«sĆł parduotuvÄ bus ÄŻdiegta, galÄsite savo parduotuvei parinkti kalbÄ
iĆĄ daugiau nei %d vertimĆł, ir visa tai nemokamai!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'PrestaShop ÄŻdiegimas yra greitas ir paprastas. Vos po keliĆł akimirkĆł jĆ«s tapsite bendruomenÄs, kuriÄ
sudaro daugiau nei 250 000 pardavÄjĆł, dalimi. Esate savo unikalios el. parduotuvÄs, kuriÄ
galÄsite lengvai valdyti kiekvienÄ
dienÄ
, kƫrimo kelyje.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/lt/language.xml b/_install/langs/lt/language.xml
new file mode 100644
index 00000000..4f99b37e
--- /dev/null
+++ b/_install/langs/lt/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ lt-lt
+ d/m/Y
+ d/m/Y H:i:s
+ false
+
diff --git a/_install/langs/lt/mail_identifiers.txt b/_install/langs/lt/mail_identifiers.txt
new file mode 100644
index 00000000..3f768acb
--- /dev/null
+++ b/_install/langs/lt/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Hi {firstname} {lastname},
+
+Here is your personal login information for {shop_name}:
+
+Password: {passwd}
+E-mail address: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/mk/data/carrier.xml b/_install/langs/mk/data/carrier.xml
new file mode 100644
index 00000000..343fa6f5
--- /dev/null
+++ b/_install/langs/mk/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Pick up in-store
+
+
diff --git a/_install/langs/mk/data/category.xml b/_install/langs/mk/data/category.xml
new file mode 100644
index 00000000..87b90b95
--- /dev/null
+++ b/_install/langs/mk/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Root
+
+ root
+
+
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/mk/data/cms.xml b/_install/langs/mk/data/cms.xml
new file mode 100644
index 00000000..f966a34b
--- /dev/null
+++ b/_install/langs/mk/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 Web site was created using <a href="http://www.prestashop.com">PrestaShop</a>™ open-source software.</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ю</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ю</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="http://192.168.9.41/prestashop1601/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 mean
+ 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 services</p>
+ secure-payment
+
+
diff --git a/_install/langs/mk/data/cms_category.xml b/_install/langs/mk/data/cms_category.xml
new file mode 100644
index 00000000..ceb8cf49
--- /dev/null
+++ b/_install/langs/mk/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/mk/data/configuration.xml b/_install/langs/mk/data/configuration.xml
new file mode 100644
index 00000000..26e86e4f
--- /dev/null
+++ b/_install/langs/mk/data/configuration.xml
@@ -0,0 +1,24 @@
+
+
+
+ #IN
+
+
+ #DE
+
+
+ #RE
+
+
+
+
+
+ 0
+
+
+ Dear Customer,
+
+Regards,
+Customer service
+
+
diff --git a/_install/langs/mk/data/contact.xml b/_install/langs/mk/data/contact.xml
new file mode 100644
index 00000000..bdc0b24d
--- /dev/null
+++ b/_install/langs/mk/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/_install/langs/mk/data/country.xml b/_install/langs/mk/data/country.xml
new file mode 100644
index 00000000..d57ea1e3
--- /dev/null
+++ b/_install/langs/mk/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
+
+
+ Andorra
+
+
+ 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/_install/langs/mk/data/gender.xml b/_install/langs/mk/data/gender.xml
new file mode 100644
index 00000000..2b2a4aa5
--- /dev/null
+++ b/_install/langs/mk/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/mk/data/group.xml b/_install/langs/mk/data/group.xml
new file mode 100644
index 00000000..2d1b7093
--- /dev/null
+++ b/_install/langs/mk/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/mk/data/index.php b/_install/langs/mk/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/mk/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/mk/data/meta.xml b/_install/langs/mk/data/meta.xml
new file mode 100644
index 00000000..320b543b
--- /dev/null
+++ b/_install/langs/mk/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
+
+
+
+ Shop powered by PrestaShop
+
+
+
+
+ Manufacturers
+ Manufacturers list
+
+ manufacturers
+
+
+ New products
+ Our new products
+
+ new-products
+
+
+ Forgot your password
+ Enter your e-mail address used to register in goal to get e-mail with your 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
+
+
+ Order slip
+
+
+ order-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/_install/langs/mk/data/order_return_state.xml b/_install/langs/mk/data/order_return_state.xml
new file mode 100644
index 00000000..37ad31de
--- /dev/null
+++ b/_install/langs/mk/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ Waiting for confirmation
+
+
+ Waiting for package
+
+
+ Package received
+
+
+ Return denied
+
+
+ Return completed
+
+
diff --git a/_install/langs/mk/data/order_state.xml b/_install/langs/mk/data/order_state.xml
new file mode 100644
index 00000000..56ff7a1f
--- /dev/null
+++ b/_install/langs/mk/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ Awaiting cheque payment
+ cheque
+
+
+ Payment accepted
+ payment
+
+
+ Preparation in progress
+ preparation
+
+
+ Shipped
+ shipped
+
+
+ Delivered
+
+
+
+ Canceled
+ order_canceled
+
+
+ Refund
+ refund
+
+
+ Payment error
+ payment_error
+
+
+ On backorder (paid)
+ outofstock
+
+
+ On backorder (not paid)
+ outofstock
+
+
+ Awaiting bank wire payment
+ bankwire
+
+
+ Awaiting PayPal payment
+
+
+
+ Remote payment accepted
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/mk/data/profile.xml b/_install/langs/mk/data/profile.xml
new file mode 100644
index 00000000..7352a78c
--- /dev/null
+++ b/_install/langs/mk/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/mk/data/quick_access.xml b/_install/langs/mk/data/quick_access.xml
new file mode 100644
index 00000000..72e5a5b9
--- /dev/null
+++ b/_install/langs/mk/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/mk/data/risk.xml b/_install/langs/mk/data/risk.xml
new file mode 100644
index 00000000..bb8bf6dd
--- /dev/null
+++ b/_install/langs/mk/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/mk/data/stock_mvt_reason.xml b/_install/langs/mk/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..e04ec4eb
--- /dev/null
+++ b/_install/langs/mk/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Increase
+
+
+ Decrease
+
+
+ Customer Order
+
+
+ Regulation following an inventory of stock
+
+
+ Regulation following an inventory of stock
+
+
+ Transfer to another warehouse
+
+
+ Transfer from another warehouse
+
+
+ Supply Order
+
+
diff --git a/_install/langs/mk/data/supplier_order_state.xml b/_install/langs/mk/data/supplier_order_state.xml
new file mode 100644
index 00000000..dfc4ce42
--- /dev/null
+++ b/_install/langs/mk/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/mk/data/supply_order_state.xml b/_install/langs/mk/data/supply_order_state.xml
new file mode 100644
index 00000000..1e8903f0
--- /dev/null
+++ b/_install/langs/mk/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Creation in progress
+
+
+ 2 - Order validated
+
+
+ 3 - Pending receipt
+
+
+ 4 - Order received in part
+
+
+ 5 - Order received completely
+
+
+ 6 - Order canceled
+
+
diff --git a/_install/langs/mk/data/tab.xml b/_install/langs/mk/data/tab.xml
new file mode 100644
index 00000000..c7ed5bdf
--- /dev/null
+++ b/_install/langs/mk/data/tab.xml
@@ -0,0 +1,103 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/mk/flag.jpg b/_install/langs/mk/flag.jpg
new file mode 100644
index 00000000..5951d1ee
Binary files /dev/null and b/_install/langs/mk/flag.jpg differ
diff --git a/_install/langs/mk/img/index.php b/_install/langs/mk/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/mk/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/mk/img/mk-default-category.jpg b/_install/langs/mk/img/mk-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/mk/img/mk-default-category.jpg differ
diff --git a/_install/langs/mk/img/mk-default-home.jpg b/_install/langs/mk/img/mk-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/mk/img/mk-default-home.jpg differ
diff --git a/_install/langs/mk/img/mk-default-large.jpg b/_install/langs/mk/img/mk-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/mk/img/mk-default-large.jpg differ
diff --git a/_install/langs/mk/img/mk-default-large_scene.jpg b/_install/langs/mk/img/mk-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/mk/img/mk-default-large_scene.jpg differ
diff --git a/_install/langs/mk/img/mk-default-medium.jpg b/_install/langs/mk/img/mk-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/mk/img/mk-default-medium.jpg differ
diff --git a/_install/langs/mk/img/mk-default-small.jpg b/_install/langs/mk/img/mk-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/mk/img/mk-default-small.jpg differ
diff --git a/_install/langs/mk/img/mk-default-thickbox.jpg b/_install/langs/mk/img/mk-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/mk/img/mk-default-thickbox.jpg differ
diff --git a/_install/langs/mk/img/mk-default-thumb_scene.jpg b/_install/langs/mk/img/mk-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/mk/img/mk-default-thumb_scene.jpg differ
diff --git a/_install/langs/mk/img/mk.jpg b/_install/langs/mk/img/mk.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/mk/img/mk.jpg differ
diff --git a/_install/langs/mk/index.php b/_install/langs/mk/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/mk/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/mk/install.php b/_install/langs/mk/install.php
new file mode 100644
index 00000000..e20854a0
--- /dev/null
+++ b/_install/langs/mk/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'ŃĐ” ĐżĐŸŃĐ°ĐČĐž ĐłŃĐ”ŃĐșĐ° ĐČĐŸ базаŃĐ° SQL %1$s :%2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'ĐœĐ”ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” ŃĐŸĐ·ĐŽĐ°ĐŽĐ” ŃлОĐșĐ° â%1$sâ Đ·Đ° Đ”ĐŽĐžĐœĐșĐ° â%2$sâ',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'ĐœĐ”ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” ŃĐŸĐ·ĐŽĐ°ĐŽĐ” ŃлОĐșĐ° â%1$sâ (ĐœĐ”ĐČĐ°Đ»ĐžĐŽĐœĐž ĐŽĐŸĐ·ĐČĐŸĐ»Đž ĐœĐ° ĐŽĐ°ŃĐŸŃĐ”ĐșĐ°ŃĐ° â%2$sâ)',
+ 'Cannot create image "%s"' => 'ĐœĐ”ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” ŃĐŸĐŽĐ·Đ°ĐŽĐ” ŃлОĐșĐ° â%sâ',
+ 'SQL error on query %s ' => 'SQL ĐłŃĐ”ŃĐșĐ° ĐČĐŸ баŃĐ°ŃĐ”ŃĐŸ %s ',
+ '%s Login information' => '%s ĐžĐœŃĐŸŃĐŒĐ°ŃОО Đ·Đ° ĐœĐ°ŃĐ°ĐČĐ°',
+ 'Field required' => 'ĐœĐ”ĐŸĐżŃ
ĐŸĐŽĐœĐž ĐżĐŸĐ»ĐžŃĐ°',
+ 'Invalid shop name' => 'ĐœĐ”ĐČĐ°Đ»ĐžĐŽĐœĐŸ ĐžĐŒĐ” Đ·Đ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°ŃĐ°',
+ 'The field %s is limited to %d characters' => 'ĐżĐŸĐ»Đ”ŃĐŸ %s Đ” ĐŸĐłŃĐ°ĐœĐžŃĐ”ĐœĐŸ ĐœĐ° %d ĐșĐ°ŃĐ°ĐșŃĐ”ŃĐž',
+ 'Your firstname contains some invalid characters' => 'ĐĐ°ŃĐ”ŃĐŸ ĐžĐŒĐ” ŃĐŸĐŽŃжО ĐœĐ”ĐČĐ°Đ»ĐžĐŽĐœĐž Đ·ĐœĐ°ŃĐž',
+ 'Your lastname contains some invalid characters' => 'ĐĐ°ŃĐ”ŃĐŸ ĐżŃĐ”Đ·ĐžĐŒĐ” ŃĐŸĐŽŃжО ĐœĐ”ĐČĐ°Đ»ĐžĐŽĐœĐž Đ·ĐœĐ°ŃĐž',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Đ»ĐŸĐ·ĐžĐœĐșĐ°ŃĐ° Đ” ĐœĐ”ŃĐŸŃĐœĐ° (Đ°Đ»ŃĐ°ĐœŃĐŒĐ”ŃĐžŃĐșĐž ŃĐŸ ĐœĐ°ŃĐŒĐ°Đ»ĐșŃ 8 Đ·ĐœĐ°ŃĐž)',
+ 'Password and its confirmation are different' => 'Đ»ĐŸĐ·ĐžĐœĐșĐ°ŃĐ° Đž ĐżĐŸŃĐČŃĐŽĐ°ŃĐ° ŃĐ” ŃазлОŃĐœĐž',
+ 'This e-mail address is invalid' => 'ĐĐ”ŃĐŸŃĐœĐ° Đ”-ĐŒĐ°ĐžĐ» Đ°ĐŽŃĐ”ŃĐ°',
+ 'Image folder %s is not writable' => 'ĐŽĐ°ŃĐŸŃĐ”ĐșĐ°ŃĐ° Đ·Đ° ŃлОĐșĐž %s Đ” ĐœĐ”ĐČпОŃлОĐČĐ°',
+ 'An error occurred during logo copy.' => 'ŃĐ” ĐżĐŸŃĐ°ĐČĐž ĐłŃĐ”ŃĐșĐ° ĐżŃĐž ĐșĐŸĐżĐžŃĐ°ŃĐ”ŃĐŸ ĐœĐ° Đ»ĐŸĐłĐŸŃĐŸ',
+ 'An error occurred during logo upload.' => 'ŃĐ” ĐżĐŸŃĐ°ĐČĐž ĐłŃĐ”ŃĐșĐ° ĐżŃĐž ĐșŃĐ”ĐČĐ°ŃĐ”ŃĐŸ ĐœĐ° Đ»ĐŸĐłĐŸŃĐŸ.',
+ 'Lingerie and Adult' => 'ĐČĐ”Ń Đž ĐČĐŸĐ·ŃĐ°ŃĐœĐž',
+ 'Animals and Pets' => 'ĐĐžĐČĐŸŃĐœĐž Đž ĐŒĐžĐ»Đ”ĐœĐžŃĐžŃĐ°',
+ 'Art and Culture' => 'ĐŁĐŒĐ”ŃĐœĐŸŃŃ Đž ĐșŃĐ»ŃŃŃĐ°',
+ 'Babies' => 'бДбОŃĐ°',
+ 'Beauty and Personal Care' => 'УбаĐČĐžĐœĐ° Đž лОŃĐœĐ° ĐœĐ”ĐłĐ°',
+ 'Cars' => 'ĐĐŸĐ»Đž',
+ 'Computer Hardware and Software' => 'ĐĐŸĐŒĐżŃŃŃĐ”ŃŃĐșĐž ĐŽĐ”Đ»ĐŸĐČĐž Đž ĐżŃĐŸĐłŃĐ°ĐŒĐž',
+ 'Download' => 'ĐĄĐžĐŒĐœŃĐČĐ°ŃĐ”',
+ 'Fashion and accessories' => 'ĐĐŸĐŽĐ° Đž ĐŽĐŸĐŽĐ°ŃĐŸŃĐž',
+ 'Flowers, Gifts and Crafts' => 'ĐŠĐČĐ”ŃĐžŃĐ°,ĐĐŸĐŽĐ°ŃĐŸŃĐž, ŃĐ°ŃĐœĐž ОзŃĐ°Đ±ĐŸŃĐșĐž',
+ 'Food and beverage' => 'Đ„ŃĐ°ĐœĐ° Đž пОŃĐ°Đ»ĐŸŃĐž',
+ 'HiFi, Photo and Video' => 'HiFi, ХлОĐșĐž Đž ĐČĐžĐŽĐ”ĐŸ',
+ 'Home and Garden' => 'ĐĐŸĐŒ Đž ĐłŃĐ°ĐŽĐžĐœĐ°ŃŃŃĐČĐŸ',
+ 'Home Appliances' => 'ĐпаŃĐ°ŃĐž Đ·Đ° ĐŽĐŸĐŒĐ°ŃĐžĐœŃŃĐČĐŸ',
+ 'Jewelry' => 'ĐĐ°ĐșĐžŃ',
+ 'Mobile and Telecom' => 'ĐĐŸĐ±ĐžĐ»ĐœĐž Đž йДлДĐșĐŸĐŒ',
+ 'Services' => 'ĐŁŃĐ»ŃгО',
+ 'Shoes and accessories' => 'ЧДĐČлО Đž ĐŽĐŸĐŽĐ°ŃĐŸŃĐž',
+ 'Sports and Entertainment' => 'ĐĄĐżĐŸŃŃ Đž забаĐČĐ°',
+ 'Travel' => 'паŃŃĐČĐ°ŃĐ°',
+ 'Database is connected' => 'базаŃĐ° Đ” ĐșĐŸĐœĐ”ĐșŃĐžŃĐ°ĐœĐ°',
+ 'Database is created' => 'базаŃĐ° Đ” ĐșŃДОŃĐ°ĐœĐ°',
+ 'Cannot create the database automatically' => 'ĐœĐ”ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” ĐșŃДОŃĐ° база Đ°ĐČŃĐŸĐŒĐ°ŃŃĐșĐž',
+ 'Create settings.inc file' => 'ĐșŃДОŃĐ°Ń settings.inc ĐŽĐ°ŃĐŸŃĐ”ĐșĐ°',
+ 'Create database tables' => 'ĐșŃДОŃĐ°Ń ŃабДлО ĐČĐŸ базаŃĐ°',
+ 'Create default shop and languages' => 'ĐșŃДОŃĐ°Ń ĐŸŃĐœĐŸĐČĐœĐ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ° Đž ŃĐ°Đ·ĐžŃĐž',
+ 'Populate database tables' => 'ĐžĐŒĐ”ĐœŃĐČĐ°Ń ĐłĐž ŃабДлОŃĐ” ĐČĐŸ базаŃĐ°',
+ 'Configure shop information' => 'ĐșĐŸĐœŃОгŃŃĐžŃĐ°Ń ĐłĐž ĐžĐœŃĐŸŃĐŒĐ°ŃООŃĐ” Đ·Đ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°ŃĐ°',
+ 'Install demonstration data' => 'ĐžĐœŃŃалОŃĐ°Ń ĐżĐŸĐșĐ°Đ·Đ”Đœ ĐżŃĐžĐŒĐ”Ń',
+ 'Install modules' => 'ĐžĐœŃŃалОŃĐ°Ń ĐŒĐŸĐŽŃлО',
+ 'Install Addons modules' => 'ĐžĐœŃŃалОŃĐ°Ń ĐŽĐŸĐŽĐ°ŃĐœĐž ĐŒĐŸĐŽŃлО',
+ 'Install theme' => 'ĐžĐœŃŃалОŃĐ°Ń ŃĐ”ĐŒĐ°',
+ 'Required PHP parameters' => 'ĐĐŸŃŃĐ”Đ±ĐœĐž паŃĐ°ĐŒĐ”ŃŃĐž',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 ОлО ĐżĐŸĐœĐŸĐČĐŸ ĐœĐ” Đ” ĐŸĐČĐŸĐ·ĐŒĐŸĐ¶Đ”ĐœĐŸ',
+ 'Cannot upload files' => 'ĐœĐ”ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” ĐșŃĐ”ĐœĐ°Ń ĐŽĐ°ŃĐŸŃĐ”ĐșĐžŃĐ” ĐœĐ° ŃĐ”ŃĐČĐ”ŃĐŸŃ',
+ 'Cannot create new files and folders' => 'ĐœĐ”ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” ĐșŃДОŃĐ°Đ°Ń ĐœĐŸĐČĐž ĐŽĐ°ŃĐŸŃĐ”ĐșĐž Đž ĐŽĐžŃĐ”ĐșŃĐŸŃĐžŃĐŒĐž',
+ 'GD library is not installed' => 'GD Library ĐœĐ” Đ” ĐžĐœŃŃалОŃĐ°Đœ',
+ 'MySQL support is not activated' => 'MySQL ĐżĐŸĐŽĐŽŃŃĐșĐ° ĐœĐ” Đ” Đ°ĐșŃĐžĐČĐžŃĐ°ĐœĐ°',
+ 'Files' => 'ĐŽĐ°ŃĐŸŃĐ”ĐșĐž',
+ 'Not all files were successfully uploaded on your server' => 'ŃĐžŃĐ” ĐŽĐ°ŃĐŸŃĐ”ĐșĐž ĐœĐ” ŃĐ” ŃŃпДŃĐœĐŸ ĐșŃĐ”ĐœĐ°ŃĐž ĐœĐ° ŃĐ”ŃĐČĐ”ŃĐŸŃ',
+ 'Permissions on files and folders' => 'ĐŽĐŸĐ·ĐČĐŸĐ»Đž ĐœĐ° ĐŽĐ°ŃĐŸŃĐ”ĐșĐž Đž ĐŽĐžŃĐ”ĐșŃĐŸŃĐžŃĐŒĐž',
+ 'Recursive write permissions for %1$s user on %2$s' => 'ŃĐ”ĐșŃŃĐ·ĐžĐČĐœĐž ĐŽĐŸĐ·ĐČĐŸĐ»Đž Đ·Đ° Đ·Đ°ĐżĐžŃ Đ·Đ° %1$s ĐșĐŸŃĐžŃĐœĐžĐș ĐœĐ° %2$s',
+ 'Recommended PHP parameters' => 'ĐŃĐ”ĐżĐŸŃĐ°ŃŃĐČĐ° паŃĐ°ĐŒĐ”ŃŃĐž',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => '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!',
+ 'Cannot open external URLs' => 'ĐœĐ”ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” ĐŸŃĐČĐŸŃĐž ĐœĐ°ĐŽĐČĐŸŃĐ”ŃĐœĐ° ĐČŃŃĐșĐ° ĐșĐŸĐœ URLs',
+ 'PHP register_globals option is enabled' => 'PHP register_globals ĐŸĐżŃĐžŃĐ° Đ” ĐŸĐČĐŸĐ·ĐŒĐŸĐ¶Đ”ĐœĐ°',
+ 'GZIP compression is not activated' => 'GZIP ĐșĐŸĐŒĐżŃĐ”ŃĐžŃĐ° ĐœĐ” Đ” Đ°ĐșŃĐžĐČĐžŃĐ°ĐœĐ°',
+ 'Mcrypt extension is not enabled' => 'Mcrypt Đ”ĐșŃŃĐ”ĐœĐ·ĐžĐž ĐœĐ” ŃĐ” ĐŸĐČĐŸĐ·ĐŒĐŸĐ¶Đ”ĐœĐž',
+ 'Mbstring extension is not enabled' => 'Mbstring Đ”ĐșŃŃĐ”ĐœĐ·ĐžĐž ĐœĐ” ŃĐ” ĐŸĐČĐŸĐ·ĐŒĐŸĐ¶Đ”ĐœĐž',
+ 'PHP magic quotes option is enabled' => 'PHP magic quotes ŃĐ” ĐŸĐČĐŸĐ·ĐŒĐŸĐ¶Đ”ĐœĐž',
+ 'Dom extension is not loaded' => 'Dom extension ĐœĐ” ŃĐ” ĐČŃĐžŃĐ°ĐœĐž',
+ 'PDO MySQL extension is not loaded' => 'PDO MySQL Đ”ĐșŃŃĐ”ĐœĐ·ĐžĐž ĐœĐ” ŃĐ” ĐČŃĐžŃĐ°ĐœĐž',
+ 'Server name is not valid' => 'ĐœĐ”ĐČĐ°Đ»ĐžĐŽĐœĐŸ ĐžĐŒĐ” ĐœĐ° ŃĐ”ŃĐČĐ”ŃĐŸŃ',
+ 'You must enter a database name' => 'ĐŒĐŸŃĐ° ĐŽĐ° ĐČĐœĐ”ŃĐ”Ń ĐžĐŒĐ” Đ·Đ° базаŃĐ°',
+ 'You must enter a database login' => 'ĐŒĐŸŃĐ° ĐŽĐ° ĐČĐœĐ”ŃĐ”Ń ĐżĐŸĐŽĐ°ŃĐŸŃĐž Đ·Đ° ĐœĐ°ŃĐ°ĐČĐ° ĐœĐ° базаŃĐ°',
+ 'Tables prefix is invalid' => 'ĐżŃĐ”ŃĐžĐșŃĐŸŃ ĐœĐ° ŃабДлОŃĐ” Đ” ĐœĐ”ĐČĐ°Đ»ĐžĐŽĐ”Đœ',
+ 'Cannot convert database data to utf-8' => 'ĐœĐ”ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” ĐșĐŸĐœĐČĐ”ŃŃĐžŃĐ° базаŃĐ° ŃĐŸ ĐżĐŸĐŽĐŽŃŃĐșĐ° ĐœĐ° utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'баŃĐ”ĐŒ Đ”ĐŽĐœĐ° ŃабДла ŃĐŸ ĐžŃŃ ĐżŃĐ”ŃĐžĐșŃ Đ” ĐżŃĐŸĐœĐ°ŃĐŽĐ”ĐœĐ°, ĐżŃĐŸĐŒĐ”ĐœĐ”ŃĐ” ĐłĐŸ ĐżŃĐ”ŃĐžĐșŃĐŸŃ ĐžĐ»Đž ĐœĐ°ĐżŃĐ°ĐČĐ”ŃĐ” ĐŽŃŃга база',
+ 'The values of auto_increment increment and offset must be set to 1' => 'The values of auto_increment increment and offset must be set to 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'ŃĐ”ŃĐČĐ”ŃĐŸŃ ĐœĐ° базаŃĐ° ĐœĐ” Đ” ĐżŃĐŸĐœĐ°ŃĐŽĐ”Đœ. ĐżŃĐŸĐČĐ”ŃĐ”ŃĐ” ЎалО ŃŃĐ” ĐżŃĐ°ĐČĐžĐ»ĐœĐŸ ĐœĐ°ŃĐ°ĐČĐ”ĐœĐž',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'ĐżĐŸĐČŃĐ·ŃĐČĐ°ŃĐ”ŃĐŸ ŃĐŸ ŃĐ”ŃĐČĐ”ŃĐŸŃ ŃŃпДа, ĐœĐŸ ĐœĐ” Đ” ĐżŃĐŸĐœĐ°ŃĐŽĐ”ĐœĐ° â%sâ базаŃĐ°',
+ 'Attempt to create the database automatically' => 'ĐбОЎ ĐŽĐ° ŃĐ” ĐșŃДОŃĐ° база Đ°ĐČŃĐŸĐŒĐ°ŃŃĐșĐž',
+ '%s file is not writable (check permissions)' => '%s ĐŽĐ°ŃĐŸŃĐ”ĐșĐ° ĐœĐ” Đ” ĐČпОŃлОĐČĐ° (ĐżŃĐŸĐČĐ”ŃĐž ĐŽĐŸĐ·ĐČĐŸĐ»Đž)',
+ '%s folder is not writable (check permissions)' => '%s ĐŽĐ°ŃĐŸŃĐ”ĐșĐ° ĐœĐ” Đ” ĐČпОŃлОĐČĐ° (ĐżŃĐŸĐČĐ”ŃĐž ĐŽĐŸĐ·ĐČĐŸĐ»Đž)',
+ 'Cannot write settings file' => 'ĐœĐ”ĐŒĐŸĐ¶Đ”Đœ Đ·Đ°ĐżĐžŃ ĐœĐ° ĐżĐŸĐŽĐ”ŃŃĐČĐ°ŃĐ°',
+ 'Database structure file not found' => 'ŃŃŃŃĐșŃŃŃĐ°ŃĐ° ĐœĐ° базаŃĐ° ĐœĐ” Đ” ĐżŃĐŸĐœĐ°ŃĐŽĐ”ĐœĐ°',
+ 'Cannot create group shop' => 'ĐœĐ”ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” ĐșŃДОŃĐ° ĐłŃŃĐżĐœĐ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°',
+ 'Cannot create shop' => 'ĐœĐ”ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” ĐșŃДОŃĐ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°',
+ 'Cannot create shop URL' => 'ĐœĐ”ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” ŃĐŸĐ·ĐŽĐ°ĐŽĐ” ĐŁĐ Đ ĐœĐ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°ŃĐ°',
+ 'File "language.xml" not found for language iso "%s"' => '"language.xml" ĐœĐ” Đ” ĐżŃĐŸĐœĐ°ŃĐŽĐ”Đœ ĐČĐŸ ŃĐ°Đ·ĐžŃĐ”Đœ ĐșĐŸĐŽ ŃŃĐ°ĐœĐŽĐ°ŃĐŽ â%sâ',
+ 'File "language.xml" not valid for language iso "%s"' => '"language.xml" ĐœĐ” Đ” ĐČĐ°Đ»ĐžĐŽĐ”Đœ ĐČĐŸ ŃĐ°Đ·ĐžŃĐ”Đœ ĐșĐŸĐŽ ŃŃĐ°ĐœĐŽĐ°ŃĐŽ â%sâ',
+ 'Cannot install language "%s"' => 'ĐœĐ”ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” ĐžĐœŃŃалОŃĐ° ŃĐ°Đ·ĐžĐșĐŸŃ â%sâ',
+ 'Cannot copy flag language "%s"' => 'ĐœĐ”ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” ĐșĐŸĐżĐžŃĐ° Đ·ĐœĐ°ĐŒĐ”ŃĐŸ Đ·Đ° ŃĐ°Đ·ĐžĐșĐŸŃ â%sâ',
+ 'Cannot create admin account' => 'ĐœĐ”ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” ĐșŃДОŃĐ° Đ°ĐŽĐŒĐžĐœĐžŃŃŃĐ°ŃĐŸŃŃĐșĐž ĐœĐ°Đ»ĐŸĐł',
+ 'Cannot install module "%s"' => 'ĐœĐ”ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” ĐžĐœŃŃалОŃĐ° ĐŒĐŸĐŽŃĐ» â%sâ',
+ 'Fixtures class "%s" not found' => 'ŃŃДЎŃĐČĐ°ŃĐ° ĐșлаŃĐ° â%sâ ĐœĐ” ŃĐ” ĐżŃĐŸĐœĐ°ŃĐŽĐ”ĐœĐž',
+ '"%s" must be an instance of "InstallXmlLoader"' => 'â%sâ ĐŒĐŸĐŽĐ° ĐŽĐ° ĐșĐŸŃДлОŃĐ° ŃĐŸ "InstallXmlLoader"',
+ 'Information about your Store' => 'ĐžŃĐŸŃĐŒĐ°ŃОО Đ·Đ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°ŃĐ°',
+ 'Shop name' => 'ĐžĐŒĐ” ĐœĐ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°',
+ 'Main activity' => 'ĐŸŃĐœĐŸĐČĐœĐ° Đ°ĐșŃĐžĐČĐœĐŸŃŃ',
+ 'Please choose your main activity' => 'ĐČĐ” ĐŒĐŸĐ»ĐžĐŒĐ” ĐŸĐŽĐ±Đ”ŃĐ”ŃĐ” ĐŸŃĐœĐŸĐČĐœĐ° Đ°ĐșŃĐžĐČĐœĐŸŃŃ',
+ 'Other activity...' => 'ĐŽŃŃгО ĐŽĐ”ŃĐœĐŸŃŃĐž...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'ĐĐ” ĐŒĐŸĐ»ĐžĐŒĐ” ĐŽĐ° ĐœĐž ĐżĐŸĐŒĐŸĐłĐœĐ”ŃĐ” ĐŽĐ° ĐœĐ°ŃŃĐžĐŒĐ” ĐżĐŸĐČĐ”ŃĐ” Đ·Đ° ĐĐ°ŃĐ°ŃĐ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ° Đ·Đ° ĐŽĐ° ĐŒĐŸĐ¶Đ”ĐŒĐ” ĐŽĐ° ŃĐŸĐ·ĐŽĐ°ĐŽĐ”ĐŒĐ” ŃŃŃĐ” ĐżĐŸĐŽĐŸĐ±ŃĐŸ ŃĐ”ŃĐ”ĐœĐžĐ” Đ·Đ° ĐĐ°ŃĐžĐŸŃ ĐĐžĐ·ĐœĐžŃ!',
+ 'Install demo products' => 'ĐžĐœŃŃалОŃĐ°Ń ĐŽĐ”ĐŒĐŸ Đ°ŃŃĐžĐșлО',
+ 'Yes' => 'ĐĐ°',
+ 'No' => 'ĐĐ”',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'ĐŽĐ”ĐŒĐŸ Đ°ŃŃĐžĐșлОŃĐ” ŃĐ” ĐŽĐŸĐ±Đ°Ń ĐœĐ°ŃĐžĐœ ĐŽĐ° ĐœĐ°ŃŃĐžŃ ĐŽĐ° ĐłĐŸ ĐșĐŸŃĐžŃŃĐžŃ PrestaShop. ĐĐž ŃŃĐ”Đ±Đ°Đ»ĐŸ ĐŽĐ° гО ĐžĐœŃŃалОŃĐ°ŃĐ” Đ·Đ° ĐŽĐ° ŃĐ” Đ·Đ°ĐżĐŸĐ·ĐœĐ°Đ”ŃĐ” ĐżĐŸĐŽĐŸĐ±ŃĐŸ ŃĐŸ ĐœĐžĐČ.',
+ 'Country' => 'ĐĐ”ĐŒŃĐ°',
+ 'Select your country' => 'ĐŸĐŽĐ±Đ”ŃĐ”ŃĐ” ŃĐ° ĐČĐ°ŃĐ°ŃĐ° ĐŽŃжаĐČĐ°',
+ 'Shop timezone' => 'ĐČŃĐ”ĐŒĐ”ĐœŃĐșĐ° Đ·ĐŸĐœĐ° ĐœĐ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°ŃĐ°',
+ 'Select your timezone' => 'ĐŸĐŽĐ±Đ”ŃĐž ĐČŃĐ”ĐŒĐ”ĐœŃĐșĐ° Đ·ĐŸĐœĐ°',
+ 'Shop logo' => 'Đ»ĐŸĐłĐŸ ĐœĐ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°ŃĐ°',
+ 'Optional - You can add you logo at a later time.' => 'ĐŸŃĐžĐŸĐœĐ°Đ»ĐœĐŸ - ĐŒĐŸĐ¶Đ” ĐŽĐ° ĐŽĐŸĐŽĐ°ĐŽĐ”ŃĐ” Đ»ĐŸĐłĐŸ Đž ĐżĐŸĐŽĐŸŃĐœĐ°.',
+ 'Your Account' => 'ĐĐ°ŃĐ° ŃĐŒĐ”ŃĐșĐ°',
+ 'First name' => 'ĐĐŒĐ”',
+ 'Last name' => 'ĐŃĐ”Đ·ĐžĐŒĐ”',
+ 'E-mail address' => 'Đ-Đ°ĐŽŃĐ”ŃĐ°',
+ 'This email address will be your username to access your store\'s back office.' => 'ĐŸĐČĐ° Đ”-ĐŒĐ°ĐžĐ» Đ°ĐŽŃĐ”ŃĐ° ŃĐ” бОЎД ĐČĐ°ŃĐ” ĐșĐŸŃĐžŃĐœĐžŃĐșĐŸ ĐžĐŒĐ” ĐČĐŸ Đ°ĐŽĐŒĐžĐœĐžŃŃŃĐ°ŃĐžŃĐ°ŃĐ° Back office.',
+ 'Shop password' => 'Đ»ĐŸĐ·ĐžĐœĐșĐ° ĐœĐ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°ŃĐ°',
+ 'Must be at least 8 characters' => 'ĐŒĐŸŃĐ° ĐŽĐ° бОЎД баŃĐ”ĐŒ 8 Đ·ĐœĐ°ŃĐž',
+ 'Re-type to confirm' => 'ĐČĐœĐ”ŃĐž ĐżĐŸĐČŃĐŸŃĐœĐŸ Đ·Đ° ĐżĐŸŃĐČŃĐŽĐ°',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .',
+ 'Configure your database by filling out the following fields' => 'ĐșĐŸĐœŃОгŃŃĐžŃĐ°Ń ŃĐ° базаŃĐ° ŃĐŸ ĐżĐŸĐżĐŸĐ»ĐœŃĐČĐ°ŃĐ” ĐœĐ° ŃĐ»Đ”ĐŽĐœĐžĐČĐ” ĐżĐŸĐ»ĐžŃĐ°',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Đ·Đ° ĐŽĐ° ĐŒĐŸĐ¶Đ” ĐŽĐ° ĐșĐŸŃĐžŃŃĐžŃ PrestaShop, ĐŒĐŸŃĐ° ĐŽĐ° ĐșŃДОŃĐ°Ń Đ±Đ°Đ·Đ° Đ·Đ° ĐŽĐ° гО ŃĐŸĐ±Đ”ŃĐ”Ń ŃĐžŃĐ” ĐżĐŸĐŽĐ°ŃĐŸŃĐž ĐżĐŸĐČŃĐ·Đ°ĐœĐž ŃĐŸ ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°ŃĐ°.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'ĐČĐ” ĐŒĐŸĐ»ĐžĐŒĐ” ĐżĐŸĐżĐŸĐ»ĐœĐ”ŃĐ” гО ĐżĐŸĐ»ĐžŃĐ°ŃĐ° Đ·Đ° ĐŽĐ° ĐŒĐŸĐ¶Đ” PrestaShop ĐŽĐ° ŃĐ” ĐșĐŸĐœĐ”ĐșŃĐžŃĐ° ĐœĐ° ĐČĐ°ŃĐ°ŃĐ° база. ',
+ 'Database server address' => 'Đ°ĐŽŃĐ”ŃĐ° ĐœĐ° базаŃĐ° ĐœĐ° ŃĐ”ŃĐČĐ”ŃĐŸŃ',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'ĐŸŃĐœĐŸĐČĐœĐ° ĐżĐŸŃŃĐ° Đ” 3306, ĐĐ° ĐșĐŸŃĐžŃŃĐžŃ ĐŽŃŃга ĐżĐŸŃŃĐ° ĐŽĐŸĐŽĐ°ĐŽĐž ŃĐ° ĐżĐŸŃĐ°ĐșŃĐČĐ°ĐœĐ°ŃĐ° ĐżĐŸŃŃĐ° ĐœĐ° ĐșŃĐ°ŃĐŸŃ ĐŸĐŽ Đ°ĐŽŃĐ”ŃĐ°ŃĐ° ĐœĐ° ŃĐ”ŃĐČĐ”ŃĐŸŃ ĐœĐ° ĐżŃĐžĐŒĐ”Ń â:4242â.',
+ 'Database name' => 'ĐžĐŒĐ” ĐœĐ° базаŃĐ°',
+ 'Database login' => 'ĐœĐ°ŃĐ°ĐČĐ° ĐœĐ° базаŃĐ°',
+ 'Database password' => 'Đ»ĐŸĐ·ĐžĐœĐșĐ° ĐœĐ° базаŃĐ°',
+ 'Database Engine' => 'ĐœĐŸŃĐ°Ń ĐœĐ° базаŃĐ°',
+ 'Tables prefix' => 'ĐŃĐ”ŃĐžĐșŃ Đ·Đ° ŃабДлО',
+ 'Drop existing tables (mode dev)' => 'ĐžŃĐżŃŃŃĐž гО ĐżĐŸŃŃĐŸĐ”ŃĐșĐžŃĐ” ŃабДлО (mode dev)',
+ 'Test your database connection now!' => 'ŃĐ”ŃŃĐžŃĐ°Ń ŃĐ° ĐșĐŸĐœĐ”ĐșŃĐžŃĐ°ŃĐ° ĐœĐ° базаŃĐ° ŃДга!',
+ 'Next' => 'ĐĄĐ»Đ”ĐŽĐœĐŸ',
+ 'Back' => 'ĐĐ°Đ·Đ°ĐŽ',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.',
+ 'Official forum' => 'ĐŸŃĐžŃĐžŃĐ°Đ»Đ”Đœ ŃĐŸŃŃĐŒ',
+ 'Support' => 'ĐżĐŸĐŽĐŽŃŃĐșĐ°',
+ 'Documentation' => 'ĐŽĐŸĐșŃĐŒĐ”ĐœŃĐ°ŃĐžŃĐ°',
+ 'Contact us' => 'ĐĐŸĐœŃĐ°ĐșŃ',
+ 'PrestaShop Installation Assistant' => 'PrestaShop Installation Assistant - Đ°ŃĐžŃŃĐ”ĐœŃ Đ·Đ° ĐžĐœŃŃалаŃĐžŃĐ°',
+ 'Forum' => 'ŃĐŸŃŃĐŒĐž',
+ 'Blog' => 'Đ±Đ»ĐŸĐł',
+ 'Contact us!' => 'ĐșĐŸĐœŃĐ°ĐșŃĐžŃĐ°ŃŃĐ” ĐœĐ”!',
+ 'menu_welcome' => 'ĐŸĐŽĐ±Đ”ŃĐ”ŃĐ” ŃĐ°Đ·ĐžĐș',
+ 'menu_license' => 'ĐŽĐŸĐ·ĐČĐŸĐ»Đž Đž лОŃĐ”ĐœŃĐžŃĐ°ŃĐ”',
+ 'menu_system' => 'ĐșĐŸĐŒĐżĐ°ŃĐžĐČĐžĐ»ĐœĐŸŃŃ ĐœĐ° ŃĐžŃŃĐ”ĐŒĐŸŃ',
+ 'menu_configure' => 'ĐžĐœŃĐŸŃĐŒĐ°ŃОО Đ·Đ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°ŃĐ°',
+ 'menu_database' => 'ĐșĐŸĐœŃОгŃŃĐ°ŃĐžŃĐ° ĐœĐ° ŃĐžŃŃĐ”ĐŒĐŸŃ',
+ 'menu_process' => 'ĐžĐœŃŃалаŃĐžŃĐ° ĐœĐ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°',
+ 'Installation Assistant' => 'Đ°ŃĐžŃŃĐ”ĐœŃ ĐœĐ° ĐžĐœŃŃалаŃĐžŃĐ°',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'ĐŽĐ° ĐžĐœŃŃалОŃĐ°Ń PrestaShop, ŃŃДба ĐŽĐ° ĐžĐŒĐ°Ń JavaScript ĐŸĐČĐŸĐ·ĐŒĐŸĐ¶Đ”Đœ ĐœĐ° ĐČĐ°ŃĐžĐŸŃ ĐżŃДбаŃŃĐČĐ°Ń.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/',
+ 'License Agreements' => 'ĐŽĐŸĐ·ĐČĐŸĐ»Đž Đž лОŃĐ”ĐœŃĐžŃĐ°ŃĐ”',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Đ·Đ° ĐŽĐ° ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃжОĐČĐ°Ń ĐČĐŸ ŃĐžŃĐ” ĐŒĐŸĐ¶ĐœĐŸŃŃĐž бДŃплаŃĐœĐŸ , ĐČĐ” ĐŒĐŸĐ»ĐžĐŒĐ” ĐżŃĐŸŃĐžŃĐ°ŃŃĐ” гО ŃŃĐ»ĐŸĐČĐžŃĐ” Đ·Đ° ŃĐŸŃĐ°Đ±ĐŸŃĐșĐ° ĐżĐŸĐŽĐŸĐ»Ń. PrestaShop core Đ” лОŃĐ”ĐœŃĐžŃĐ°Đœ ĐżĐŸĐŽ OSL 3.0 , Đ° ĐŒĐŸĐŽŃлОŃĐ” ŃĐ”ĐŒĐžŃĐ” Đž ĐŽĐŸĐŽĐ°ŃĐŸŃĐžŃĐ” ŃĐ” лОŃĐ”ĐœŃĐžŃĐ°ĐœĐž ŃĐŸ AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'ŃĐ” ŃĐŸĐłĐ»Đ°ŃŃĐČĐ°ĐŒ ŃĐŸ ŃŃĐ»ĐŸĐČĐžŃĐ”',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'ŃĐ” ŃĐŸĐłĐ»Đ°ŃŃĐČĐ°ĐŒ ĐŽĐ° паŃŃĐžŃОпОŃĐ°ĐŒ ĐČĐŸ ĐżĐŸĐŽĐŸĐ±ŃŃĐČĐ°ŃĐ” ĐœĐ° ŃĐ”ŃĐ”ĐœĐžĐ”ŃĐŸ ŃĐŸ ĐžŃĐżŃĐ°ŃĐ°ŃĐ” Đ°ĐœĐŸĐœĐžĐŒĐœĐž ĐžĐœŃĐŸŃĐŒĐ°ŃОО Đ·Đ° ĐŒĐŸŃĐ°ŃĐ° ĐșĐŸĐœŃОгŃŃĐ°ŃĐžŃĐ°.',
+ 'Done!' => 'ĐĐŸŃĐŸĐČĐŸ!',
+ 'An error occurred during installation...' => 'ŃĐ” ĐżĐŸŃĐ°ĐČĐž ĐłŃĐ”ŃĐșĐ° ĐœĐ° ĐžĐœŃŃалаŃĐžŃĐ°ŃĐ°...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'ĐŒĐŸĐ¶Đ” ĐŽĐ° ŃĐ” ĐČŃĐ°ŃĐ°Ń ĐœĐ° ĐżŃĐ”ŃŃ
ĐŸĐŽĐœĐžŃĐ” ŃĐ”ĐșĐŸŃĐž ĐŸĐŽ ĐžĐœŃŃалаŃĐžŃĐ°ŃĐ°, ОлО ĐŽĐ° ĐłĐŸ ĐŸĐ±ĐœĐŸĐČĐžŃ ŃĐ”Đ»ĐžĐŸŃ ĐżŃĐŸŃĐ”Ń ĐœĐ° ĐžĐœŃŃалаŃĐžŃĐ° ŃĐŸ ŃŃĐșĐ° .',
+ 'Your installation is finished!' => 'ĐĐœŃŃалаŃĐžŃĐ°ŃĐ° Đ” Đ·Đ°ĐČŃŃĐ”ĐœĐ°!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'ĐĄĐ°ĐŒĐŸ ŃŃĐŸ ŃĐ° ĐžĐœŃŃалОŃĐ°ĐČŃĐ” ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°ŃĐ°. ĐĐž Đ±Đ»Đ°ĐłĐŸĐŽĐ°ŃĐžĐŒĐ” Đ·Đ° ĐșĐŸŃĐžŃŃĐ”ŃĐ”ŃĐŸ ĐœĐ° PrestaShop!',
+ 'Please remember your login information:' => 'ĐĐ” ĐŒĐŸĐ»ĐžĐŒĐ” Đ·Đ°ĐżĐŸĐŒĐœĐ”ŃĐ” гО ĐČĐ°ŃĐžŃĐ” ĐžĐœŃĐŸŃĐŒĐ°ŃОО Đ·Đ° ĐœĐ°ŃĐ°ĐČĐ°',
+ 'E-mail' => 'Đ-Đ°ĐŽŃĐ”ŃĐ°',
+ 'Print my login information' => 'ŃŃĐ°ĐŒĐżĐ°Ń ĐłĐž ĐŒĐŸĐžŃĐ” ĐżĐŸĐŽĐ°ŃĐŸŃĐž Đ·Đ° ĐœĐ°ŃĐ°ĐČĐ°',
+ 'Password' => 'ĐĐŸĐ·ĐžĐœĐșĐ°',
+ 'Display' => 'ĐżŃĐžĐșажО',
+ 'For security purposes, you must delete the "install" folder.' => 'ĐŸĐŽ ŃОгŃŃĐœĐŸŃĐœĐž ĐżŃĐžŃĐžĐœĐž, ĐŒĐŸŃĐ° ĐŽĐ° ĐŽĐŸ ОзбŃĐžŃĐ”ŃĐ” âinstallâ ĐŽĐžŃĐ”ĐșŃĐŸŃĐžŃĐŒĐŸŃ.',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Đ°ĐŽĐŒĐžĐœĐžŃŃŃĐ°ŃĐžŃĐ° ĐżĐ°ĐœĐ”Đ»',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'ĐŸŃĐłĐ°ĐœĐžĐ·ĐžŃĐ°Ń ŃĐ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°ŃĐ° ŃĐŸ ĐșĐŸŃĐžŃŃĐ”ŃĐ” ĐœĐ° ĐČĐ°ŃĐžĐŸŃ Back Office (Đ°ĐŽĐŒĐžĐœĐžŃŃŃĐ°ŃĐžŃĐ°). ĐŁĐżŃĐ°ĐČŃĐČĐ°Ń ŃĐŸ ĐżĐŸŃĐ°ŃĐșĐžŃĐ” , ĐșĐ»ĐžĐ”ĐœŃĐžŃĐ”, ĐŒĐŸĐŽŃлОŃĐ” ĐŒĐ”ĐœŃĐČĐ°Ń ŃĐ”ĐŒĐž Đž ŃĐ°ĐșĐ° ĐœĐ°ŃĐ°ĐŒŃ...',
+ 'Manage your store' => 'ĐĐ”ĐœĐ°ŃĐžŃĐ°Ń ŃĐ° ŃĐČĐŸŃĐ°ŃĐ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°',
+ 'Front Office' => 'Front Office - ĐżŃĐ”ĐŽĐœĐ° ŃŃŃĐ°ĐœĐ°',
+ 'Discover your store as your future customers will see it!' => 'ĐžŃŃŃажŃĐČĐ°Ń ŃĐ° ŃĐČĐŸŃĐ°ŃĐ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ° ĐŸĐœĐ°ĐșĐ° ĐșĐ°ĐșĐŸ ŃŃĐŸ ĐžĐŽĐœĐžŃĐ” ĐșĐ»ĐžĐ”ĐœŃĐž ŃĐ” ŃĐ° глДЎааŃ!',
+ 'Discover your store' => 'ĐŃŃŃажО ŃĐ° ŃĐČĐŸŃĐ°ŃĐ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°',
+ 'Share your experience with your friends!' => 'ĐĄĐżĐŸĐŽĐ”Đ»Đž ĐłĐŸ ĐžŃĐșŃŃŃĐČĐŸŃĐŸ ŃĐŸ ŃĐČĐŸĐžŃĐ” ĐżŃĐžŃĐ°ŃДлО!',
+ 'I just built an online store with PrestaShop!' => 'ĐĐ°Ń ŃŃĐŸŃŃĐșŃ ĐžĐ·ĐłŃĐ°ĐŽĐžĐČ on-lineĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ° ŃĐŸ PrestaShop!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Watch this exhilarating experience: http://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'ŃĐżĐŸĐŽĐ”Đ»Đž',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'ĐŃĐŸĐČĐ”ŃĐž гО ĐœĐ°ŃĐžŃĐ” ĐŽĐŸĐŽĐ°ŃĐŸŃĐž Đ·Đ° ĐŽĐ° ĐŽĐŸĐŽĐ°ĐŽĐ”Ń ĐœĐ”ŃŃĐŸ ĐżĐŸĐČĐ”ŃĐ” ĐœĐ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°ŃĐ°!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'ĐĐŸ ĐŒĐŸĐŒĐ”ĐœŃĐŸŃ ŃĐ” ĐżŃĐ°ĐČĐž ĐżŃĐŸĐČĐ”ŃĐșĐ° Đ·Đ° ĐșĐŸĐŒĐżĐ°ŃĐžĐ±ĐžĐ»ĐœĐŸŃŃ ĐœĐ° PrestaShop ĐČĐŸ ĐĐ°ŃĐ°ŃĐ° ŃĐžŃŃĐ”ĐŒŃĐșĐ° ĐŸĐșĐŸĐ»ĐžĐœĐ°',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Đ°ĐșĐŸ ĐžĐŒĐ°ŃĐ” ĐżŃĐ°ŃĐ°ŃĐ° ĐżĐŸŃĐ”ŃĐ”ŃĐ” ĐŽĐŸĐșŃĐŒĐ”ĐœŃĐ°ŃĐžŃĐ° Đž ŃĐŸŃŃĐŒ .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'PrestaShop Đ” ĐșĐŸĐŒĐżĐ°ŃĐžĐ±ĐžĐ»Đ”Đœ ŃĐŸ ŃĐžŃŃĐ”ĐŒŃĐșĐ°ŃĐ° ĐŸĐșĐŸĐ»ĐžĐœĐ°!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Đпа! ĐĐ” ĐŒĐŸĐ»ĐžĐŒĐ” ĐżĐŸĐżŃĐ°ĐČĐ”ŃĐ” гО ĐœĐ°ŃĐ»ĐŸĐČĐžŃĐ” ĐżĐŸĐŽĐŸĐ»Ń Đž ĐżĐŸŃĐŸĐ° ĐŸŃĐČДжДŃĐ” ŃĐ° ŃĐŸĐŽŃĐ¶ĐžĐœĐ°ŃĐ° Đ·Đ° ĐŽĐ° ŃĐ” ŃĐ”ŃŃĐžŃĐ° ĐșĐŸĐŒĐżĐ°ŃĐžĐ±ĐžĐ»ĐœĐŸŃŃĐ° ĐœĐ° ĐœĐŸĐČĐžĐŸŃ ŃĐžŃŃĐ”ĐŒ.',
+ 'Refresh these settings' => 'ĐŸŃĐČДжО гО ĐŸĐČОД ĐżĐŸĐŽĐ”ŃŃĐČĐ°ŃĐ°',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop баŃĐ° баŃĐ”ĐŒ 32Đб ĐŒĐ”ĐŒĐŸŃĐžŃĐ° Đ·Đ° ĐŽĐ° ŃĐ°Đ±ĐŸŃĐž, ĐżŃĐŸĐČĐ”ŃĐ”ŃĐ” ŃĐ° ĐŒĐ”ĐŒĐŸŃĐžŃĐ°ŃĐ° Đž Đ»ĐžĐŒĐžŃĐŸŃ ĐœĐ° php.ini ОлО ĐșĐŸĐœŃĐ°ĐșŃĐžŃĐ°ŃŃĐ” ĐłĐŸ ĐČĐ°ŃĐžĐŸŃ Ń
ĐŸŃŃĐžĐœĐł ĐżŃĐŸĐČĐ°ŃĐŽĐ”Ń.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'ĐŃДЎŃĐżŃДЎŃĐČĐ°ŃĐ”:ĐĐ”ĐŒĐŸĐ¶Đ” ĐżĐŸĐČĐ”ŃĐ” ĐŽĐ° ŃĐ° ĐșĐŸŃĐžŃŃĐžŃĐ” ĐŸĐČĐ°Đ° алаŃĐșĐ° Đ·Đ° ĐœĐ°ĐŽĐłŃаЎба. ĐČĐ”ŃĐ” ĐžĐŒĐ°ŃĐ”PrestaShop ĐČĐ”ŃĐ·ĐžŃĐ° %1$s sĐžĐœŃŃалОŃĐ°ĐœĐŸ . Đ°ĐșĐŸ ŃĐ°ĐșĐ°ŃĐ” ĐŽĐ° ĐœĐ°ĐŽĐłŃĐ°ĐŽĐ”ŃĐ” ĐŽĐŸ ĐżĐŸŃĐ»Đ”ĐŽĐœĐ°ŃĐ° ĐČĐ”ŃĐ·ĐžŃĐ° ĐČĐ” ĐŒĐŸĐ»ĐžĐŒĐ” ĐżŃĐŸŃĐžŃĐ°ŃŃĐ” ŃĐ° ĐČĐœĐžĐŒĐ°ŃĐ”Đ»ĐœĐŸ ĐŽĐŸŃĐșĐŒĐ”ĐœŃĐ°ŃĐžŃĐ°ŃĐ°: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'ĐĐŸĐ±ŃĐ”ĐŽĐŸŃĐŽĐŸĐČŃĐ” ĐČĐŸ PrestaShop%s ĐžĐœŃŃалаŃĐžŃĐ°ŃĐ°',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'ĐĐœŃŃалаŃĐžŃĐ°ŃĐ° ĐœĐ° PrestaShop Đ” бŃĐ·Đ° Đž лДŃĐœĐ°. ĐĐ° ĐœĐ”ĐșĐŸĐ»ĐșŃ ĐŒĐžĐœŃŃĐž ŃĐ” ŃŃĐ°ĐœĐ”ŃĐ” ЎДл ĐŸĐŽ ĐłĐŸĐ»Đ”ĐŒĐ°ŃĐ° Đ·Đ°Đ”ĐŽĐœĐžŃĐ° ĐœĐ° ĐșĐŸŃĐžŃĐœĐžŃĐž ŃĐŸ ĐżŃĐ”ĐșŃ 230,000 ĐșĐ»ĐžĐ”ĐœŃĐž. ĐОД ŃŃĐ” ĐœĐ° ĐŽĐŸĐ±Đ°Ń ĐżĐ°Ń ĐŽĐ° ŃĐŸĐ·ĐŽĐ°ĐŽĐ”ŃĐ” ĐČĐ°ŃĐ° ŃĐœĐžĐșĐ°ŃĐœĐ° on-line ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ° ĐșĐŸŃĐ° ŃĐ°ĐŒĐžŃĐ” ĐŒĐŸĐ¶Đ”ŃĐ” ĐŽĐ° ŃĐ° ĐŸĐŽŃжаĐČĐ°ŃĐ” ŃĐ”ĐșĐŸŃĐŽĐœĐ”ĐČĐœĐŸ.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .',
+ 'Continue the installation in:' => 'ĐżŃĐŸĐŽĐŸĐ»Đ¶Đž ŃĐŸ ĐžĐœŃŃалаŃĐžŃĐ°ŃĐ° ĐČĐŸ:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'ĐĐ·Đ±ĐŸŃĐŸŃ ĐœĐ° ŃĐ°Đ·ĐžĐșĐŸŃ ĐżĐŸĐŽĐŸĐ»Ń ŃĐ” ĐŸĐŽĐœĐ”ŃŃĐČĐ° ŃĐ°ĐŒĐŸ ĐœĐ° Đ°ŃĐžŃŃĐ”ĐœŃĐŸŃ Đ·Đ° ĐžĐœŃŃалаŃĐžŃĐ°. ĐĐŸĐłĐ° Đ”ĐŽĐœĐ°Ń ŃĐ” ŃĐ° ĐžĐœŃŃалОŃĐ°ŃĐ” ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°ŃĐ°, ĐŸĐŽĐ±Đ”ŃĐ”ŃĐ” ŃĐ°Đ·ĐžĐș Đ·Đ° ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ°ŃĐ° ĐŸĐŽ ĐżŃĐ”ĐșŃ %d ĐżŃĐ”ĐČĐŸĐŽĐž Đž ŃĐžŃĐ” Đ·Đ° бДŃплаŃĐœĐŸ!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'ĐĐœŃŃалаŃĐžŃĐ°ŃĐ° ĐœĐ° PrestaShop Đ” бŃĐ·Đ° Đž лДŃĐœĐ°. ĐĐ° ĐœĐ”ĐșĐŸĐ»ĐșŃ ĐŒĐžĐœŃŃĐž ŃĐ” ŃŃĐ°ĐœĐ”ŃĐ” ЎДл ĐŸĐŽ ĐłĐŸĐ»Đ”ĐŒĐ°ŃĐ° Đ·Đ°Đ”ĐŽĐœĐžŃĐ° ĐœĐ° ĐșĐŸŃĐžŃĐœĐžŃĐž ŃĐŸ ĐżŃĐ”ĐșŃ 250,000 ĐșĐ»ĐžĐ”ĐœŃĐž. ĐОД ŃŃĐ” ĐœĐ° ĐŽĐŸĐ±Đ°Ń ĐżĐ°Ń ĐŽĐ° ŃĐŸĐ·ĐŽĐ°ĐŽĐ”ŃĐ” ĐČĐ°ŃĐ° ŃĐœĐžĐșĐ°ŃĐœĐ° on-line ĐżŃĐŸĐŽĐ°ĐČĐœĐžŃĐ° ĐșĐŸŃĐ° ŃĐ°ĐŒĐžŃĐ” ĐŒĐŸĐ¶Đ”ŃĐ” ĐŽĐ° ŃĐ° ĐŸĐŽŃжаĐČĐ°ŃĐ” ŃĐ”ĐșĐŸŃĐŽĐœĐ”ĐČĐœĐŸ.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/mk/language.xml b/_install/langs/mk/language.xml
new file mode 100644
index 00000000..a61f28e2
--- /dev/null
+++ b/_install/langs/mk/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ mk-mk
+ m/j/Y
+ m/j/Y H:i:s
+ false
+
diff --git a/_install/langs/mk/mail_identifiers.txt b/_install/langs/mk/mail_identifiers.txt
new file mode 100644
index 00000000..3f768acb
--- /dev/null
+++ b/_install/langs/mk/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Hi {firstname} {lastname},
+
+Here is your personal login information for {shop_name}:
+
+Password: {passwd}
+E-mail address: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/nl/data/carrier.xml b/_install/langs/nl/data/carrier.xml
new file mode 100644
index 00000000..045d20ef
--- /dev/null
+++ b/_install/langs/nl/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Afhalen in de winkel
+
+
diff --git a/_install/langs/nl/data/category.xml b/_install/langs/nl/data/category.xml
new file mode 100644
index 00000000..5f4802d1
--- /dev/null
+++ b/_install/langs/nl/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Root
+
+ root
+
+
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/nl/data/cms.xml b/_install/langs/nl/data/cms.xml
new file mode 100644
index 00000000..73f23c4a
--- /dev/null
+++ b/_install/langs/nl/data/cms.xml
@@ -0,0 +1,38 @@
+
+
+
+ Levering
+ Onze leveringsvoorwaarden
+ voorwaarden, levering, vertraging, verzending, pakket
+ <h2>Zendingen en retourzendingen</h2><h3>Verzending van uw pakket</h3><p>Pakketten worden over het algemeen binnen 2 dagen na ontvangst van uw betaling verzonden via UPS met tracking en aflevering zonder handtekening. Als u de voorkeur geeft aan verzending via UPS Extra met vereiste handtekening, zullen er extra kosten in rekening worden gebracht. Neem contact met ons op voordat u deze bezorgwijze kiest. Welke verzending u ook kiest, u krijgt van ons een trackingnummer waarmee u uw pakket online kunt volgen.</p><p>Verzendkosten zijn inclusief behandeling, verpakking en frankering. Behandelingskosten zijn vaste bedragen, terwijl vervoerskosten afhankelijk zijn van het totaalgewicht. We raden u aan uw artikelen onder te brengen in Ă©Ă©n bestelling. We kunnen twee apart geplaatste bestellingen niet samenvoegen, voor elke bestelling zullen dus verzendkosten in rekening worden gebracht. Uw pakket wordt op eigen risico verzonden, maar er wordt bijzondere zorg besteed aan breekbare voorwerpen.<br /><br />Onze dozen zijn groot genoeg om uw artikelen goed beschermd te kunnen verzenden.</p>
+ levering
+
+
+ Wettelijke Mededeling
+ Wettelijke mededeling
+ mededeling, wettelijk, kredieten
+ <h2>Wettelijk</h2><h3>Kredieten</h3><p>Concept en productie:</p><p>Deze Webwinkel is opgezet met <a href="http://www.prestashop.com">Prestashop Webwinkel Software</a>, op Prestashop's <a href="http://www.prestashop.com/blog/en/">e-commerce blog</a> vindt u nieuws en advies over online verkopen en het runnen van uw e-commerce website.</p>
+ wettelijke-mededeling
+
+
+ Gebruiksvoorwaarden
+ Onze gebruiksvoorwaarden
+ voorwaarden, gebruik, verkopen
+ <h1 class="page-heading">Gebruiksvoorwaarden</h1><h3 class="page-subheading">Regel 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ю</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ю</p>
+ gebruiks-voorwaarden
+
+
+ Over ons
+ Meer over ons weten
+ over ons, informatie
+ <h1 class="page-heading bottom-indent">Over ons</h1><div class="row"><div class="col-xs-12 col-sm-4"><div class="cms-block"><h3 class="page-subheading">Ons bedrijf</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>Producten van topkwaliteit</li><li><em class="icon-ok"></em>Beste klantenservice</li><li><em class="icon-ok"></em>30-dagen-geld-terug garantie</li></ul></div></div><div class="col-xs-12 col-sm-4"><div class="cms-box"><h3 class="page-subheading">Ons 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">Getuigenissen</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>
+ over-ons
+
+
+ Veilige betaling
+ Onze veilige betaalmethode
+ veilige betaling, ssl, visa, mastercard, paypal
+ <h2>Veilige betaling</h2><h3>Onze veilige betaling</h3><p>Met SSL</p><h3>Aanvaardt Visa/Mastercard/Paypal</h3><p>Over deze dienst</p>
+ veilige-betaling
+
+
diff --git a/_install/langs/nl/data/cms_category.xml b/_install/langs/nl/data/cms_category.xml
new file mode 100644
index 00000000..b9725fe7
--- /dev/null
+++ b/_install/langs/nl/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/nl/data/configuration.xml b/_install/langs/nl/data/configuration.xml
new file mode 100644
index 00000000..e0a2a836
--- /dev/null
+++ b/_install/langs/nl/data/configuration.xml
@@ -0,0 +1,21 @@
+
+
+
+ #IN
+
+
+ #DE
+
+
+ #RE
+
+
+ aan|af|al|als|bij|dan|dat|die|dit|een|en|er|had|heb|hem|het|hij|hoe|hun|ik|in|is|je|kan|me|men|met|mij|nog|nu|of|ons|ook|te|tot|uit|van|was|wat|we|wel|wij|zal|ze|zei|zij|zo|zou
+
+
+ 0
+
+
+ Beste klant, Met vriendelijke groet, Klantenservice
+
+
diff --git a/_install/langs/nl/data/contact.xml b/_install/langs/nl/data/contact.xml
new file mode 100644
index 00000000..2381f62e
--- /dev/null
+++ b/_install/langs/nl/data/contact.xml
@@ -0,0 +1,9 @@
+
+
+
+ Als er zich een technisch probleem voordoet op deze website
+
+
+ Voor vragen over een product, een bestelling
+
+
diff --git a/_install/langs/nl/data/country.xml b/_install/langs/nl/data/country.xml
new file mode 100644
index 00000000..d57ea1e3
--- /dev/null
+++ b/_install/langs/nl/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
+
+
+ Andorra
+
+
+ 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/_install/langs/nl/data/gender.xml b/_install/langs/nl/data/gender.xml
new file mode 100644
index 00000000..f4697aa2
--- /dev/null
+++ b/_install/langs/nl/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/nl/data/group.xml b/_install/langs/nl/data/group.xml
new file mode 100644
index 00000000..abf130b1
--- /dev/null
+++ b/_install/langs/nl/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/nl/data/index.php b/_install/langs/nl/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/nl/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/nl/data/meta.xml b/_install/langs/nl/data/meta.xml
new file mode 100644
index 00000000..04d3398c
--- /dev/null
+++ b/_install/langs/nl/data/meta.xml
@@ -0,0 +1,165 @@
+
+
+
+ 404 fout
+ We hebben de pagina niet gevonden
+ error, 404, not found
+ pagina-niet-gevonden
+
+
+ Best verkochte artikelen
+ Onze best verkochte artikelen
+ best sales
+ best-verkochte-artikelen
+
+
+ Contact met ons opnemen
+ Neem contact met ons op via ons formulier
+ contact, form, e-mail
+ contact-met-ons-opnemen
+
+
+
+ Winkel gerund met behulp van PrestaShop
+ shop, prestashop
+
+
+
+ Fabrikanten
+ Lijst met fabrikanten
+ manufacturer
+ fabrikanten
+
+
+ Nieuwe producten
+ Onze nieuwe producten
+ new, products
+ nieuwe-producten
+
+
+ Uw wachtwoord vergeten
+ Voer het e-mailadres in dat u heeft gebruikt voor uw aanmelding om een e-mail met een nieuw wachtwoord te ontvangen
+ forgot, password, e-mail, new, reset
+ wachtwoord-opvragen
+
+
+ Prijsverlaging
+ Onze speciale producten
+ special, prices drop
+ prijs-verlaging
+
+
+ Sitemap
+ De weg kwijt? Vinden wat u zoekt
+ sitemap
+ sitemap
+
+
+ Leveranciers
+ Lijst met leveranciers
+ supplier
+ leverancier
+
+
+ Adres
+
+
+ adres
+
+
+ Adressen
+
+
+ adressen
+
+
+ Login
+
+
+ login
+
+
+ Winkelmandje
+
+
+ winkelmandje
+
+
+ Korting
+
+
+ korting
+
+
+ Besteloverzicht
+
+
+ bestel-overzicht
+
+
+ Identiteit
+
+
+ identiteit
+
+
+ Mijn account
+
+
+ mijn-account
+
+
+ Bestelling volgen
+
+
+ bestelling-volgen
+
+
+ Bestelbon
+
+
+ bestel-bon
+
+
+ Bestelling
+
+
+ bestelling
+
+
+ Zoeken
+
+
+ zoeken
+
+
+ Winkels
+
+
+ winkels
+
+
+ Bestelling
+
+
+ snel bestellen
+
+
+ Gast traceren
+
+
+ gast traceren
+
+
+ Orderbevestiging
+
+
+ order-bevestiging
+
+
+ Productvergelijking
+
+
+ product-vergelijking
+
+
diff --git a/_install/langs/nl/data/order_return_state.xml b/_install/langs/nl/data/order_return_state.xml
new file mode 100644
index 00000000..b27bbf28
--- /dev/null
+++ b/_install/langs/nl/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ Wacht op bevestiging
+
+
+ Wacht op pakket
+
+
+ Pakket ontvangen
+
+
+ Retour geweigerd
+
+
+ Retour voltooid
+
+
diff --git a/_install/langs/nl/data/order_state.xml b/_install/langs/nl/data/order_state.xml
new file mode 100644
index 00000000..48d6cc7e
--- /dev/null
+++ b/_install/langs/nl/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ In afwachting van betaling per cheque
+ cheque
+
+
+ Betaling aanvaard
+ payment
+
+
+ Wordt momenteel voorbereid
+ preparation
+
+
+ Verzonden
+ shipped
+
+
+ Afgeleverd
+
+
+
+ Geannuleerd
+ order_canceled
+
+
+ Terugbetaling
+ refund
+
+
+ Betalingsfout
+ payment_error
+
+
+ On backorder (paid)
+ outofstock
+
+
+ On backorder (not paid)
+ outofstock
+
+
+ In afwachting van bankoverschrijving
+ bankwire
+
+
+ In afwachting van betaling via PayPal
+
+
+
+ Betaling op afstand aanvaard
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/nl/data/profile.xml b/_install/langs/nl/data/profile.xml
new file mode 100644
index 00000000..b388d5f2
--- /dev/null
+++ b/_install/langs/nl/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/nl/data/quick_access.xml b/_install/langs/nl/data/quick_access.xml
new file mode 100644
index 00000000..c13ea78a
--- /dev/null
+++ b/_install/langs/nl/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/nl/data/risk.xml b/_install/langs/nl/data/risk.xml
new file mode 100644
index 00000000..bb8bf6dd
--- /dev/null
+++ b/_install/langs/nl/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/nl/data/stock_mvt_reason.xml b/_install/langs/nl/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..60e15386
--- /dev/null
+++ b/_install/langs/nl/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Stijging
+
+
+ Daling
+
+
+ Klantenbestelling
+
+
+ Regeling na inventaris
+
+
+ Regeling na inventaris
+
+
+ Verplaatsing naar ander magazijn
+
+
+ Verplaatsing uit ander magazijn
+
+
+ Bestelling
+
+
diff --git a/_install/langs/nl/data/supplier_order_state.xml b/_install/langs/nl/data/supplier_order_state.xml
new file mode 100644
index 00000000..dfc4ce42
--- /dev/null
+++ b/_install/langs/nl/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/nl/data/supply_order_state.xml b/_install/langs/nl/data/supply_order_state.xml
new file mode 100644
index 00000000..2c3348d7
--- /dev/null
+++ b/_install/langs/nl/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Bezig met aanmaken
+
+
+ 2 - Bestelling bevestigd
+
+
+ 3 - In afwachting van ontvangst
+
+
+ 4 - Bestelling gedeeltelijk ontvangen
+
+
+ 5 - Bestelling geheel ontvangen
+
+
+ 6 - Bestelling geannuleerd
+
+
diff --git a/_install/langs/nl/data/tab.xml b/_install/langs/nl/data/tab.xml
new file mode 100644
index 00000000..62368332
--- /dev/null
+++ b/_install/langs/nl/data/tab.xml
@@ -0,0 +1,105 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/nl/flag.jpg b/_install/langs/nl/flag.jpg
new file mode 100644
index 00000000..740660ab
Binary files /dev/null and b/_install/langs/nl/flag.jpg differ
diff --git a/_install/langs/nl/img/index.php b/_install/langs/nl/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/nl/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/nl/img/nl-default-category.jpg b/_install/langs/nl/img/nl-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/nl/img/nl-default-category.jpg differ
diff --git a/_install/langs/nl/img/nl-default-home.jpg b/_install/langs/nl/img/nl-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/nl/img/nl-default-home.jpg differ
diff --git a/_install/langs/nl/img/nl-default-large.jpg b/_install/langs/nl/img/nl-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/nl/img/nl-default-large.jpg differ
diff --git a/_install/langs/nl/img/nl-default-large_scene.jpg b/_install/langs/nl/img/nl-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/nl/img/nl-default-large_scene.jpg differ
diff --git a/_install/langs/nl/img/nl-default-medium.jpg b/_install/langs/nl/img/nl-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/nl/img/nl-default-medium.jpg differ
diff --git a/_install/langs/nl/img/nl-default-small.jpg b/_install/langs/nl/img/nl-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/nl/img/nl-default-small.jpg differ
diff --git a/_install/langs/nl/img/nl-default-thickbox.jpg b/_install/langs/nl/img/nl-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/nl/img/nl-default-thickbox.jpg differ
diff --git a/_install/langs/nl/img/nl-default-thumb_scene.jpg b/_install/langs/nl/img/nl-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/nl/img/nl-default-thumb_scene.jpg differ
diff --git a/_install/langs/nl/img/nl.jpg b/_install/langs/nl/img/nl.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/nl/img/nl.jpg differ
diff --git a/_install/langs/nl/index.php b/_install/langs/nl/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/nl/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/nl/install.php b/_install/langs/nl/install.php
new file mode 100644
index 00000000..c4a46ad6
--- /dev/null
+++ b/_install/langs/nl/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'Er trad een SQL fout op voor: %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'Kan afbeelding "%1$s" voor entiteit "%2$s" niet creëren',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Kan afbeelding "%1$s" (verkeerde rechten op map "%2$s") niet creëren',
+ 'Cannot create image "%s"' => 'Kan afbeelding "%s" niet aanmaken',
+ 'SQL error on query %s ' => 'SQL-fout in zoekopdracht %s ',
+ '%s Login information' => '%s Login informatie',
+ 'Field required' => 'Verplicht veld',
+ 'Invalid shop name' => 'Ongeldige winkelnaam',
+ 'The field %s is limited to %d characters' => 'Dit veld %s is gelimiteerd tot %d karakters',
+ 'Your firstname contains some invalid characters' => 'Uw voornaam bevat enkele ongeldige tekens',
+ 'Your lastname contains some invalid characters' => 'Uw achternaam bevat enkele ongeldige tekens',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Het wachtwoord is onjuist (alfanumerieke reeks met tenminste 8 tekens)',
+ 'Password and its confirmation are different' => 'Het wachtwoord en het bevestigingswachtwoord zijn verschillend',
+ 'This e-mail address is invalid' => 'Dit e-mailadres is niet geldig',
+ 'Image folder %s is not writable' => 'Afbeeldingenmap %s is niet schrijfbaar',
+ 'An error occurred during logo copy.' => 'Een fout is opgetreden tijdens het kopieren van het logo.',
+ 'An error occurred during logo upload.' => 'Een fout is opgetreden tijdens het uploaden van het logo',
+ 'Lingerie and Adult' => 'Lingerie en volwassen',
+ 'Animals and Pets' => 'Dieren en huisdieren',
+ 'Art and Culture' => 'Kunst en cultuur',
+ 'Babies' => 'Baby\'s',
+ 'Beauty and Personal Care' => 'Schoonheid en persoonlijke verzorging',
+ 'Cars' => 'Auto\'s',
+ 'Computer Hardware and Software' => 'Computer hardware en software',
+ 'Download' => 'Downloaden',
+ 'Fashion and accessories' => 'Mode en accessoires',
+ 'Flowers, Gifts and Crafts' => 'Bloemen, cadeaus en nijverheden',
+ 'Food and beverage' => 'Eten en drinken',
+ 'HiFi, Photo and Video' => 'HiFi, foto en video',
+ 'Home and Garden' => 'Huis en tuin',
+ 'Home Appliances' => 'Huishoudelijke apparaten',
+ 'Jewelry' => 'Sierraden',
+ 'Mobile and Telecom' => 'Draagbare telefoons en telecom',
+ 'Services' => 'Diensten',
+ 'Shoes and accessories' => 'Schoenen en accesssoires',
+ 'Sports and Entertainment' => 'Sport en vermaak',
+ 'Travel' => 'Reizen',
+ 'Database is connected' => 'Database is verbonden',
+ 'Database is created' => 'Database is gemaakt',
+ 'Cannot create the database automatically' => 'Kan de database niet automatisch creëren',
+ 'Create settings.inc file' => 'Settings.inc-bestand aanmaken',
+ 'Create database tables' => 'Databasetabellen aanmaken',
+ 'Create default shop and languages' => 'Creëren standaardwinkel en talen',
+ 'Populate database tables' => 'Vullen database tabellen',
+ 'Configure shop information' => 'Configureren winkelinformatie',
+ 'Install demonstration data' => 'Installeren demonstratiegegevens',
+ 'Install modules' => 'Installeren modules',
+ 'Install Addons modules' => 'Installeren Addons modules',
+ 'Install theme' => 'Installeren thema',
+ 'Required PHP parameters' => 'Verplichte PHP parameters',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 of hoger is niet geactiveerd',
+ 'Cannot upload files' => 'Kan bestanden niet uploaden',
+ 'Cannot create new files and folders' => 'Kan nieuwe bestanden en mappen niet creëren',
+ 'GD library is not installed' => 'GD Library is niet geĂŻnstalleerd',
+ 'MySQL support is not activated' => 'MySQL support is niet geactiveerd',
+ 'Files' => 'Bestanden',
+ 'Not all files were successfully uploaded on your server' => 'Niet alle bestanden zijn geĂŒpload naar uw server',
+ 'Permissions on files and folders' => 'Rechten van bestanden en folders',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Recursieve schrijfrechten voor %1$s gebruiker op %2$s',
+ 'Recommended PHP parameters' => 'PHP parameters',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => 'U maakt gebruik van PHP versie %s. Binnenkort zal PHP 5.4 de nieuwste PHP versie ondersteund zijn door PrestaShop. Om ervoor te zorgen dat je klaar bent voor de toekomst, raden wij u aan nu upgraden naar PHP 5.4!',
+ 'Cannot open external URLs' => 'Kan externe URLs niet openen',
+ 'PHP register_globals option is enabled' => 'PHP register_globals option is geactiveerd',
+ 'GZIP compression is not activated' => 'GZIP compressie is niet geactiveerd',
+ 'Mcrypt extension is not enabled' => 'Mcrypt extensie is niet geactiveerd',
+ 'Mbstring extension is not enabled' => 'Mbstring extensie is niet geactiveerd',
+ 'PHP magic quotes option is enabled' => 'PHP magic quotes optie is geactiveerd',
+ 'Dom extension is not loaded' => 'Dom extensie is niet geactiveerd',
+ 'PDO MySQL extension is not loaded' => 'PDO MySQL extensie is niet geladen',
+ 'Server name is not valid' => 'Servernaam is ongeldig',
+ 'You must enter a database name' => 'U moet een database naam invoeren',
+ 'You must enter a database login' => 'U moet een database login invoeren',
+ 'Tables prefix is invalid' => 'Tabellen voorvoegsel is ongeldig',
+ 'Cannot convert database data to utf-8' => 'Kan databasegegevens niet naar utf-8 converteren',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Tenminste Ă©Ă©n table met dezelfde voorvoegsel is gevonden. Verander uw voorvoegsel of verwijder uw database.',
+ 'The values of auto_increment increment and offset must be set to 1' => 'De waarden van auto_increment en offset moeten worden ingesteld op 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'Databaseserver is niet gevonden. Controleer de login-, wachtwoord- en servervelden',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'Verbinding met MySQL server geslaagd, maar database "%s" niet gevonden',
+ 'Attempt to create the database automatically' => 'Probeer om de database automatisch te creëren',
+ '%s file is not writable (check permissions)' => ' %s bestand is niet schrijfbaar (controleer rechten)',
+ '%s folder is not writable (check permissions)' => ' %s map is niet schrijfbaar (controleer rechten)',
+ 'Cannot write settings file' => 'Kan instellingbestand niet schrijven',
+ 'Database structure file not found' => 'Database structuurbestand is niet gevonden',
+ 'Cannot create group shop' => 'Kan groep winkel niet creëren',
+ 'Cannot create shop' => 'Kan winkel niet creëren',
+ 'Cannot create shop URL' => 'Kan winkel URL niet creëren',
+ 'File "language.xml" not found for language iso "%s"' => 'Bestand "language.xml" niet gevonden voor taal iso "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'Bestand "language.xml" niet gevonden voor taal iso "%s"',
+ 'Cannot install language "%s"' => 'Kan taal "%s" niet installeren',
+ 'Cannot copy flag language "%s"' => 'Kan vlag taal "%s" niet installeren',
+ 'Cannot create admin account' => 'Kan admin account niet creëren',
+ 'Cannot install module "%s"' => 'Kan module "%s" niet installeren',
+ 'Fixtures class "%s" not found' => 'Fixtures class "%s" niet gevonden',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" moet een instantie van "InstallXmlLoader" zijn',
+ 'Information about your Store' => 'Informatie over uw webwinkel',
+ 'Shop name' => 'Winkel naam',
+ 'Main activity' => 'Hoofdactiviteit',
+ 'Please choose your main activity' => 'Selecteer uw hoofdactiviteit',
+ 'Other activity...' => 'Andere activiteit',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Help ons om zoveel mogelijk informatie over uw webwinkel te ontvangen, zodat wij u een optimale begeleiding en de beste functies kunnen bieden.',
+ 'Install demo products' => 'Installeer demo producten',
+ 'Yes' => 'Ja',
+ 'No' => 'Nee',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demo producten zijn een goede manier om te ontdekken hoe PrestaShop werkt. Installeer deze als u er nog niet bekend mee bent.',
+ 'Country' => 'Land',
+ 'Select your country' => 'Selecteer uw land',
+ 'Shop timezone' => 'Winkeltijdzone',
+ 'Select your timezone' => 'Selecteer uw tijdzone',
+ 'Shop logo' => 'Winkellogo',
+ 'Optional - You can add you logo at a later time.' => 'Optioneel - U kunt uw logo later toevoegen',
+ 'Your Account' => 'Uw account',
+ 'First name' => 'Voornaam',
+ 'Last name' => 'Achternaam',
+ 'E-mail address' => 'E-mailadres',
+ 'This email address will be your username to access your store\'s back office.' => 'Dit e-mailadres is uw backoffice gebruikersnaam.',
+ 'Shop password' => 'Wachtwoord',
+ 'Must be at least 8 characters' => 'Minimaal 8 karakters',
+ 'Re-type to confirm' => 'Bevestig wachtwoord',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'Alle informatie die u ons geeft wordt door ons verzameld en is onderworpen aan de verwerking van gegevens en statistieken, die nodig zijn voor de leden van PrestaShop om te kunnen reageren op uw vragen. Uw persoonlijke gegevens kunnen aan dienstverleners en partners worden meegedeeld als onderdeel van partnerrelaties. U heeft onder de huidige "Wet op Data Processing, gegevensbestanden en individuele vrijheden" het recht op toegang, rectificatie en verzetten tegen de verwerking van uw persoonlijke gegevens via deze link .',
+ 'Configure your database by filling out the following fields' => 'Configureer uw database door de volgende velden in te vullen',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Om PrestaShop te gebruiken, dient U een database te creëren om alle data-gerelateerde activiteiten van uw winkel in op te slaan.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Vul de onderstaande velden in, zodat PrestaShop een verbinding kan maken met uw database.',
+ 'Database server address' => 'Database serveradres',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'De standaardpoort is 3306. Om een andere poort te gebruiken, voeg het poortnummer aan het einde van uw serveradres toe, bijv. ":4242".',
+ 'Database name' => 'Database naam',
+ 'Database login' => 'Database login',
+ 'Database password' => 'Database wachtwoord',
+ 'Database Engine' => 'Database-engine',
+ 'Tables prefix' => 'Tabellen voorvoegsel',
+ 'Drop existing tables (mode dev)' => 'Bestaande tabellen verwijderen (dev modus)',
+ 'Test your database connection now!' => 'Test uw databaseverbinding nu!',
+ 'Next' => 'Volgende',
+ 'Back' => 'Terug',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Als u hulp nodig heeft, kunt u specifieke hulp verkrijgen van ons support team. De officiële documentatie is ook beschikbaar om u te begeleiden.',
+ 'Official forum' => 'Officiële forum',
+ 'Support' => 'Ondersteuning',
+ 'Documentation' => 'Documentatie',
+ 'Contact us' => 'Contacteer ons',
+ 'PrestaShop Installation Assistant' => 'PrestaShop Installatie Assistent',
+ 'Forum' => 'Forum',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'Contacteer ons!',
+ 'menu_welcome' => 'Kies uw taal',
+ 'menu_license' => 'Licentieovereenkomsten',
+ 'menu_system' => 'Systeemcompabiliteit',
+ 'menu_configure' => 'Winkel informatie',
+ 'menu_database' => 'Systeemconfiguratie',
+ 'menu_process' => 'Winkel installatie',
+ 'Installation Assistant' => 'Installatie Assistent',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Om PrestaShop te installeren moet u JavaScript in uw browser inschakelen.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/nl/',
+ 'License Agreements' => 'Licentieovereenkomsten',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Lees de onderstaande licentievoorwaarden om van de vele functies, die door PrestaShop gratis worden aangebonden, gebruik te maken. De PrestaShop-kern is onder OSL 3.0 gelicentieerd, terwijl de modules en thema\'s onder AFL 3.0 zijn gelicentieerd.',
+ 'I agree to the above terms and conditions.' => 'Ik ga akkoord met de bovenstaande voorwaarden.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Ik ga akkoord om deel te nemen aan het verbeteren van de software met het sturen van anonieme informatie over mijn configuratie.',
+ 'Done!' => 'Klaar!',
+ 'An error occurred during installation...' => 'Er trad een fout op tijdens de installatie...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'In de linkerkolom kunt u gebruik maken van de links om terug te gaan naar vorige stappen, of het installatieproces opnieuw starten door hier te klikken .',
+ 'Your installation is finished!' => 'Uw installatie is voltooid!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'U hebt zojuist uw winkel geĂŻnstalleerd. Dank u voor het gebruiken van PrestaShop!',
+ 'Please remember your login information:' => 'Gelieve uw login informatie te onthouden:',
+ 'E-mail' => 'E-mail',
+ 'Print my login information' => 'Print mijn login informatie',
+ 'Password' => 'Wachtwoord',
+ 'Display' => 'Weergeven',
+ 'For security purposes, you must delete the "install" folder.' => 'Om beveiligingsredenen moet u de "install" map verwijderen.',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Backoffice',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Beheer uw winkel door uw backoffice te gebruiken. Beheer uw bestellingen en klanten, voeg modules toe, verander thema\'s, enz.',
+ 'Manage your store' => 'Beheer uw winkel',
+ 'Front Office' => 'Frontoffice',
+ 'Discover your store as your future customers will see it!' => 'Ontdek uw winkel zoals uw toekomstige klanten het zullen zien!',
+ 'Discover your store' => 'Ontdek uw winkel',
+ 'Share your experience with your friends!' => 'Vertel Uw vrienden over Uw PrestaShop ervaringen!',
+ 'I just built an online store with PrestaShop!' => 'Ik heb net een webwinkel gebouwd met PrestaShop!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Bekijk deze opwindende ervaring op: http://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'Delen',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Kijk ook een naar de PrestaShop Addons om dat kleine beetje extra aan Uw winkel toe te voegen!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'Wij controleren momenteel de compabiliteit van PrestaShop met uw systeemomgeving',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Als u vragen hebt, bezoek dan onze documentatie en community forum . ',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'PrestaShop compabiliteit met uw systeemomgeving is gecontroleerd!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oeps! Corrigeer de onderstaande item(s) en klik dan "Vernieuw informatie" om de compatibiliteit van uw nieuwe systeem te testen.',
+ 'Refresh these settings' => 'Vernieuw deze instellingen',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop vereist tenminste 32MB geheugen om te draaien, controleer de memory_limit richtlijn in php.ini of neem contact op met uw hostingprovider.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Waarschuwing: U kunt deze tool niet meer gebruiken om Uw winkel te upgraden. U gebruikt al PrestaShop versie %1$s . Indien U wilt upgraden naar de laatste versie, dan kunt u meer hierover lezen in onze documentatie: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'Welkom bij het PrestaShop %s installatieprogramma',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'De installatie van PrestaShop is snel en eenvoudig. In slechts enkele ogenblikken wordt U deelgenoot van een community van meer dan 230.000 verkopers. U heeft nu bijna uw eigen unieke Webwinkel gecreëerd die U elke dag eenvoudig kunt onderhouden.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'Als je hulp nodig hebt, aarzel dan niet om deze korte handleiding te bekijken , of lees onze documentatie .',
+ 'Continue the installation in:' => 'Ga door met de installatie in:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'De talenselectie hierboven geldt alleen voor de installatie assistent. Zodra uw webwinkel is geĂŻnstalleerd, kunt u geheel gratis de taal voor uw webwinkel uit meer dan %d vertalingen kiezen.',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'De installatie van PrestaShop is snel en eenvoudig. In slechts enkele ogenblikken wordt U deelgenoot van een community van meer dan 250.000 verkopers. U heeft nu bijna uw eigen unieke Webwinkel gecreëerd die U elke dag eenvoudig kunt onderhouden.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/nl/language.xml b/_install/langs/nl/language.xml
new file mode 100644
index 00000000..9b28011e
--- /dev/null
+++ b/_install/langs/nl/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ nl-nl
+ m/j/Y
+ m/j/Y H:i:s
+ false
+
diff --git a/_install/langs/nl/mail_identifiers.txt b/_install/langs/nl/mail_identifiers.txt
new file mode 100644
index 00000000..3f768acb
--- /dev/null
+++ b/_install/langs/nl/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Hi {firstname} {lastname},
+
+Here is your personal login information for {shop_name}:
+
+Password: {passwd}
+E-mail address: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/no/data/carrier.xml b/_install/langs/no/data/carrier.xml
new file mode 100644
index 00000000..343fa6f5
--- /dev/null
+++ b/_install/langs/no/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Pick up in-store
+
+
diff --git a/_install/langs/no/data/category.xml b/_install/langs/no/data/category.xml
new file mode 100644
index 00000000..87b90b95
--- /dev/null
+++ b/_install/langs/no/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Root
+
+ root
+
+
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/no/data/cms.xml b/_install/langs/no/data/cms.xml
new file mode 100644
index 00000000..1e0d3501
--- /dev/null
+++ b/_install/langs/no/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 Web site was created using <a href="http://www.prestashop.com">PrestaShop</a>™ open-source software.</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ю</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ю</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 mean
+ 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 services</p>
+ secure-payment
+
+
diff --git a/_install/langs/no/data/cms_category.xml b/_install/langs/no/data/cms_category.xml
new file mode 100644
index 00000000..ceb8cf49
--- /dev/null
+++ b/_install/langs/no/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/no/data/configuration.xml b/_install/langs/no/data/configuration.xml
new file mode 100644
index 00000000..26e86e4f
--- /dev/null
+++ b/_install/langs/no/data/configuration.xml
@@ -0,0 +1,24 @@
+
+
+
+ #IN
+
+
+ #DE
+
+
+ #RE
+
+
+
+
+
+ 0
+
+
+ Dear Customer,
+
+Regards,
+Customer service
+
+
diff --git a/_install/langs/no/data/contact.xml b/_install/langs/no/data/contact.xml
new file mode 100644
index 00000000..bdc0b24d
--- /dev/null
+++ b/_install/langs/no/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/_install/langs/no/data/country.xml b/_install/langs/no/data/country.xml
new file mode 100644
index 00000000..d57ea1e3
--- /dev/null
+++ b/_install/langs/no/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
+
+
+ Andorra
+
+
+ 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/_install/langs/no/data/gender.xml b/_install/langs/no/data/gender.xml
new file mode 100644
index 00000000..2b2a4aa5
--- /dev/null
+++ b/_install/langs/no/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/no/data/group.xml b/_install/langs/no/data/group.xml
new file mode 100644
index 00000000..2d1b7093
--- /dev/null
+++ b/_install/langs/no/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/no/data/index.php b/_install/langs/no/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/no/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/no/data/meta.xml b/_install/langs/no/data/meta.xml
new file mode 100644
index 00000000..320b543b
--- /dev/null
+++ b/_install/langs/no/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
+
+
+
+ Shop powered by PrestaShop
+
+
+
+
+ Manufacturers
+ Manufacturers list
+
+ manufacturers
+
+
+ New products
+ Our new products
+
+ new-products
+
+
+ Forgot your password
+ Enter your e-mail address used to register in goal to get e-mail with your 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
+
+
+ Order slip
+
+
+ order-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/_install/langs/no/data/order_return_state.xml b/_install/langs/no/data/order_return_state.xml
new file mode 100644
index 00000000..37ad31de
--- /dev/null
+++ b/_install/langs/no/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ Waiting for confirmation
+
+
+ Waiting for package
+
+
+ Package received
+
+
+ Return denied
+
+
+ Return completed
+
+
diff --git a/_install/langs/no/data/order_state.xml b/_install/langs/no/data/order_state.xml
new file mode 100644
index 00000000..c722677c
--- /dev/null
+++ b/_install/langs/no/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ Awaiting cheque payment
+ cheque
+
+
+ Payment accepted
+ payment
+
+
+ Preparation in progress
+ preparation
+
+
+ Shipped
+ shipped
+
+
+ Delivered
+
+
+
+ Canceled
+ order_canceled
+
+
+ Refund
+ refund
+
+
+ Payment error
+ payment_error
+
+
+ On backorder (paid)
+ outofstock
+
+
+ On backorder (not paid)
+ outofstock
+
+
+ Awaiting bank wire payment
+ bankwire
+
+
+ Awaiting PayPal payment
+
+
+
+ Payment remotely accepted
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/no/data/profile.xml b/_install/langs/no/data/profile.xml
new file mode 100644
index 00000000..7352a78c
--- /dev/null
+++ b/_install/langs/no/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/no/data/quick_access.xml b/_install/langs/no/data/quick_access.xml
new file mode 100644
index 00000000..72e5a5b9
--- /dev/null
+++ b/_install/langs/no/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/no/data/risk.xml b/_install/langs/no/data/risk.xml
new file mode 100644
index 00000000..bb8bf6dd
--- /dev/null
+++ b/_install/langs/no/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/no/data/stock_mvt_reason.xml b/_install/langs/no/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..e04ec4eb
--- /dev/null
+++ b/_install/langs/no/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Increase
+
+
+ Decrease
+
+
+ Customer Order
+
+
+ Regulation following an inventory of stock
+
+
+ Regulation following an inventory of stock
+
+
+ Transfer to another warehouse
+
+
+ Transfer from another warehouse
+
+
+ Supply Order
+
+
diff --git a/_install/langs/no/data/supplier_order_state.xml b/_install/langs/no/data/supplier_order_state.xml
new file mode 100644
index 00000000..dfc4ce42
--- /dev/null
+++ b/_install/langs/no/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/no/data/supply_order_state.xml b/_install/langs/no/data/supply_order_state.xml
new file mode 100644
index 00000000..1e8903f0
--- /dev/null
+++ b/_install/langs/no/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Creation in progress
+
+
+ 2 - Order validated
+
+
+ 3 - Pending receipt
+
+
+ 4 - Order received in part
+
+
+ 5 - Order received completely
+
+
+ 6 - Order canceled
+
+
diff --git a/_install/langs/no/data/tab.xml b/_install/langs/no/data/tab.xml
new file mode 100644
index 00000000..e4b584b9
--- /dev/null
+++ b/_install/langs/no/data/tab.xml
@@ -0,0 +1,103 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/no/flag.jpg b/_install/langs/no/flag.jpg
new file mode 100644
index 00000000..4187e0dc
Binary files /dev/null and b/_install/langs/no/flag.jpg differ
diff --git a/_install/langs/no/img/index.php b/_install/langs/no/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/no/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/no/img/no-default-category.jpg b/_install/langs/no/img/no-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/no/img/no-default-category.jpg differ
diff --git a/_install/langs/no/img/no-default-home.jpg b/_install/langs/no/img/no-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/no/img/no-default-home.jpg differ
diff --git a/_install/langs/no/img/no-default-large.jpg b/_install/langs/no/img/no-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/no/img/no-default-large.jpg differ
diff --git a/_install/langs/no/img/no-default-large_scene.jpg b/_install/langs/no/img/no-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/no/img/no-default-large_scene.jpg differ
diff --git a/_install/langs/no/img/no-default-medium.jpg b/_install/langs/no/img/no-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/no/img/no-default-medium.jpg differ
diff --git a/_install/langs/no/img/no-default-small.jpg b/_install/langs/no/img/no-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/no/img/no-default-small.jpg differ
diff --git a/_install/langs/no/img/no-default-thickbox.jpg b/_install/langs/no/img/no-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/no/img/no-default-thickbox.jpg differ
diff --git a/_install/langs/no/img/no-default-thumb_scene.jpg b/_install/langs/no/img/no-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/no/img/no-default-thumb_scene.jpg differ
diff --git a/_install/langs/no/img/no.jpg b/_install/langs/no/img/no.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/no/img/no.jpg differ
diff --git a/_install/langs/no/index.php b/_install/langs/no/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/no/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/no/install.php b/_install/langs/no/install.php
new file mode 100644
index 00000000..ff9f82f7
--- /dev/null
+++ b/_install/langs/no/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS15/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'En SQL-feil oppstod for entiteten %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'Kan ikke opprette bilde "%1$s" for "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Kan ikke opprette bilde "%1$s" (ikke korrekte skrivetilgang pÄ mappen "%2$s")',
+ 'Cannot create image "%s"' => 'Kan ikke opprette bilde "%s"',
+ 'SQL error on query %s ' => 'SQL-feil pÄ forespÞrselen %s ',
+ '%s Login information' => '%s Innloggingsinformasjon',
+ 'Field required' => 'NĂždvendig felt',
+ 'Invalid shop name' => 'Ugyldig butikknavn',
+ 'The field %s is limited to %d characters' => 'Feltet %s er begrenset til %d tegn',
+ 'Your firstname contains some invalid characters' => 'Fornavnet ditt inneholder ugyldige tegn',
+ 'Your lastname contains some invalid characters' => 'Etternavnet ditt inneholder ugyldige tegn',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Passordet er feil (alfanumerisk streng pÄ minimum 8 tegn)',
+ 'Password and its confirmation are different' => 'Passord og bekreftelse av passord samsvarer ikke',
+ 'This e-mail address is invalid' => 'Denne e-postadressen er ugyldig',
+ 'Image folder %s is not writable' => 'Bildemappen %s er ikke skrivbar',
+ 'An error occurred during logo copy.' => 'En feil oppstod under kopiering av logo.',
+ 'An error occurred during logo upload.' => 'En feil oppstod under opplasting av logo.',
+ 'Lingerie and Adult' => 'UndertĂžy og Voksenprodukt',
+ 'Animals and Pets' => 'Dyr og KjĂŠledyr',
+ 'Art and Culture' => 'Kunst og Kultur',
+ 'Babies' => 'Baby',
+ 'Beauty and Personal Care' => 'SkjĂžnnhet og Personlig pleie',
+ 'Cars' => 'Biler',
+ 'Computer Hardware and Software' => 'Datautstyr og Programvare',
+ 'Download' => 'Last ned',
+ 'Fashion and accessories' => 'Mote og TilbehĂžr',
+ 'Flowers, Gifts and Crafts' => 'Blomster, Gaver og HĂ„ndverk',
+ 'Food and beverage' => 'Mat og Drikke',
+ 'HiFi, Photo and Video' => 'HiFi, Foto og Video',
+ 'Home and Garden' => 'Hjem og Hage',
+ 'Home Appliances' => 'Husholdningsapparater',
+ 'Jewelry' => 'Smykker',
+ 'Mobile and Telecom' => 'Mobil og Telefoni',
+ 'Services' => 'Tjenester',
+ 'Shoes and accessories' => 'Sko og TilbehĂžr',
+ 'Sports and Entertainment' => 'Sport og Underholdning',
+ 'Travel' => 'Tjenester',
+ 'Database is connected' => 'Kontakt med database opprettet',
+ 'Database is created' => 'Database er laget',
+ 'Cannot create the database automatically' => 'Kan ikke lage databasen automatisk',
+ 'Create settings.inc file' => 'Lag settings.inc-filen',
+ 'Create database tables' => 'Lag databasetabeller',
+ 'Create default shop and languages' => 'Opprett standardbutikk og sprÄk',
+ 'Populate database tables' => 'Fyll database tabeller',
+ 'Configure shop information' => 'Konfigurer butikkinformasjon',
+ 'Install demonstration data' => 'Installer demonstrasjonsdata',
+ 'Install modules' => 'Installer moduler',
+ 'Install Addons modules' => 'Installer tilleggsmoduler',
+ 'Install theme' => 'Installer tema',
+ 'Required PHP parameters' => 'PĂ„krevde PHP-parametere',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 eller senere er ikke aktivert',
+ 'Cannot upload files' => 'Kan ikke laste opp filer',
+ 'Cannot create new files and folders' => 'Kan ikke lage nye filer eller mapper',
+ 'GD library is not installed' => 'GD-biblioteket er ikke installert',
+ 'MySQL support is not activated' => 'StĂžtte for MySQL er ikke aktivert',
+ 'Files' => 'Filer',
+ 'Not all files were successfully uploaded on your server' => 'Noen filer ble ikke riktig lastet opp til serveren',
+ 'Permissions on files and folders' => 'Rettigheter pÄ filer og mapper',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Rekursive skrivetillganger for brukeren %1$s pÄ %2$s',
+ 'Recommended PHP parameters' => 'Anbefalte PHP-parametere',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => 'Du bruker PHP versjon %s. Snart vil siste versjon som stĂžttes av PrestaShop vĂŠre PHP 5.4. for Ă„ vĂŠre sikker pĂ„ at du er klar for fremtiden anbefaler vi at du oppgraderer til PHP 5.4 nĂ„!',
+ 'Cannot open external URLs' => 'Kan ikke Ă„pne eksterne URL\'er',
+ 'PHP register_globals option is enabled' => 'PHP register_globals er aktivert',
+ 'GZIP compression is not activated' => 'GZIP-komprimering er ikke aktivert',
+ 'Mcrypt extension is not enabled' => 'Mcrypt-utvidelse er ikke aktivert',
+ 'Mbstring extension is not enabled' => 'Mbstring-utvidelse er ikke aktivert',
+ 'PHP magic quotes option is enabled' => 'PHP-magic-quotes er aktivert',
+ 'Dom extension is not loaded' => 'Dom-utvidelse er ikke lastet',
+ 'PDO MySQL extension is not loaded' => 'PDO MySQL-utvidelse er ikke lastet',
+ 'Server name is not valid' => 'Servernavn er ikke gyldig',
+ 'You must enter a database name' => 'Databasenavn er pÄkrevet',
+ 'You must enter a database login' => 'Du mÄ fylle ut innlogingsdetaljer for databasen',
+ 'Tables prefix is invalid' => 'Tabellprefiks er ikke gyldig',
+ 'Cannot convert database data to utf-8' => 'Kan ikke konvertere databasens innhold til utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Minimum en tabell med samme prefix ble funnet, vennligst forandre prefix eller slett databasen',
+ 'The values of auto_increment increment and offset must be set to 1' => 'Verdiene for auto_increment og startverdi mÄ settes til 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'Databaseserver ble ikke funnet. Kontroller brukernavn-, passord- og server-feltene',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'Tilkobling til MySQL server lyktes, men databasen "%s" ble ikke funnet',
+ 'Attempt to create the database automatically' => 'ForsĂžk Ă„ opprette databasen automatisk',
+ '%s file is not writable (check permissions)' => 'Filen %s er ikke skrivbar (kontroller tilganger)',
+ '%s folder is not writable (check permissions)' => 'Mappen %s er ikke skrivbar (kontroller tilganger)',
+ 'Cannot write settings file' => 'Kan ikke skrive til filen med innstillinger',
+ 'Database structure file not found' => 'Fil for databasestruktur ble ikke funnet',
+ 'Cannot create group shop' => 'Kan ikke opprette gruppebutikk',
+ 'Cannot create shop' => 'Kan ikke opprette butikk',
+ 'Cannot create shop URL' => 'Kan ikke opprette butikk-URL',
+ 'File "language.xml" not found for language iso "%s"' => 'Filen "language.xml" ble ikke funnet for sprÄk ISO "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'Filen "language.xml" er ikke gyldig for sprÄk ISO "%s"',
+ 'Cannot install language "%s"' => 'Kan ikke installere sprÄk "%s"',
+ 'Cannot copy flag language "%s"' => 'Kan ikke kopiere flaggsprÄk "%s"',
+ 'Cannot create admin account' => 'Kan ikke opprette administratorkonto',
+ 'Cannot install module "%s"' => 'Kan ikke installere modul "%s"',
+ 'Fixtures class "%s" not found' => 'Fixturesclass "%s" ble ikke funnet',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" mÄ vÊre en instans av ""InstallXmlLoader"',
+ 'Information about your Store' => 'Informasjon om din butikk',
+ 'Shop name' => 'Butikknavn',
+ 'Main activity' => 'Hovedaktivitet',
+ 'Please choose your main activity' => 'Vennligst velg din hovedaktivitet',
+ 'Other activity...' => 'Annen aktivitet...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Hjelp oss Ä lÊre mer om din butikk sÄ vi kan tilby deg optimal veiledning og de beste funksjonene for din bedrift!',
+ 'Install demo products' => 'Installer demoprodukter',
+ 'Yes' => 'Ja',
+ 'No' => 'Nei',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demoprodukter er en god mÄte Ä lÊre hvordan man kan bruke PrestaShop pÄ. Du burde installere dette om du ikke er kjent med PrestaShop.',
+ 'Country' => 'Land',
+ 'Select your country' => 'Velg land',
+ 'Shop timezone' => 'Butikkens tidssone',
+ 'Select your timezone' => 'Velg din tidssone',
+ 'Shop logo' => 'Butikklogo',
+ 'Optional - You can add you logo at a later time.' => 'Valgfritt - du kan legge til logo senere.',
+ 'Your Account' => 'Din konto',
+ 'First name' => 'Fornavn',
+ 'Last name' => 'Etternavn',
+ 'E-mail address' => 'E-postadresse',
+ 'This email address will be your username to access your store\'s back office.' => 'Denne e-postadressen vil vÊre ditt brukernavn for Ä fÄ tilgang til adminsidene i din butikk.',
+ 'Shop password' => 'Butikkpassord',
+ 'Must be at least 8 characters' => 'MĂ„ vĂŠre minimum 8 tegn',
+ 'Re-type to confirm' => 'Skriv inn pÄ nytt for Ä bekrefte',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'All informasjon du gir oss er samlet inn av oss og gjenstand for dataprosessering og statistikk, dette er nÞdvendig for at medlemmer av firmaet PrestaShop skal kunne svare pÄ dine henvendelser. Dine personlige data vil kunne bli delt med tjenestetilbydere og partnere som del av et partnerforhold. Under gjeldende lov om dataprosessering, datafiler og individuell frihet har du rett til Ä aksessere, rette opp og motsette deg prosessering av dine personlige data via denne lenken .',
+ 'Configure your database by filling out the following fields' => 'Konfigurer din database ved Ă„ fylle ut fĂžlgende felt',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'For Ä bruke PrestaShop mÄ du opprette en database for Ä samle alle din butikks datarelaterte aktiviteter.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Vennligst fyll ut feltene under for at PrestaShop skal kunne koble til din database. ',
+ 'Database server address' => 'Databaseserveradresse',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Standard port er 3306. For Ă„ bruke en annen port legg til portnummer i slutten av din servers adresse. F.eks. ":4242".',
+ 'Database name' => 'Databasenavn',
+ 'Database login' => 'Databasebruker',
+ 'Database password' => 'Databasepassord',
+ 'Database Engine' => 'Databasemotor',
+ 'Tables prefix' => 'Tabellprefiks',
+ 'Drop existing tables (mode dev)' => 'Slett eksisterende tabeller (mode dev)',
+ 'Test your database connection now!' => 'Test din databasetilkobling nÄ!',
+ 'Next' => 'Neste',
+ 'Back' => 'Tilbake',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Dersom du trenger assistanse kan du fÄ tilpasset hjelp fra vÄr kundeserviceavdeling. Den offisielle dokumentasjonen er ogsÄ her for Ä hjelpe deg.',
+ 'Official forum' => 'Offisielt forum',
+ 'Support' => 'KundestĂžtte',
+ 'Documentation' => 'Dokumentasjon',
+ 'Contact us' => 'Kontakt oss',
+ 'PrestaShop Installation Assistant' => 'PrestaShop installasjonsveileder',
+ 'Forum' => 'Forum',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'Kontakt oss!',
+ 'menu_welcome' => 'Velg ditt sprÄk',
+ 'menu_license' => 'Lisensavtale',
+ 'menu_system' => 'Systemkompatibilitet',
+ 'menu_configure' => 'Butikkinformasjon',
+ 'menu_database' => 'Systemkonfigurasjon',
+ 'menu_process' => 'Butikkinstallasjon',
+ 'Installation Assistant' => 'Installasjonsveileder',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'For Ä installere PrestaShop mÄ du ha JavaScript aktivert i din nettleser.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/no/',
+ 'License Agreements' => 'Lisensavtale',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'For Ă„ kunne ha glede av de mange funksjoner som tilbys gratis av PrestaShop, vennligst les lisensavtalen under. PrestaShops kjerne er lisensiert under OSL 3.0, og modulene og tema er lisensiert under AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'Jeg er enig i ovenstÄende brukeravtale.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Jeg er villig til Ă„ hjelpe med forbedring av lĂžsningen ved Ă„ sende anonym informasjon om min konfigurasjon.',
+ 'Done!' => 'Ferdig!',
+ 'An error occurred during installation...' => 'En feil oppstod under installasjonen...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'Du kan benytte lenkene i venstre kolonne for Ä gÄ tilbake til tidligere trinn, eller starte installasjonsprosessen pÄ nytt ved Ä klikke her .',
+ 'Your installation is finished!' => 'Installasjonen er fullfĂžrt!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Du har nÄ installert din nettbutikk. Takk for at du valgte PrestaShop!',
+ 'Please remember your login information:' => 'Ta vare pÄ dine innloggingdetaljer:',
+ 'E-mail' => 'E-post',
+ 'Print my login information' => 'Skriv ut min innloggingsinformasjon',
+ 'Password' => 'Passord',
+ 'Display' => 'Vis',
+ 'For security purposes, you must delete the "install" folder.' => 'Av sikkerhetsgrunner mÄ du slette mappen "install".',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Adminsider',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Styr din butikk ved bruk av Adminsidene. Styr ordre og kunder, legg til moduler, endre tema etc.',
+ 'Manage your store' => 'Administrer din butikk',
+ 'Front Office' => 'Butikksider',
+ 'Discover your store as your future customers will see it!' => 'Oppdag din butikk slik dine fremtidige kunder vil se den!',
+ 'Discover your store' => 'Oppdag din butikk',
+ 'Share your experience with your friends!' => 'Del erfaringen med dine venner!',
+ 'I just built an online store with PrestaShop!' => 'Jeg laget akkurat en nettbutikk med PrestaShop!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Se denne spennende videoen: http://vimeo.com/89298199',
+ 'Tweet' => 'Tvitre',
+ 'Share' => 'Del',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Sjekk ut PrestaShop-tillegg for Ă„ legge til det lille ekstra i din butikk!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'VI sjekker om PrestaShop er kompatibelt med ditt system',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Hvis du har noen spÞrsmÄl, besÞk vÄr dokumentasjon og forum .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'Ditt system er kompatibelt med PrestaShop!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Korriger feilen(e) under, og klikk deretter "Oppdater informasjon" for Ă„ teste kompatibiliteten til ditt nye system.',
+ 'Refresh these settings' => 'Oppdater disse instillingene',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop krever minimum 32MB minne for Ă„ kunne kjĂžre: kontroller memory_limit i din php.ini, eller ta kontakt med din webhotell-leverandĂžr.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Advarsel: Du kan ikke bruke dette verktÞyet for Ä oppgradere din butikk lengre. Du har allerede PrestaShop versjon %1$s installert . Dersom du Þnsker Ä oppgradere til siste versjon kan du lese vÄr dokumentasjon: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'Velkommen til PrestaShop %s installasjonsveileder',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Installasjonen av PrestaShop er rask og enkel. Om noen fÄ Þyeblikk vil du bli en del av et samfunn med mer enn 230.000 forhandlere. Du er nÄ pÄ vei til Ä ha din egen unike nettbutikk som du enkelt kan administrere hver eneste dag.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'Hvis du trenger hjelp, ikke nÞl med Ä se denne korte opplÊringsintroduksjonen , eller ta en titt pÄ vÄr dokumentasjon .',
+ 'Continue the installation in:' => 'Fortsett installasjonen pÄ:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'SprÄket over gjelder bare i installasjonsveilederen. NÄr din butikk er installert kan du velge fra over %d oversettelser til din butikk, og alle er gratis!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Installasjonen av PrestaShop er rask og enkel. Om noen fÄ Þyeblikk vil du bli en del av et samfunn med mer enn 250.000 forhandlere. Du er nÄ pÄ vei til Ä ha din egen unike nettbutikk som du enkelt kan administrere hver eneste dag.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/no/language.xml b/_install/langs/no/language.xml
new file mode 100644
index 00000000..938c4704
--- /dev/null
+++ b/_install/langs/no/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ no
+ m/j/Y
+ m/j/Y H:i:s
+ false
+
diff --git a/_install/langs/no/mail_identifiers.txt b/_install/langs/no/mail_identifiers.txt
new file mode 100644
index 00000000..3f768acb
--- /dev/null
+++ b/_install/langs/no/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Hi {firstname} {lastname},
+
+Here is your personal login information for {shop_name}:
+
+Password: {passwd}
+E-mail address: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/pl/data/carrier.xml b/_install/langs/pl/data/carrier.xml
new file mode 100644
index 00000000..5d76fa37
--- /dev/null
+++ b/_install/langs/pl/data/carrier.xml
@@ -0,0 +1,6 @@
+ï»ż
+
+
+ OdbiĂłr w sklepie
+
+
diff --git a/_install/langs/pl/data/category.xml b/_install/langs/pl/data/category.xml
new file mode 100644
index 00000000..a2b13a12
--- /dev/null
+++ b/_install/langs/pl/data/category.xml
@@ -0,0 +1,19 @@
+ï»ż
+
+
+ Bazowa
+
+ bazowa
+
+
+
+
+
+ GĆĂłwna
+
+ glowna
+
+
+
+
+
diff --git a/_install/langs/pl/data/cms.xml b/_install/langs/pl/data/cms.xml
new file mode 100644
index 00000000..37edee2c
--- /dev/null
+++ b/_install/langs/pl/data/cms.xml
@@ -0,0 +1,45 @@
+
+
+
+ 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 Web site was created using <a href="http://www.prestashop.com">PrestaShop</a>™ open-source software.</p>
+ legal-notice
+
+
+ Terms and conditions of use
+ Our terms and conditions of use
+ conditions, terms, use, sell
+ <h2>Your terms and conditions of use</h2><h3>Rule 1</h3><p>Here is the rule 1 content</p>
+<h3>Rule 2</h3><p>Here is the rule 2 content</p>
+<h3>Rule 3</h3><p>Here is the rule 3 content</p>
+ terms-and-conditions-of-use
+
+
+ About us
+ Learn more about us
+ about us, informations
+ <h2>About us</h2>
+<h3>Our company</h3><p>Our company</p>
+<h3>Our team</h3><p>Our team</p>
+<h3>Informations</h3><p>Informations</p>
+ about-us
+
+
+ Secure payment
+ Our secure payment mean
+ 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 services</p>
+ secure-payment
+
+
diff --git a/_install/langs/pl/data/cms_category.xml b/_install/langs/pl/data/cms_category.xml
new file mode 100644
index 00000000..360e1a19
--- /dev/null
+++ b/_install/langs/pl/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ GĆĂłwna
+
+ glowna
+
+
+
+
+
diff --git a/_install/langs/pl/data/configuration.xml b/_install/langs/pl/data/configuration.xml
new file mode 100644
index 00000000..2a5af27b
--- /dev/null
+++ b/_install/langs/pl/data/configuration.xml
@@ -0,0 +1,24 @@
+
+
+
+ #W
+
+
+ #DE
+
+
+ #RE
+
+
+ ach|aj|albo|bardzo|bez|bo|byc|ci|cie|ciebie|co|czy|daleko|dla|dlaczego|dlatego|do|dobrze|dokad|dosc|duzo|dwa|dwaj|dwie|dwoje|dzis|dzisiaj|gdyby|gdzie|go|ich|ile|im|inny|ja|ja|jak|jakby|jaki|je|jeden|jedna|jedno|jego|jej|jemu|jesli|jest|jestem|jezeli|juz|kazdy|kiedy|kierunku|kto|ku|lub|ma|maja|mam|mi|mna|mnie|moi|mĂłj|moja|moje|moze|mu|my|na|nam|nami|nas|nasi|nasz|nasza|nasze|natychmiast|nia|nic|nich|nie|niego|niej|niemu|nigdy|nim|nimi|niz|obok|od|okolo|on|ona|one|oni|ono|owszem|po|pod|poniewaz|przed|przedtem|sa|sam|sama|sie|skad|tak|taki|tam|ten|to|toba|tobie|tu|tutaj|twoi|twĂłj|twoja|twoje|ty|wam|wami|was|wasi|wasz|wasza|wasze|we|wiec|wszystko|wtedy|wy|zaden|zawsze|ze
+
+
+ 0
+
+
+ Szanowny Kliencie,
+
+Z wyrazami szacunku,
+Dzial obslugi klienta
+
+
diff --git a/_install/langs/pl/data/contact.xml b/_install/langs/pl/data/contact.xml
new file mode 100644
index 00000000..59ba0a8b
--- /dev/null
+++ b/_install/langs/pl/data/contact.xml
@@ -0,0 +1,9 @@
+ï»ż
+
+
+ JeĆli pojawiĆ siÄ problem techniczny na tej stronie
+
+
+ Wszelkie pytania dotyczÄ
ce produktĂłw i zamĂłwieĆ
+
+
diff --git a/_install/langs/pl/data/country.xml b/_install/langs/pl/data/country.xml
new file mode 100644
index 00000000..8f825d35
--- /dev/null
+++ b/_install/langs/pl/data/country.xml
@@ -0,0 +1,999 @@
+
+
+
+ Afganistan
+
+
+
+ Albania
+
+
+
+ Algieria
+
+
+
+ Andora
+
+
+
+ Angola
+
+
+
+ Anguilla
+
+
+
+ Antarktyka
+
+
+
+ Antigua i Barbuda
+
+
+
+ Arabia Saudyjska
+
+
+
+ Argentyna
+
+
+
+ Armenia
+
+
+
+ Aruba
+
+
+
+ Australia
+
+
+
+ Austria
+
+
+
+ AzerbejdĆŒan
+
+
+
+ Bahamy
+
+
+
+ Bahrajn
+
+
+
+ Bangladesz
+
+
+
+ Barbados
+
+
+
+ Belgia
+
+
+
+ Belize
+
+
+
+ Benin
+
+
+
+ Bermudy
+
+
+
+ Bhutan
+
+
+
+ BiaĆoruĆ
+
+
+
+ Boliwia
+
+
+
+ Bonaire, Sint Eustatius i Saba
+
+
+
+ BoĆnia i Hercegowina
+
+
+
+ Botswana
+
+
+
+ Brazylia
+
+
+
+ Brunei
+
+
+
+ Brytyjskie Terytorium Oceanu Indyjskiego
+
+
+
+ Brytyjskie Wyspy Dziewicze
+
+
+
+ BuĆgaria
+
+
+
+ Burkina Faso
+
+
+
+ Burundi
+
+
+
+ Chile
+
+
+
+ Chiny
+
+
+
+ Chorwacja
+
+
+
+ Curaçao
+
+
+
+ Cypr
+
+
+
+ Czad
+
+
+
+ CzarnogĂłra
+
+
+
+ Czechy
+
+
+
+ Dalekie Wyspy Mniejsze StanĂłw Zjednoczonych
+
+
+
+ Dania
+
+
+
+ Demokratyczna Republika Konga
+
+
+
+ Dominika
+
+
+
+ Dominikana
+
+
+
+ DĆŒibuti
+
+
+
+ Egipt
+
+
+
+ Ekwador
+
+
+
+ Erytrea
+
+
+
+ Estonia
+
+
+
+ Etiopia
+
+
+
+ Falklandy
+
+
+
+ FidĆŒi
+
+
+
+ Filipiny
+
+
+
+ Finlandia
+
+
+
+ Francja
+
+
+
+ Francuskie Terytoria PoĆudniowe i Antarktyczne
+
+
+
+ Gabon
+
+
+
+ Gambia
+
+
+
+ Georgia PoĆudniowa i Sandwich PoĆudniowy
+
+
+
+ Ghana
+
+
+
+ Gibraltar
+
+
+
+ Grecja
+
+
+
+ Grenada
+
+
+
+ Grenlandia
+
+
+
+ Gruzja
+
+
+
+ Guam
+
+
+
+ Guernsey
+
+
+
+ Gujana Francuska
+
+
+
+ Gujana
+
+
+
+ Gwadelupa
+
+
+
+ Gwatemala
+
+
+
+ Gwinea Bissau
+
+
+
+ Gwinea RĂłwnikowa
+
+
+
+ Gwinea
+
+
+
+ Haiti
+
+
+
+ Hiszpania
+
+
+
+ Holandia
+
+
+
+ Honduras
+
+
+
+ Hongkong
+
+
+
+ Indie
+
+
+
+ Indonezja
+
+
+
+ Irak
+
+
+
+ Iran
+
+
+
+ Irlandia
+
+
+
+ Islandia
+
+
+
+ Izrael
+
+
+
+ Jamajka
+
+
+
+ Japonia
+
+
+
+ Jemen
+
+
+
+ Jersey
+
+
+
+ Jordania
+
+
+
+ Kajmany
+
+
+
+ KambodĆŒa
+
+
+
+ Kamerun
+
+
+
+ Kanada
+
+
+
+ Katar
+
+
+
+ Kazachstan
+
+
+
+ Kenia
+
+
+
+ Kirgistan
+
+
+
+ Kiribati
+
+
+
+ Kolumbia
+
+
+
+ Komory
+
+
+
+ Kongo
+
+
+
+ Korea PoĆudniowa
+
+
+
+ Korea PĂłĆnocna
+
+
+
+ Kostaryka
+
+
+
+ Kuba
+
+
+
+ Kuwejt
+
+
+
+ Laos
+
+
+
+ Lesotho
+
+
+
+ Liban
+
+
+
+ Liberia
+
+
+
+ Libia
+
+
+
+ Liechtenstein
+
+
+
+ Litwa
+
+
+
+ Luksemburg
+
+
+
+ Ćotwa
+
+
+
+ Macedonia
+
+
+
+ Madagaskar
+
+
+
+ Majotta
+
+
+
+ Makau
+
+
+
+ Malawi
+
+
+
+ Malediwy
+
+
+
+ Malezja
+
+
+
+ Mali
+
+
+
+ Malta
+
+
+
+ Mariany PĂłĆnocne
+
+
+
+ Maroko
+
+
+
+ Martynika
+
+
+
+ Mauretania
+
+
+
+ Mauritius
+
+
+
+ Meksyk
+
+
+
+ Mikronezja
+
+
+
+ Mjanma
+
+
+
+ MoĆdawia
+
+
+
+ Monako
+
+
+
+ Mongolia
+
+
+
+ Montserrat
+
+
+
+ Mozambik
+
+
+
+ Namibia
+
+
+
+ Nauru
+
+
+
+ Nepal
+
+
+
+ Niemcy
+
+
+
+ Niger
+
+
+
+ Nigeria
+
+
+
+ Nikaragua
+
+
+
+ Niue
+
+
+
+ Norfolk
+
+
+
+ Norwegia
+
+
+
+ Nowa Kaledonia
+
+
+
+ Nowa Zelandia
+
+
+
+ Oman
+
+
+
+ Pakistan
+
+
+
+ Palau
+
+
+
+ Palestyna
+
+
+
+ Panama
+
+
+
+ Papua-Nowa Gwinea
+
+
+
+ Paragwaj
+
+
+
+ Peru
+
+
+
+ Pitcairn
+
+
+
+ Polinezja Francuska
+
+
+
+ Polska
+
+
+
+ Portoryko
+
+
+
+ Portugalia
+
+
+
+ Republika PoĆudniowej Afryki
+
+
+
+ Republika ĆrodkowoafrykaĆska
+
+
+
+ Republika Zielonego PrzylÄ
dka
+
+
+
+ Reunion
+
+
+
+ Rosja
+
+
+
+ Rumunia
+
+
+
+ Rwanda
+
+
+
+ Sahara Zachodnia
+
+
+
+ Saint Kitts i Nevis
+
+
+
+ Saint Lucia
+
+
+
+ Saint Vincent i Grenadyny
+
+
+
+ Saint-Barthélemy
+
+
+
+ Saint-Martin
+
+
+
+ Saint-Pierre i Miquelon
+
+
+
+ Salwador
+
+
+
+ Samoa AmerykaĆskie
+
+
+
+ Samoa
+
+
+
+ San Marino
+
+
+
+ Senegal
+
+
+
+ Serbia
+
+
+
+ Seszele
+
+
+
+ Sierra Leone
+
+
+
+ Singapur
+
+
+
+ Sint Maarten
+
+
+
+ SĆowacja
+
+
+
+ SĆowenia
+
+
+
+ Somalia
+
+
+
+ Sri Lanka
+
+
+
+ Stany Zjednoczone
+
+
+
+ Suazi
+
+
+
+ Sudan
+
+
+
+ Sudan PoĆudniowy
+
+
+
+ Surinam
+
+
+
+ Svalbard i Jan Mayen
+
+
+
+ Syria
+
+
+
+ Szwajcaria
+
+
+
+ Szwecja
+
+
+
+ TadĆŒykistan
+
+
+
+ Tajlandia
+
+
+
+ Tajwan
+
+
+
+ Tanzania
+
+
+
+ Timor Wschodni
+
+
+
+ Togo
+
+
+
+ Tokelau
+
+
+
+ Tonga
+
+
+
+ Trynidad i Tobago
+
+
+
+ Tunezja
+
+
+
+ Turcja
+
+
+
+ Turkmenistan
+
+
+
+ Turks i Caicos
+
+
+
+ Tuvalu
+
+
+
+ Uganda
+
+
+
+ Ukraina
+
+
+
+ Urugwaj
+
+
+
+ Uzbekistan
+
+
+
+ Vanuatu
+
+
+
+ Wallis i Futuna
+
+
+
+ Watykan
+
+
+
+ Wenezuela
+
+
+
+ WÄgry
+
+
+
+ Wielka Brytania
+
+
+
+ Wietnam
+
+
+
+ WĆochy
+
+
+
+ WybrzeĆŒe KoĆci SĆoniowej
+
+
+
+ Wyspa Bouveta
+
+
+
+ Wyspa BoĆŒego Narodzenia
+
+
+
+ Wyspa Man
+
+
+
+ Wyspa ĆwiÄtej Heleny, Wyspa WniebowstÄ
pienia i Tristan da Cunha
+
+
+
+ Wyspy Alandzkie
+
+
+
+ Wyspy Cooka
+
+
+
+ Wyspy Dziewicze StanĂłw Zjednoczonych
+
+
+
+ Wyspy Heard i McDonalda
+
+
+
+ Wyspy Kokosowe
+
+
+
+ Wyspy Marshalla
+
+
+
+ Wyspy Owcze
+
+
+
+ Wyspy Salomona
+
+
+
+ Wyspy ĆwiÄtego Tomasza i KsiÄ
ĆŒÄca
+
+
+
+ Zambia
+
+
+
+ Zimbabwe
+
+
+
+ Zjednoczone Emiraty Arabskie
+
+
+
diff --git a/_install/langs/pl/data/gender.xml b/_install/langs/pl/data/gender.xml
new file mode 100644
index 00000000..fb769ab5
--- /dev/null
+++ b/_install/langs/pl/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/pl/data/group.xml b/_install/langs/pl/data/group.xml
new file mode 100644
index 00000000..407c0777
--- /dev/null
+++ b/_install/langs/pl/data/group.xml
@@ -0,0 +1,6 @@
+ï»ż
+
+
+
+
+
diff --git a/_install/langs/pl/data/index.php b/_install/langs/pl/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/pl/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/pl/data/meta.xml b/_install/langs/pl/data/meta.xml
new file mode 100644
index 00000000..1fd7363d
--- /dev/null
+++ b/_install/langs/pl/data/meta.xml
@@ -0,0 +1,165 @@
+
+
+
+ BĆÄ
d 404
+ Nie moĆŒna odnaleĆșÄ strony
+ bĆÄ
d, 404, nie znaleziono
+ nie-znaleziono-strony
+
+
+ NajczÄĆciej kupowane
+ Nasze najlepsze sprzedaĆŒe
+ NajczÄĆciej kupowane
+ najczesciej-kupowane
+
+
+ Skontaktuj siÄ z nami
+ Skorzystaj z formularza kontaktowego
+ kontakt,e-mail
+ kontakt
+
+
+
+ Sklep na oprogramowaniu PrestaShop
+ sklep, prestashop
+
+
+
+ Producenci
+ Lista producentĂłw
+ producent
+ producenci
+
+
+ Nowe produkty
+ Nasze nowe produkty
+ nowe, produkty
+ nowe-produkty
+
+
+ Przypomnienie hasĆa
+ Wpisz swĂłj adres e-mail w celu uzyskania nowego hasĆa
+ przypomnienie, hasĆo, e-mail, nowy
+ odzyskiwanie-hasla
+
+
+ Promocje
+ Produkty w promocji
+ promocje, specjalne, spadek ceny
+ promocje
+
+
+ Mapa strony
+ ZagubiĆeĆ siÄ? ZnajdĆș to, czego szukasz!
+ mapa strony
+ mapa-strony
+
+
+ Dostawcy
+ Lista dostawcĂłw
+ dostawca
+ dostawcy
+
+
+ Adres
+
+
+ adres
+
+
+ Adresy
+
+
+ adresy
+
+
+ Logowanie
+
+
+ logowanie
+
+
+ Koszyk
+
+
+ koszyk
+
+
+ Rabaty
+
+
+ rabaty
+
+
+ Historia zamĂłwieĆ
+
+
+ historia-zamowien
+
+
+ Dane osobiste
+
+
+ dane-osobiste
+
+
+ Moje konto
+
+
+ moje-konto
+
+
+ Ćledzenie zamĂłwienia
+
+
+ sledzenie-zamowienia
+
+
+ Pokwitowania
+
+
+ pokwitowania
+
+
+ ZamĂłwienie
+
+
+ zamowienie
+
+
+ Szukaj
+
+
+ szukaj
+
+
+ sklepy
+
+
+ sklepy
+
+
+ ZamĂłwienie
+
+
+ szybkie-zakupy
+
+
+ Ćledzenie zamĂłwieĆ goĆci
+
+
+ sledzenie-zamowienia-gosc
+
+
+ Potwierdzenie zamĂłwienia
+
+
+ potwierdzenie-zamowienia
+
+
+ Products Comparison
+
+
+ products-comparison
+
+
diff --git a/_install/langs/pl/data/order_return_state.xml b/_install/langs/pl/data/order_return_state.xml
new file mode 100644
index 00000000..8a461fe9
--- /dev/null
+++ b/_install/langs/pl/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ Oczekiwanie na potwierdzenie
+
+
+ Oczekiwanie na paczkÄ
+
+
+ Paczka zostaĆa odebrana
+
+
+ Brak akceptacji zwrotu
+
+
+ Dokonanie zwrotu
+
+
diff --git a/_install/langs/pl/data/order_state.xml b/_install/langs/pl/data/order_state.xml
new file mode 100644
index 00000000..eaaa5a86
--- /dev/null
+++ b/_install/langs/pl/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ Oczekiwanie pĆatnoĆci czekiem
+ cheque
+
+
+ PĆatnoĆÄ zaakceptowana
+ payment
+
+
+ Przygotowanie w toku
+ preparation
+
+
+ WysĆane
+ shipped
+
+
+ Dostarczone
+
+
+
+ Anulowane
+ order_canceled
+
+
+ Zwrot
+ refund
+
+
+ BĆÄ
d pĆatonĆci
+ payment_error
+
+
+ Brak towaru
+ outofstock
+
+
+ Brak towaru
+ outofstock
+
+
+ Oczekiwanie na pĆatnoĆÄ przelewem bankowym
+ bankwire
+
+
+ Oczekiwanie na pĆatnoĆÄ Paypal
+
+
+
+ PĆatnoĆÄ przyjÄta
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/pl/data/profile.xml b/_install/langs/pl/data/profile.xml
new file mode 100644
index 00000000..010c99f2
--- /dev/null
+++ b/_install/langs/pl/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ Super Admin
+
+
diff --git a/_install/langs/pl/data/quick_access.xml b/_install/langs/pl/data/quick_access.xml
new file mode 100644
index 00000000..87d70c21
--- /dev/null
+++ b/_install/langs/pl/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/pl/data/risk.xml b/_install/langs/pl/data/risk.xml
new file mode 100644
index 00000000..29572e84
--- /dev/null
+++ b/_install/langs/pl/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/pl/data/stock_mvt_reason.xml b/_install/langs/pl/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..8be52499
--- /dev/null
+++ b/_install/langs/pl/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Wzrost
+
+
+ Spadek
+
+
+ ZamĂłwienie klienta
+
+
+ RozporzÄ
dzenie dotyczÄ
ce inwentaryzacji zapasĂłw
+
+
+ RozporzÄ
dzenie dotyczÄ
ce inwentaryzacji zapasĂłw
+
+
+ Przeniesienie do innego magazynu
+
+
+ Przeniesienie z innego magazynu
+
+
+ ZamĂłwienie dostawcy
+
+
diff --git a/_install/langs/pl/data/supplier_order_state.xml b/_install/langs/pl/data/supplier_order_state.xml
new file mode 100644
index 00000000..69196ad4
--- /dev/null
+++ b/_install/langs/pl/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/pl/data/supply_order_state.xml b/_install/langs/pl/data/supply_order_state.xml
new file mode 100644
index 00000000..631bd495
--- /dev/null
+++ b/_install/langs/pl/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Tworzenie w toku
+
+
+ 2 - ZamĂłwienie zostaĆo zatwierdzone
+
+
+ 3 - W oczekiwaniu
+
+
+ 4 - ZamĂłwienie zostaĆo otrzymane w czÄĆciach
+
+
+ 5 - Otrzymano zamĂłwienie
+
+
+ 6 - ZamĂłwienie zostaĆo anulowane
+
+
diff --git a/_install/langs/pl/data/tab.xml b/_install/langs/pl/data/tab.xml
new file mode 100644
index 00000000..53ecd4da
--- /dev/null
+++ b/_install/langs/pl/data/tab.xml
@@ -0,0 +1,103 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/pl/flag.jpg b/_install/langs/pl/flag.jpg
new file mode 100644
index 00000000..e7dd7e15
Binary files /dev/null and b/_install/langs/pl/flag.jpg differ
diff --git a/_install/langs/pl/img/flag.jpg b/_install/langs/pl/img/flag.jpg
new file mode 100644
index 00000000..e7dd7e15
Binary files /dev/null and b/_install/langs/pl/img/flag.jpg differ
diff --git a/_install/langs/pl/img/index.php b/_install/langs/pl/img/index.php
new file mode 100644
index 00000000..b3b6bb00
--- /dev/null
+++ b/_install/langs/pl/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/pl/img/pl-default-category.jpg b/_install/langs/pl/img/pl-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/pl/img/pl-default-category.jpg differ
diff --git a/_install/langs/pl/img/pl-default-home.jpg b/_install/langs/pl/img/pl-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/pl/img/pl-default-home.jpg differ
diff --git a/_install/langs/pl/img/pl-default-large.jpg b/_install/langs/pl/img/pl-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/pl/img/pl-default-large.jpg differ
diff --git a/_install/langs/pl/img/pl-default-large_scene.jpg b/_install/langs/pl/img/pl-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/pl/img/pl-default-large_scene.jpg differ
diff --git a/_install/langs/pl/img/pl-default-medium.jpg b/_install/langs/pl/img/pl-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/pl/img/pl-default-medium.jpg differ
diff --git a/_install/langs/pl/img/pl-default-small.jpg b/_install/langs/pl/img/pl-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/pl/img/pl-default-small.jpg differ
diff --git a/_install/langs/pl/img/pl-default-thickbox.jpg b/_install/langs/pl/img/pl-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/pl/img/pl-default-thickbox.jpg differ
diff --git a/_install/langs/pl/img/pl-default-thumb_scene.jpg b/_install/langs/pl/img/pl-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/pl/img/pl-default-thumb_scene.jpg differ
diff --git a/_install/langs/pl/img/pl.jpg b/_install/langs/pl/img/pl.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/pl/img/pl.jpg differ
diff --git a/_install/langs/pl/index.php b/_install/langs/pl/index.php
new file mode 100644
index 00000000..499d7597
--- /dev/null
+++ b/_install/langs/pl/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/pl/install.php b/_install/langs/pl/install.php
new file mode 100644
index 00000000..1ddfa380
--- /dev/null
+++ b/_install/langs/pl/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Instalacja+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'WystÄ
piĆ bĆÄ
d SQL dla obiektu %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'Nie moĆŒna utworzyÄ obrazu "%1$s" dla rekordu "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Nie moĆŒna utworzyÄ obrazu "%1$s" (brak uprawnieĆ dla folderu "%2$s")',
+ 'Cannot create image "%s"' => 'Nie moĆŒna utworzyÄ obrazu "%s"',
+ 'SQL error on query %s ' => 'BĆÄ
d SQL dla zapytania %s ',
+ '%s Login information' => 'Informacje logowania %s',
+ 'Field required' => 'Wymagane pola',
+ 'Invalid shop name' => 'BĆÄdna nazwa sklepu',
+ 'The field %s is limited to %d characters' => 'Pole %s jest ograniczone do %d znakĂłw',
+ 'Your firstname contains some invalid characters' => 'Twoje imiÄ zawiera nieprawidĆowe znaki ',
+ 'Your lastname contains some invalid characters' => 'Twoje nazwisko zawiera nieprawidĆowe znaki',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'HasĆo jest nieprawidĆowe (8 znakĂłw alfanumerycznych)',
+ 'Password and its confirmation are different' => 'Potwierdzenie hasĆa rĂłĆŒni siÄ od oryginaĆu',
+ 'This e-mail address is invalid' => 'Ten adres e-mail jest nieprawidĆowy',
+ 'Image folder %s is not writable' => 'Folder zdjÄÄ %s nie posiada uprawnieĆ do zapisĂłw ',
+ 'An error occurred during logo copy.' => 'WystÄ
piĆ bĆÄ
d podczas kopiowania logo.',
+ 'An error occurred during logo upload.' => 'WystÄ
piĆ bĆÄ
d podczas wgrywania logo.',
+ 'Lingerie and Adult' => 'Bielizna i DoroĆli',
+ 'Animals and Pets' => 'ZwierzÄta',
+ 'Art and Culture' => 'Sztuka i Kultura',
+ 'Babies' => 'Dzieci',
+ 'Beauty and Personal Care' => 'Zdrowie i Uroda',
+ 'Cars' => 'Motoryzacja',
+ 'Computer Hardware and Software' => 'SprzÄt Komputerowy i Oprogramowanie',
+ 'Download' => 'Pobierz PrestaShop',
+ 'Fashion and accessories' => 'Moda i akcesoria',
+ 'Flowers, Gifts and Crafts' => 'Kwiaty, Podarunki, Drobiazgi',
+ 'Food and beverage' => 'Ć»ywnoĆÄ i napoje',
+ 'HiFi, Photo and Video' => 'HiFi, Foto i Video',
+ 'Home and Garden' => 'Dom i OgrĂłd',
+ 'Home Appliances' => 'AGD',
+ 'Jewelry' => 'BiĆŒuteria',
+ 'Mobile and Telecom' => 'Telefony',
+ 'Services' => 'UsĆugi',
+ 'Shoes and accessories' => 'Buty i akcesoria',
+ 'Sports and Entertainment' => 'Sport i Rozrywka',
+ 'Travel' => 'PodrĂłĆŒe',
+ 'Database is connected' => 'Baza danych jest podĆÄ
czona',
+ 'Database is created' => 'Baza danych jest tworzona ',
+ 'Cannot create the database automatically' => 'Nie moĆŒna automatycznie utworzyÄ bazy danych',
+ 'Create settings.inc file' => 'Tworzenie pliku settings.inc',
+ 'Create database tables' => 'Tworzenie tabel bazy danych',
+ 'Create default shop and languages' => 'Tworzenie domyĆlnego sklepu i jÄzykĂłw',
+ 'Populate database tables' => 'WypeĆnianie tabel bazy danych',
+ 'Configure shop information' => 'Konfiguracja sklepu',
+ 'Install demonstration data' => 'StwĂłrz dane (produkty, strony, kategorie) przykĆadowe',
+ 'Install modules' => 'Instalacja moduĆĂłw',
+ 'Install Addons modules' => 'Instalacja moduĆĂłw Addons',
+ 'Install theme' => 'Instalacja Szablonu',
+ 'Required PHP parameters' => 'Wymagane parametry PHP',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 lub nowszy nie jest wĆÄ
czony',
+ 'Cannot upload files' => 'Nie moĆŒna przesĆaÄ plikĂłw',
+ 'Cannot create new files and folders' => 'Nie moĆŒna stworzyÄ nowych folderĂłw ani plikĂłw ',
+ 'GD library is not installed' => 'Biblioteka GD nie jest zainstalowana',
+ 'MySQL support is not activated' => 'ObsĆuga MySQL nie jest wĆÄ
czona',
+ 'Files' => 'Pliki',
+ 'Not all files were successfully uploaded on your server' => 'Nie wszystkie pliki zostaĆy poprawnie przesĆane na serwer',
+ 'Permissions on files and folders' => 'Uprawnienia do plikĂłw i folderĂłw',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Rekurencyjne prawa zapisu dla %1$s uĆŒytkownika na %2$s',
+ 'Recommended PHP parameters' => 'Zalecane parametry PHP',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => '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!',
+ 'Cannot open external URLs' => 'Nie moĆŒna otworzyÄ zewnÄtrznych adresĂłw URL ',
+ 'PHP register_globals option is enabled' => 'PHP jest wĆÄ
czona opcja register_globals',
+ 'GZIP compression is not activated' => 'Kompresja GZIP nie jest wĆÄ
czona',
+ 'Mcrypt extension is not enabled' => 'Rozszerzenie Mcrypt nie jest wĆÄ
czone',
+ 'Mbstring extension is not enabled' => 'Rozszerzenie Mbstring nie jest wĆÄ
czone',
+ 'PHP magic quotes option is enabled' => 'PHP opcja magiq_quotes jest wĆÄ
czona',
+ 'Dom extension is not loaded' => 'Rozszerzenie DOM nie zostaĆo zaĆadowane',
+ 'PDO MySQL extension is not loaded' => 'Rozszerzenie PDO MySQL nie jest wĆÄ
czone',
+ 'Server name is not valid' => 'Adres serwera jest nieprawidĆowy ',
+ 'You must enter a database name' => 'Podaj nazwÄ bazy danych',
+ 'You must enter a database login' => 'Podaj login dla bazy danych',
+ 'Tables prefix is invalid' => 'Prefiks tabeli jest niepoprawny',
+ 'Cannot convert database data to utf-8' => 'Nie moĆŒna przekonwertowaÄ bazy danych na utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Co najmniej jedna tabela z tym samym prefiksem zostaĆa znaleziona - proszÄ zmieniÄ aktualny prefiks lub usunÄ
Ä istniejÄ
ce tabele.',
+ 'The values of auto_increment increment and offset must be set to 1' => 'WartoĆci wzrostu auto_increment oraz skoku muszÄ
byÄ ustawione na 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'Nie moĆŒna poĆÄ
czyÄ siÄ z serwerem bazy danych. SprawdĆș swĂłj login i hasĆo.',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'PoĆÄ
czenie do serwera MySQL odbyĆo siÄ poprawnie lecz baza danych "%is" nie zostaĆa znaleziona.',
+ 'Attempt to create the database automatically' => 'PrĂłba utworzenia automatycznie bazy danych',
+ '%s file is not writable (check permissions)' => 'Plik %s nie jest zapisywalny (sprawdĆș uprawnienia plikĂłw)',
+ '%s folder is not writable (check permissions)' => 'Folder %s nie jest zapisywalny (sprawdĆș uprawnienia plikĂłw)',
+ 'Cannot write settings file' => 'Nie moĆŒna zapisaÄ pliku z ustawieniami',
+ 'Database structure file not found' => 'Plik struktury bazy danych nie zostaĆ znaleziony ',
+ 'Cannot create group shop' => 'Nie moĆŒna utworzyÄ domyĆlnej grupy sklepĂłw',
+ 'Cannot create shop' => 'Nie moĆŒna stworzyÄ sklepu',
+ 'Cannot create shop URL' => 'Nie moĆŒna stworzyÄ URL dla sklepu',
+ 'File "language.xml" not found for language iso "%s"' => 'Plik "language.xml" nie zostaĆ znaleziony dla iso "%s" ',
+ 'File "language.xml" not valid for language iso "%s"' => 'Plik "language.xml" jest niepoprawny dla iso "%s" ',
+ 'Cannot install language "%s"' => 'Nie moĆŒna dokonaÄ instalacji jÄzyka "%s"',
+ 'Cannot copy flag language "%s"' => 'Nie moĆŒna skopiowaÄ flagi dla jÄzyka "%s"',
+ 'Cannot create admin account' => 'Nie moĆŒna utworzyÄ konta administratora',
+ 'Cannot install module "%s"' => 'Nie moĆŒna zainstalowaÄ moduĆu "%s"',
+ 'Fixtures class "%s" not found' => 'Klasa fixtures "%s" nie zostaĆa znaleziona',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" musi byÄ instancjÄ
"Install Xml Loader"',
+ 'Information about your Store' => 'Informacje dotyczÄ
ce Twojego sklepu',
+ 'Shop name' => 'Nazwa sklepu',
+ 'Main activity' => 'GĆĂłwna dziaĆalnoĆÄ',
+ 'Please choose your main activity' => 'ProszÄ wybraÄ dziaĆalnoĆÄ',
+ 'Other activity...' => 'Inne',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Przedstaw swĂłj profil, abyĆmy mogli poradziÄ Ci jaka funkcjonalnoĆÄ pasuje do Twojego biznesu.',
+ 'Install demo products' => 'Instalacja produktĂłw przykĆadowych',
+ 'Yes' => 'Tak',
+ 'No' => 'Nie',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Produkty przykĆadowe sÄ
dobrym sposobem do nauczenia siÄ korzystania z PrestaShop. PowinieneĆ jest zainstalowaÄ, jeĆŒeli stawiasz pierwsze kroki.',
+ 'Country' => 'Kraj',
+ 'Select your country' => 'Wybierz swĂłj kraj',
+ 'Shop timezone' => 'Strefa czasowa',
+ 'Select your timezone' => 'Wybierz swojÄ
strefÄ czasowÄ
',
+ 'Shop logo' => 'Logo sklepu',
+ 'Optional - You can add you logo at a later time.' => 'Opcjonalnie: MoĆŒesz dodaÄ logo w pĂłĆșniejszym czasie.',
+ 'Your Account' => 'Twoje konto',
+ 'First name' => 'ImiÄ',
+ 'Last name' => 'Nazwisko',
+ 'E-mail address' => 'Adres e-mail',
+ 'This email address will be your username to access your store\'s back office.' => 'Adres e-mail bÄdzie sĆuĆŒyĆ jako login w panelu administracyjnym sklepu.',
+ 'Shop password' => 'HasĆo',
+ 'Must be at least 8 characters' => 'Min. 8 znakĂłw',
+ 'Re-type to confirm' => 'Potwierdzenie hasĆa',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .',
+ 'Configure your database by filling out the following fields' => 'Skonfiguruj poĆÄ
czenie z bazÄ
danych wypeĆniajÄ
c nastÄpujÄ
ce pola',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Aby korzystaÄ z PrestaShop, naleĆŒy stworzyÄ bazÄ do zbierania wszystkich dziaĆaĆ zwiÄ
zanych z danymi Twojego sklepu.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'ProszÄ o wypeĆnienie poniĆŒszych pĂłl w celu poĆÄ
czenia PrestaShop z TwojÄ
bazÄ
danych. ',
+ 'Database server address' => 'Adres serwera bazy danych',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'JeĆli chcesz uĆŒyÄ innego portu niĆŒ port domyĆlny (3306), dodaj ":XX" do adresu Twojego serwera - gdzie XX oznacza numer portu.',
+ 'Database name' => 'Nazwa bazy danych',
+ 'Database login' => 'UĆŒytkownik bazy danych',
+ 'Database password' => 'HasĆo bazy danych',
+ 'Database Engine' => 'Typ bazy danych',
+ 'Tables prefix' => 'Prefix tabel',
+ 'Drop existing tables (mode dev)' => 'Usuwanie istniejÄ
cych tabel (tryb dev.)',
+ 'Test your database connection now!' => 'Przetestuj poĆÄ
czenie z bazÄ
danych!',
+ 'Next' => 'NastÄpny',
+ 'Back' => 'Wstecz',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.',
+ 'Official forum' => 'Oficjalne forum',
+ 'Support' => 'Wsparcie',
+ 'Documentation' => 'Dokumentacja',
+ 'Contact us' => 'Kontakt z nami',
+ 'PrestaShop Installation Assistant' => 'Asystent instalacji PrestaShop',
+ 'Forum' => 'Forum angielskie',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'Skontaktuj siÄ z nami!',
+ 'menu_welcome' => 'Wybierz jÄzyk',
+ 'menu_license' => 'Umowy licencyjne',
+ 'menu_system' => 'ZgodnoĆÄ systemu',
+ 'menu_configure' => 'Informacja o sklepie',
+ 'menu_database' => 'Konfiguracja systemu',
+ 'menu_process' => 'Instalacja sklepu',
+ 'Installation Assistant' => 'Asystent instalacji ',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Aby zainstalowaÄ PrestaShop, musisz mieÄ wĆÄ
czonÄ
obsĆugÄ JavaScript w przeglÄ
darce.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/pl/',
+ 'License Agreements' => 'Umowy licencyjne',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Przed skorzystaniem z darmowych funkcji oferowanych przez PrestaShop zapoznaj siÄ z warunkami licencji. PrestaShop funkcjonuje na licencji OSL 3.0, natomiast moduĆy i szablony na licencji AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'Zgadzam siÄ z powyĆŒszymi warunkami.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'WyraĆŒam chÄÄ na udziaĆ w ulepszaniu oprogramowania PrestaShop - wysyĆajÄ
c anonimowe informacje dotyczÄ
ce mojej konfiguracji.',
+ 'Done!' => 'Gotowe!',
+ 'An error occurred during installation...' => 'WystÄ
piĆ bĆÄ
d podczas instalacji...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'MoĆŒesz korzystaÄ z linkĂłw znajdujÄ
cych siÄ po lewej stronie, aby powrĂłciÄ do poprzednich etapĂłw lub uruchomiÄ ponownie instalacjÄ klikajÄ
c tutaj . ',
+ 'Your installation is finished!' => 'Instalacja zostaĆa zakoĆczona!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Instalacja Twojego sklepu zostaĆa zakoĆczona. DziÄkujemy za korzystanie z PrestaShop!',
+ 'Please remember your login information:' => 'ProszÄ o zapamiÄtanie danych logowania:',
+ 'E-mail' => 'Adres e-mail',
+ 'Print my login information' => 'Wydrukuj tÄ stronÄ',
+ 'Password' => 'HasĆo',
+ 'Display' => 'WyĆwietl',
+ 'For security purposes, you must delete the "install" folder.' => 'Ze wzglÄdĂłw bezpieczeĆstwa naleĆŒy usunÄ
Ä folder \'\'install\'\'.',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Panel administracyjny',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'ZarzÄ
dzaj sklepem przy uĆŒyciu panelu administracyjnego. ObsĆuguj zamĂłwienia i klientĂłw, dodawaj moduĆy, zmieniaj szablony, itp.',
+ 'Manage your store' => 'ZarzÄ
dzaj sklepem ',
+ 'Front Office' => 'Front Office ',
+ 'Discover your store as your future customers will see it!' => 'SprawdĆș wyglÄ
d Twojego sklepu!',
+ 'Discover your store' => 'Odkryj swĂłj sklep!',
+ 'Share your experience with your friends!' => 'Podziel siÄ doĆwiadczeniem z przyjaciĂłĆmi!',
+ 'I just built an online store with PrestaShop!' => 'WĆaĆnie zbudowaĆem sklep internetowy oparty na Prestashop!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'SprawdĆș to ekscytujÄ
ce doĆwiadczenie: http://vimeo.com/89298199',
+ 'Tweet' => 'Tweetuj',
+ 'Share' => 'UdostÄpnij',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Zobacz dodatki PrestaShop by dodaÄ coĆ ekstra do sklepu!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'JesteĆmy w trakcie sprawdzania kompatybilnoĆci PrestaShop z Twoim systemem',
+ 'If you have any questions, please visit our documentation and community forum .' => 'JeĆli masz jakieĆ pytania, zapoznaj siÄ z naszÄ
dokumentacjÄ
i forum . ',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'ZgodnoĆÄ PrestaShop z Twoim systemem zostaĆa zweryfikowana!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'ProszÄ poprawiÄ punkt/y znajdujÄ
ce siÄ poniĆŒej i wybraÄ przycisk \'\'OdĆwieĆŒ informacje\'\' w celu przeprowadzenia testu kompatybilnoĆci nowego systemu. ',
+ 'Refresh these settings' => 'OdĆwieĆŒ ustawienia',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'Instalacja PrestaShop wymaga co najmniej 32 MB pamiÄci: sprawdĆș dyrektywÄ memory_limit w pliku php.ini lub skontaktuj siÄ w tej sprawie ze swoim administratorem serwera.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'OstrzeĆŒenie: Nie moĆŒna juĆŒ korzystaÄ z tego narzÄdzia, aby uaktualniÄ swĂłj sklep. Masz juĆŒ zainstalowanÄ
wersjÄ PrestaShop %1$s . JeĆli chcesz uaktualniÄ do najnowszej wersji przeczytaj naszÄ
dokumentacjÄ: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'Witamy w Instalatorze PrestaShop %s',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalacja PrestaShop jest szybka i Ćatwa. W zaledwie kilka chwil, staniesz siÄ czÄĆciÄ
spoĆecznoĆci skĆadajÄ
cej siÄ z ponad 230.000 sprzedawcĂłw. JesteĆ na drodze do stworzenia wĆasnego unikalnego sklepu internetowego, prostym w obsĆudze kaĆŒdego dnia.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .',
+ 'Continue the installation in:' => 'Kontynuuj instalacjÄ w:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'WybĂłr jÄzyka powyĆŒej dotyczy tylko Instalatora. Po dokonaniu instalacji sklepu, wybierz jÄzyk spoĆrĂłd %d darmowych tĆumaczeĆ!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalacja PrestaShop jest szybka i Ćatwa. W zaledwie kilka chwil, staniesz siÄ czÄĆciÄ
spoĆecznoĆci skĆadajÄ
cej siÄ z ponad 250.000 sprzedawcĂłw. JesteĆ na drodze do stworzenia wĆasnego unikalnego sklepu internetowego, prostym w obsĆudze kaĆŒdego dnia.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/pl/language.xml b/_install/langs/pl/language.xml
new file mode 100644
index 00000000..ba22c9e2
--- /dev/null
+++ b/_install/langs/pl/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ pl
+ m/j/Y
+ m/j/Y H:i:s
+ false
+
diff --git a/_install/langs/pl/mail_identifiers.txt b/_install/langs/pl/mail_identifiers.txt
new file mode 100644
index 00000000..2eeb7909
--- /dev/null
+++ b/_install/langs/pl/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Witaj {firstname} {lastname}!
+
+Oto dane logowania dla sklepu {shop_name}:
+
+HasĆo: {passwd}
+E-mail: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} na silniku PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/pt/data/carrier.xml b/_install/langs/pt/data/carrier.xml
new file mode 100644
index 00000000..43b36038
--- /dev/null
+++ b/_install/langs/pt/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Levantar na loja
+
+
diff --git a/_install/langs/pt/data/category.xml b/_install/langs/pt/data/category.xml
new file mode 100644
index 00000000..364ded70
--- /dev/null
+++ b/_install/langs/pt/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Root
+
+ root
+
+
+
+
+
+ Inicio
+
+ inicio
+
+
+
+
+
diff --git a/_install/langs/pt/data/cms.xml b/_install/langs/pt/data/cms.xml
new file mode 100644
index 00000000..5c3a291e
--- /dev/null
+++ b/_install/langs/pt/data/cms.xml
@@ -0,0 +1,45 @@
+
+
+
+ Entrega
+ 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>
+ entrega
+
+
+ Informação legal
+ Legal notice
+ notice, legal, credits
+ <h2>Legal</h2><h3>Credits</h3><p>Concept and production:</p><p>This Web site was created using <a href="http://www.prestashop.com">PrestaShop</a>™ open-source software.</p>
+ informacao-legal
+
+
+ Termos e condições de uso
+ Our terms and conditions of use
+ conditions, terms, use, sell
+ <h2>Your terms and conditions of use</h2><h3>Rule 1</h3><p>Here is the rule 1 content</p>
+<h3>Rule 2</h3><p>Here is the rule 2 content</p>
+<h3>Rule 3</h3><p>Here is the rule 3 content</p>
+ termos-e-condicoes-de-uso
+
+
+ Sobre Nós
+ Learn more about us
+ about us, informations
+ <h2>About us</h2>
+<h3>Our company</h3><p>Our company</p>
+<h3>Our team</h3><p>Our team</p>
+<h3>Informations</h3><p>Informations</p>
+ sobre-nos
+
+
+ Pagamento seguro
+ Our secure payment mean
+ 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 services</p>
+ pagamento-seguro
+
+
diff --git a/_install/langs/pt/data/cms_category.xml b/_install/langs/pt/data/cms_category.xml
new file mode 100644
index 00000000..b73c0349
--- /dev/null
+++ b/_install/langs/pt/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Inicio
+
+ inicio
+
+
+
+
+
diff --git a/_install/langs/pt/data/configuration.xml b/_install/langs/pt/data/configuration.xml
new file mode 100644
index 00000000..70d58f3f
--- /dev/null
+++ b/_install/langs/pt/data/configuration.xml
@@ -0,0 +1,9 @@
+
+
+
+ Prezado Cliente,
+
+Atenciosamente,
+Apoio ao cliente
+
+
diff --git a/_install/langs/pt/data/contact.xml b/_install/langs/pt/data/contact.xml
new file mode 100644
index 00000000..591c840f
--- /dev/null
+++ b/_install/langs/pt/data/contact.xml
@@ -0,0 +1,12 @@
+
+
+
+ Se ocorreu um problema técnico no nosso website
+
+
+ Para qualquer pergunta sobre um Produto ou uma Encomenda
+
+
+ Para outros assuntos
+
+
diff --git a/_install/langs/pt/data/country.xml b/_install/langs/pt/data/country.xml
new file mode 100644
index 00000000..84581791
--- /dev/null
+++ b/_install/langs/pt/data/country.xml
@@ -0,0 +1,735 @@
+
+
+
+ Alemanha
+
+
+ Áustria
+
+
+ Bélgica
+
+
+ Canadá
+
+
+ China
+
+
+ Espanha
+
+
+ Finlândia
+
+
+ França
+
+
+ Grécia
+
+
+ Itália
+
+
+ Japão
+
+
+ Luxemburgo
+
+
+ Holanda
+
+
+ Polônia
+
+
+ Portugal
+
+
+ República Tcheca
+
+
+ Reino Unido
+
+
+ Suécia
+
+
+ Suíça
+
+
+ Dinamarca
+
+
+ Estados Unidos
+
+
+ HongKong
+
+
+ Noruega
+
+
+ Australia
+
+
+ Singapura
+
+
+ Irlanda
+
+
+ Nova Zelândia
+
+
+ Coréa do Sul
+
+
+ Israel
+
+
+ África do Sul
+
+
+ Nigeria
+
+
+ Costa do Marfim
+
+
+ Togo
+
+
+ Bolivia
+
+
+ Mauritius
+
+
+ Romania
+
+
+ Slovakia
+
+
+ Algeria
+
+
+ Samoa Americana
+
+
+ Andorra
+
+
+ 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/_install/langs/pt/data/gender.xml b/_install/langs/pt/data/gender.xml
new file mode 100644
index 00000000..e0282685
--- /dev/null
+++ b/_install/langs/pt/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/pt/data/group.xml b/_install/langs/pt/data/group.xml
new file mode 100644
index 00000000..7c49cbce
--- /dev/null
+++ b/_install/langs/pt/data/group.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/pt/data/index.php b/_install/langs/pt/data/index.php
new file mode 100644
index 00000000..3cb742a7
--- /dev/null
+++ b/_install/langs/pt/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 PrestaShop SA
+* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
+* International Registered Trademark & Property of PrestaShop SA
+*/
+
+header('Expires: Mon, 26 Jul 1997 05:00:00 GMT');
+header('Last-Modified: '.gmdate('D, d M Y H:i:s').' GMT');
+
+header('Cache-Control: no-store, no-cache, must-revalidate');
+header('Cache-Control: post-check=0, pre-check=0', false);
+header('Pragma: no-cache');
+
+header('Location: ../../../../');
+exit;
diff --git a/_install/langs/pt/data/meta.xml b/_install/langs/pt/data/meta.xml
new file mode 100644
index 00000000..732ba6c1
--- /dev/null
+++ b/_install/langs/pt/data/meta.xml
@@ -0,0 +1,165 @@
+
+
+
+ erro 404
+ Esta página não pode ser encontrada
+ error, 404, not found
+ page-not-found
+
+
+ Top de Vendas
+ Os nossos produto mais vendidos
+ top vendas
+ top-vendas
+
+
+ Contacte-nos
+ Use o nosso formulário para nos contactar
+ contactos, fórmulário, e-mail, telefone
+ contacte-nos
+
+
+
+ Loja powered by PrestaShop
+ loja
+
+
+
+ Fabricantes
+ Lista de Fabricantes
+ fabricantes
+ fabricantes
+
+
+ Novos produtos
+ Nossos novos produtos
+ novos, produtos, novidades
+ novos-produtos
+
+
+ Esqueci-me da palavra-passe
+ Indique o seu e-mail utilizado quando se registou para receber um e-mail com a nova palavra-passe
+ esqueci-me, recuperar, palavra-passe, e-mail, nova, reset
+ recuperar-palavra-passe
+
+
+ Promoção
+ Os nossos produtos com descontos
+ promoções, promoção, desconto, descontos
+ promocoes
+
+
+ Mapa do site
+ Lost ? Find what your are looking for
+ mapa do site
+ mapa-do-site
+
+
+ Fornecedores
+ Lista de Fornecedores
+ fornecedores
+ fornecedores
+
+
+ Endereço
+ Endereço
+ endereço
+ endereco
+
+
+ Endereços
+ Endereços
+ endereços
+ enderecos
+
+
+ Inicio de Sessão
+ Inicio de Sessão
+ inicio de sessão
+ inicio-de-sessao
+
+
+ Carrinho
+
+
+ carrinho
+
+
+ Descontos
+
+
+ descontos
+
+
+ Histórico de Encomendas
+
+
+ historico-de-encomendas
+
+
+ Identidade
+
+
+ identidade
+
+
+ A Minha Conta
+
+
+ a-minha-conta
+
+
+ Acompanhar Encomenda
+
+
+ acompanhar-encomenda
+
+
+ Nota de Encomenda
+
+
+ nota-de-encomenda
+
+
+ Encomenda
+
+
+ encomenda
+
+
+ Pesquisa
+
+
+ pesquisa
+
+
+ Lojas
+
+
+ lojas
+
+
+ Encomenda Rápida
+
+
+ encomenda-rapida
+
+
+ Seguimento de Visitante
+
+
+ seguimento-de-visitante
+
+
+ Confirmação da encomenda
+
+
+ confirmacao-encomenda
+
+
+ Comparação de Produtos
+
+
+ comparacao-de-produtos
+
+
diff --git a/_install/langs/pt/data/order_return_state.xml b/_install/langs/pt/data/order_return_state.xml
new file mode 100644
index 00000000..006496ce
--- /dev/null
+++ b/_install/langs/pt/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ A aguardar confirmação
+
+
+ A aguardar a mercadoria
+
+
+ Mercadoria recebida
+
+
+ Devolução negada
+
+
+ Devolução completa
+
+
diff --git a/_install/langs/pt/data/order_state.xml b/_install/langs/pt/data/order_state.xml
new file mode 100644
index 00000000..ab6d2def
--- /dev/null
+++ b/_install/langs/pt/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ A aguardar pagamento por cheque
+ cheque
+
+
+ Pagamento aceite
+ payment
+
+
+ Preparação em curso
+ preparation
+
+
+ Enviado
+ shipped
+
+
+ Entregue
+
+
+
+ Cancelado
+ order_canceled
+
+
+ Reembolsado
+ refund
+
+
+ Erro de pagamento
+ payment_error
+
+
+ Sem stock (Pagamento aceite)
+ outofstock
+
+
+ Sem stock
+ outofstock
+
+
+ A aguardar tranferência bancária
+ bankwire
+
+
+ A aguardar pagamento por PayPal
+
+
+
+ Pagamento remoto aceite
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/pt/data/profile.xml b/_install/langs/pt/data/profile.xml
new file mode 100644
index 00000000..7352a78c
--- /dev/null
+++ b/_install/langs/pt/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/pt/data/quick_access.xml b/_install/langs/pt/data/quick_access.xml
new file mode 100644
index 00000000..5b755ae9
--- /dev/null
+++ b/_install/langs/pt/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/pt/data/risk.xml b/_install/langs/pt/data/risk.xml
new file mode 100644
index 00000000..8c7fa54c
--- /dev/null
+++ b/_install/langs/pt/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/pt/data/stock_mvt_reason.xml b/_install/langs/pt/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..3843d6cd
--- /dev/null
+++ b/_install/langs/pt/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Aumentar
+
+
+ Diminuir
+
+
+ Encomenda de cliente
+
+
+ Regularização seguindo o inventário de stock
+
+
+ Regularização seguindo o inventário de stock
+
+
+ Transferir para outro armazém
+
+
+ Transferir de outro armazém
+
+
+ Pedido de fornecimento
+
+
diff --git a/_install/langs/pt/data/supplier_order_state.xml b/_install/langs/pt/data/supplier_order_state.xml
new file mode 100644
index 00000000..dfc4ce42
--- /dev/null
+++ b/_install/langs/pt/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/pt/data/supply_order_state.xml b/_install/langs/pt/data/supply_order_state.xml
new file mode 100644
index 00000000..d2c524e8
--- /dev/null
+++ b/_install/langs/pt/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Criação em progresso
+
+
+ 2 - Encomenda validada
+
+
+ 3 - A aguardar receção
+
+
+ 4 - Encomenda recebida em parte
+
+
+ 5 - Encomenda recebida na totalidade
+
+
+ 6 - Encomenda cancelada
+
+
diff --git a/_install/langs/pt/data/tab.xml b/_install/langs/pt/data/tab.xml
new file mode 100644
index 00000000..9a0338dc
--- /dev/null
+++ b/_install/langs/pt/data/tab.xml
@@ -0,0 +1,103 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/pt/flag.jpg b/_install/langs/pt/flag.jpg
new file mode 100644
index 00000000..7f5df042
Binary files /dev/null and b/_install/langs/pt/flag.jpg differ
diff --git a/_install/langs/pt/img/index.php b/_install/langs/pt/img/index.php
new file mode 100644
index 00000000..740b9446
--- /dev/null
+++ b/_install/langs/pt/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2014 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;
\ No newline at end of file
diff --git a/_install/langs/pt/img/pt-default-category.jpg b/_install/langs/pt/img/pt-default-category.jpg
new file mode 100644
index 00000000..ccd6ba9d
Binary files /dev/null and b/_install/langs/pt/img/pt-default-category.jpg differ
diff --git a/_install/langs/pt/img/pt-default-home.jpg b/_install/langs/pt/img/pt-default-home.jpg
new file mode 100644
index 00000000..43ff982f
Binary files /dev/null and b/_install/langs/pt/img/pt-default-home.jpg differ
diff --git a/_install/langs/pt/img/pt-default-large.jpg b/_install/langs/pt/img/pt-default-large.jpg
new file mode 100644
index 00000000..f3aee177
Binary files /dev/null and b/_install/langs/pt/img/pt-default-large.jpg differ
diff --git a/_install/langs/pt/img/pt-default-large_scene.jpg b/_install/langs/pt/img/pt-default-large_scene.jpg
new file mode 100644
index 00000000..98ae2326
Binary files /dev/null and b/_install/langs/pt/img/pt-default-large_scene.jpg differ
diff --git a/_install/langs/pt/img/pt-default-medium.jpg b/_install/langs/pt/img/pt-default-medium.jpg
new file mode 100644
index 00000000..82c771b9
Binary files /dev/null and b/_install/langs/pt/img/pt-default-medium.jpg differ
diff --git a/_install/langs/pt/img/pt-default-small.jpg b/_install/langs/pt/img/pt-default-small.jpg
new file mode 100644
index 00000000..b6f1bd4b
Binary files /dev/null and b/_install/langs/pt/img/pt-default-small.jpg differ
diff --git a/_install/langs/pt/img/pt-default-thickbox.jpg b/_install/langs/pt/img/pt-default-thickbox.jpg
new file mode 100644
index 00000000..6ba7ec62
Binary files /dev/null and b/_install/langs/pt/img/pt-default-thickbox.jpg differ
diff --git a/_install/langs/pt/img/pt-default-thumb_scene.jpg b/_install/langs/pt/img/pt-default-thumb_scene.jpg
new file mode 100644
index 00000000..3ef4dc0f
Binary files /dev/null and b/_install/langs/pt/img/pt-default-thumb_scene.jpg differ
diff --git a/_install/langs/pt/img/pt.jpg b/_install/langs/pt/img/pt.jpg
new file mode 100644
index 00000000..f3aee177
Binary files /dev/null and b/_install/langs/pt/img/pt.jpg differ
diff --git a/_install/langs/pt/index.php b/_install/langs/pt/index.php
new file mode 100644
index 00000000..419dc37d
--- /dev/null
+++ b/_install/langs/pt/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 PrestaShop SA
+* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
+* International Registered Trademark & Property of PrestaShop SA
+*/
+
+header('Expires: Mon, 26 Jul 1997 05:00:00 GMT');
+header('Last-Modified: '.gmdate('D, d M Y H:i:s').' GMT');
+
+header('Cache-Control: no-store, no-cache, must-revalidate');
+header('Cache-Control: post-check=0, pre-check=0', false);
+header('Pragma: no-cache');
+
+header('Location: ../../../');
+exit;
diff --git a/_install/langs/pt/install.php b/_install/langs/pt/install.php
new file mode 100644
index 00000000..001ae096
--- /dev/null
+++ b/_install/langs/pt/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/forum/202-forum-em-portugues/',
+ 'blog' => 'https://www.prestashop.com/blog/pt/',
+ 'support' => 'https://www.prestashop.com/pt/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/pt/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'Ocorreu um erro SQL para a entidade %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'NĂŁo foi possĂvel criar a imagem "%1$s" para a entidade "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'NĂŁo foi possĂvel criar a imagem "%1$s" (permissĂŁo invĂĄlida na pasta "%2$s")',
+ 'Cannot create image "%s"' => 'NĂŁo foi possĂvel criar a imagem "%s"',
+ 'SQL error on query %s ' => 'Erro na consulta SQL %s ',
+ '%s Login information' => '%s Informação de acesso (login)',
+ 'Field required' => 'Campo obrigatĂłrio',
+ 'Invalid shop name' => 'Nome de loja invĂĄlido',
+ 'The field %s is limited to %d characters' => 'O campo %s estĂĄ limitado a %d caracteres',
+ 'Your firstname contains some invalid characters' => 'O seu primeiro nome contém caracteres invålidos',
+ 'Your lastname contains some invalid characters' => 'O seu Ășltimo nome contĂ©m alguns caracteres invĂĄlidos',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'A palavra-passe não é vålida (tem de ter pelo menos 8 caracteres alfa-numéricos)',
+ 'Password and its confirmation are different' => 'A palavra-passe e a confirmação desta são diferentes',
+ 'This e-mail address is invalid' => 'Este endereço de email não é vålido',
+ 'Image folder %s is not writable' => 'A pasta de imagens %s não tem permissÔes de escrita',
+ 'An error occurred during logo copy.' => 'Ocorreu um erro durante a cĂłpia do logĂłtipo.',
+ 'An error occurred during logo upload.' => 'Ocorreu um erro ao enviar o logĂłtipo.',
+ 'Lingerie and Adult' => 'Lingerie e Adulto',
+ 'Animals and Pets' => 'Animais e Animais de Estimação',
+ 'Art and Culture' => 'Arte e Cultura',
+ 'Babies' => 'Bebés',
+ 'Beauty and Personal Care' => 'Beleza e Cuidados Pessoais',
+ 'Cars' => 'AutomĂłveis',
+ 'Computer Hardware and Software' => 'Hardware e Software',
+ 'Download' => 'Downloads',
+ 'Fashion and accessories' => 'Moda e AcessĂłrios',
+ 'Flowers, Gifts and Crafts' => 'Flores, Presentes e Artesanato',
+ 'Food and beverage' => 'Alimentação e Bebidas',
+ 'HiFi, Photo and Video' => 'Som, Fotografia e VĂdeo',
+ 'Home and Garden' => 'Casa e Jardim',
+ 'Home Appliances' => 'Eletrodomésticos',
+ 'Jewelry' => 'Joalharia',
+ 'Mobile and Telecom' => 'Telemóveis e TelecomunicaçÔes',
+ 'Services' => 'Serviços',
+ 'Shoes and accessories' => 'Sapatos e AcessĂłrios',
+ 'Sports and Entertainment' => 'Desporto e Entretenimento',
+ 'Travel' => 'Viagens',
+ 'Database is connected' => 'Ligação estabelecida com a base de dados',
+ 'Database is created' => 'Base de dados criada',
+ 'Cannot create the database automatically' => 'NĂŁo foi possĂvel criar a base de dados automaticamente',
+ 'Create settings.inc file' => 'Criar o ficheiro settings.inc',
+ 'Create database tables' => 'Criar tabelas da base de dados',
+ 'Create default shop and languages' => 'Criar a loja e idioma padrĂŁo',
+ 'Populate database tables' => 'Preencher tabelas da base de dados',
+ 'Configure shop information' => 'Configurar as informaçÔes da loja',
+ 'Install demonstration data' => 'Instalar dados de demonstração',
+ 'Install modules' => 'Instalar mĂłdulos',
+ 'Install Addons modules' => 'Instalar mĂłdulos adicionais (Addons)',
+ 'Install theme' => 'Instalar tema grĂĄfico',
+ 'Required PHP parameters' => 'ParĂąmetros PHP necessĂĄrios',
+ 'PHP 5.1.2 or later is not enabled' => 'NĂŁo estĂĄ disponĂvel o PHP 5.1.2 ou posterior',
+ 'Cannot upload files' => 'NĂŁo foi possĂvel enviar os ficheiros',
+ 'Cannot create new files and folders' => 'NĂŁo foi possĂvel criar novos ficheiros e pastas',
+ 'GD library is not installed' => 'A biblioteca "GD Library" nĂŁo se encontra instalada',
+ 'MySQL support is not activated' => 'NĂŁo estĂĄ ativo o suporte para MySQL',
+ 'Files' => 'Ficheiros',
+ 'Not all files were successfully uploaded on your server' => 'Nem todos os ficheiros foram carregados para o servidor com sucesso',
+ 'Permissions on files and folders' => 'PermissÔes de ficheiros e pastas',
+ 'Recursive write permissions for %1$s user on %2$s' => 'PermissÔes de escrita recursivas para o utilizador %1$s em %2$s',
+ 'Recommended PHP parameters' => 'ParĂąmetros PHP recomendados',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => 'EstĂĄ a usar a versĂŁo %s do PHP. Brevemente a Ășltima versĂŁo suportada serĂĄ a 5.4. Para ter a certeza que a sua loja estarĂĄ preparada para futuras atualizaçÔes, recomendamos atualizar o PHP para a versĂŁo 5.4.',
+ 'Cannot open external URLs' => 'NĂŁo Ă© possĂvel abrir URLs externos',
+ 'PHP register_globals option is enabled' => 'A opção "register_globals" do PHP encontra-se ativa',
+ 'GZIP compression is not activated' => 'A compressĂŁo GZIP nĂŁo estĂĄ activa',
+ 'Mcrypt extension is not enabled' => 'A extensĂŁo Mcrypt nĂŁo estĂĄ activa',
+ 'Mbstring extension is not enabled' => 'A extensĂŁo Mbstring nĂŁo estĂĄ ativa',
+ 'PHP magic quotes option is enabled' => 'A opção "magic quotes" do PHP encontra-se ativa',
+ 'Dom extension is not loaded' => 'A extensĂŁo Dom nĂŁo estĂĄ carregada',
+ 'PDO MySQL extension is not loaded' => 'A extensĂŁo PDO do MySQL nĂŁo estĂĄ carregada',
+ 'Server name is not valid' => 'O nome do servidor nĂŁo Ă© vĂĄlido',
+ 'You must enter a database name' => 'Ă necessĂĄrio indicar o nome da base de dados',
+ 'You must enter a database login' => 'à necessårio indicar o acesso («login») da base de dados',
+ 'Tables prefix is invalid' => 'O prefixo das tabelas Ă© invĂĄlido',
+ 'Cannot convert database data to utf-8' => 'NĂŁo Ă© possĂvel fazer a conversĂŁo da base de dados para utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Foi encontrada pelo menos uma tabela com o mesmo prefixo; por favor altere o prefixo ou elimine a base de dados',
+ 'The values of auto_increment increment and offset must be set to 1' => 'Os valores de incremento auto_increment e offset deve ser definido como 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'O servidor da base de dados nĂŁo foi encontrado. Por favor verifique o nome de utilizador, a palavra-passe e os campos do servidor',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'A ligação ao servidor MySQL foi bem sucedida, mas a base de dados "%s" não foi encontrada',
+ 'Attempt to create the database automatically' => 'Tentativa de criar a base de dados de forma automĂĄtica',
+ '%s file is not writable (check permissions)' => 'NĂŁo Ă© possĂvel escrever o ficheiro %s (verifique as permissĂ”es de escrita)',
+ '%s folder is not writable (check permissions)' => 'NĂŁo Ă© possĂvel escrever na pasta %s (verifique as permissĂ”es de escrita)',
+ 'Cannot write settings file' => 'NĂŁo Ă© possĂvel escrever no ficheiro settings',
+ 'Database structure file not found' => 'NĂŁo foi encontrado o ficheiro com a estrutura da Base de Dados',
+ 'Cannot create group shop' => 'NĂŁo Ă© possĂvel criar um grupo de lojas',
+ 'Cannot create shop' => 'NĂŁo Ă© possĂvel criar a loja',
+ 'Cannot create shop URL' => 'NĂŁo Ă© possĂvel criar o URL da loja',
+ 'File "language.xml" not found for language iso "%s"' => 'NĂŁo foi encontrado o ficheiro "language.xml" para o idioma ISO "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'O ficheiro "language.xml" nĂŁo Ă© vĂĄlido para o idioma ISO "%s"',
+ 'Cannot install language "%s"' => 'NĂŁo Ă© possĂvel instalar o idioma "%s"',
+ 'Cannot copy flag language "%s"' => 'NĂŁo Ă© possĂvel copiar a bandeira-miniatura do idioma "%s"',
+ 'Cannot create admin account' => 'NĂŁo Ă© possĂvel criar uma conta de administrador (admin)',
+ 'Cannot install module "%s"' => 'NĂŁo Ă© possĂvel instalar o mĂłdulo "%s"',
+ 'Fixtures class "%s" not found' => 'NĂŁo foi encontrada a classe Fixtures "%s"',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" deve ser uma instĂąncia do "InstallXmlLoader"',
+ 'Information about your Store' => 'InformaçÔes sobre a sua loja',
+ 'Shop name' => 'Nome loja',
+ 'Main activity' => 'Atividade principal',
+ 'Please choose your main activity' => 'Escolha a atividade principal da loja',
+ 'Other activity...' => 'Outras atividades...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Ajude-nos a conhecer melhor a sua loja para que possamos oferecer-lhe um melhor aconselhamento e as funcionalidades mais adequadas ao seu negĂłcio!',
+ 'Install demo products' => 'Instalar produtos de demonstração',
+ 'Yes' => 'Sim',
+ 'No' => 'NĂŁo',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Os produtos de demonstração são uma boa forma de aprender a usar o PrestaShop. Nesse sentido, a sua instalação é aconselhada caso não conheça a plataforma.',
+ 'Country' => 'PaĂs',
+ 'Select your country' => 'Selecione o seu paĂs',
+ 'Shop timezone' => 'Fuso horĂĄrio da loja',
+ 'Select your timezone' => 'Selecione o seu fuso horĂĄrio',
+ 'Shop logo' => 'LogĂłtipo da loja',
+ 'Optional - You can add you logo at a later time.' => 'Opcional - Pode adicionar o logĂłtipo mais tarde.',
+ 'Your Account' => 'A sua conta',
+ 'First name' => 'Nome prĂłprio',
+ 'Last name' => 'Apelido',
+ 'E-mail address' => 'Endereço de email',
+ 'This email address will be your username to access your store\'s back office.' => 'Este endereço de email serĂĄ o seu nome de utilizador e servirĂĄ aceder Ă Ărea de Administração da loja.',
+ 'Shop password' => 'Palavra-passe da loja',
+ 'Must be at least 8 characters' => 'Deve ter no mĂnimo 8 caracteres',
+ 'Re-type to confirm' => 'Confirmação da palavra-passe',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'Toda a informação que nos fornece estĂĄ sujeita a processamento de dados e estatĂsticas. Ă necessĂĄrio para que os membros da empresa PrestaShop possam responder aos seus pedidos. Os seus dados pessoais podem ser comunicados a fornecedores de serviços e parceiros como parte de relaçÔes de parceiros. De acordo com a legislação francesa "Lei de Processamento de Dados, Ficheiros de Dados e Liberdades Individuais" tem o direito a aceder, retificar e opor-se ao processamento dos seus dados pessoais atravĂ©s desta ligação .',
+ 'Configure your database by filling out the following fields' => 'Preencha os seguintes campos para configurar a sua Base de Dados',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Para usar o PrestaShop é necessårio criar uma base de dados para armazenar toda a informação das atividades da sua loja.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Deve completar os campos abaixo para que o PrestaShop estabeleça uma ligação à Base de Dados. ',
+ 'Database server address' => 'Endereço do servidor da Base de Dados',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Por omissĂŁo, a porta considerada Ă© a 3306. Para usar uma porta diferente, acrescente o nĂșmero da porta ao final do endereço do servidor, por exemplo ":4242".',
+ 'Database name' => 'Nome da Base de Dados',
+ 'Database login' => 'Acesso (login) da Base de Dados',
+ 'Database password' => 'Palavra-passe da Base de Dados',
+ 'Database Engine' => 'Motor da base de dados',
+ 'Tables prefix' => 'Prefixo das tabelas',
+ 'Drop existing tables (mode dev)' => 'Apagar tabelas existentes (modo dev)',
+ 'Test your database connection now!' => 'Testar a ligação à base de dados agora!',
+ 'Next' => 'PrĂłximo',
+ 'Back' => 'Voltar',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Se precisar de assistĂȘncia, pode obter ajuda personalizada da nossa equipa de apoio. A documentação oficial tambĂ©m pode servir de ajuda.',
+ 'Official forum' => 'FĂłrum oficial',
+ 'Support' => 'Suporte',
+ 'Documentation' => 'Documentação',
+ 'Contact us' => 'Contacte-nos',
+ 'PrestaShop Installation Assistant' => 'Assistente de instalação PrestaShop',
+ 'Forum' => 'FĂłrum',
+ 'Blog' => 'Blogue',
+ 'Contact us!' => 'Contacte-nos!',
+ 'menu_welcome' => 'Escolha o seu idioma',
+ 'menu_license' => 'Acordos de licenciamento',
+ 'menu_system' => 'Compatibilidade de sistema',
+ 'menu_configure' => 'Informação da Loja',
+ 'menu_database' => 'Configuração de Sistema',
+ 'menu_process' => 'Instalação da Loja',
+ 'Installation Assistant' => 'Assistente de instalação',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Para instalar o PrestaShop necessita de ativar o JavaScript no seu navegador da internet.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/pt/',
+ 'License Agreements' => 'Acordo de licença',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Para tirar partido das muitas funcionalidades oferecidas gratuitamente pelo PrestaShop, leia os termos da licença abaixo. O nĂșcleo do PrestaShop estĂĄ licenciado de acordo com o OSL 3.0, enquanto os mĂłdulos e os temas grĂĄficos sĂŁo licenciados de acordo com o AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'Concordo com estes termos e condiçÔes.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Concordo em participar na melhoria da solução através do envio de informaçÔes anónimas sobre a minha configuração.',
+ 'Done!' => 'ConcluĂdo!',
+ 'An error occurred during installation...' => 'Ocorreu um erro durante a instalação...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'Pode utilizar os links da coluna da esquerda para retroceder nos passos da instalação, ou reiniciar todo o processo carregando aqui .',
+ 'Your installation is finished!' => 'A sua instalação foi concluĂda!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'A instalação da sua loja foi concluĂda. Obrigado por escolher a plataforma PrestaShop!',
+ 'Please remember your login information:' => 'Tome nota da informação de autenticação:',
+ 'E-mail' => 'Email',
+ 'Print my login information' => 'Imprimir a informação de acesso',
+ 'Password' => 'Palavra-passe',
+ 'Display' => 'Mostrar',
+ 'For security purposes, you must delete the "install" folder.' => 'Por motivos de segurança, deve eliminar a pasta "install" no servidor.',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Ărea de Administração',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Faça a gestĂŁo da sua loja atravĂ©s da Ărea de Administração. Pode gerir as encomendas e os clientes, adicionar mĂłdulos, alterar os temas grĂĄficos, etc.',
+ 'Manage your store' => 'Gerir a sua loja',
+ 'Front Office' => 'Loja',
+ 'Discover your store as your future customers will see it!' => 'Navegue pela sua loja da mesma forma que os seus futuros clientes o farĂŁo!',
+ 'Discover your store' => 'Descubra a sua loja',
+ 'Share your experience with your friends!' => 'Partilhe a sua experiĂȘncia com os seus amigos!',
+ 'I just built an online store with PrestaShop!' => 'ConstruĂ uma loja online com o PrestaShop!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Assista a esta experiĂȘncia emocionante: http://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'Partilhar',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Explore os mĂłdulos adicionais do PrestaShop para adicionar mais funcionalidades Ă sua loja!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'Estå a ser feita uma verificação de compatibilidade entre o seu sistema e o PrestaShop',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Se tiver questÔes, visite a nossa documentação e o fórum da comunidade .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'Foi verificada a compatibilidade entre o seu sistema e o PrestaShop!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Deve corrigir os itens abaixo e carregar em "Atualizar estas configuraçÔes" para testar a compatibilidade com o seu sistema novo.',
+ 'Refresh these settings' => 'Atualizar estas configuraçÔes',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'O PrestaShop necessita pelo menos de 32 Mb de memĂłria para funcionar: por favor verifique a diretiva memory_limit no seu ficheiro php.ini ou contacte o seu fornecedor de alojamento web.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Aviso: Não pode utilizar mais esta ferramenta para atualizar a sua loja. Jå tem instalada a versão %1$s do PrestaShop . Se pretende atualizar a sua loja para uma versão mais recente, deve consultar a nossa documentação: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'Bem-vindo(a) ao Instalador do PrestaShop %s',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'A instalação do PrestaShop é råpida e simples. Dentro de apenas alguns momentos, farå parte de uma comunidade com mais de 200.000 vendedores. Estå prestes a criar a sua loja online que pode gerir facilmente todos os dias.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'Se necessitar de ajuda não hesite em ver este pequeno guia , ou veja a nossa documentação .',
+ 'Continue the installation in:' => 'Continuar a instalação em:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'A seleção de idioma anterior apenas se refere ao Assistente de Instalação. ApĂłs estar instalada, poderĂĄ definir o idioma da sua loja a partir de um conjunto de %d traduçÔes disponĂveis gratuitamente!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'A instalação do PrestaShop é råpida e simples. Dentro de apenas alguns momentos, farå parte de uma comunidade com mais de 250.000 vendedores. Estå prestes a criar a sua loja online que pode gerir facilmente todos os dias.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/pt/language.xml b/_install/langs/pt/language.xml
new file mode 100644
index 00000000..91ce12eb
--- /dev/null
+++ b/_install/langs/pt/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ pt-pt
+ d/m/Y
+ d/m/Y H:i:s
+ false
+
\ No newline at end of file
diff --git a/_install/langs/pt/mail_identifiers.txt b/_install/langs/pt/mail_identifiers.txt
new file mode 100644
index 00000000..8251ce02
--- /dev/null
+++ b/_install/langs/pt/mail_identifiers.txt
@@ -0,0 +1,10 @@
+OlĂĄ {firstname} {lastname},
+
+Aqui estĂŁo os seus dados para iniciar sessĂŁo na loja {shop_name}:
+
+Palavra-passe: {passwd}
+Endereço de e-mail: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/qc/data/carrier.xml b/_install/langs/qc/data/carrier.xml
new file mode 100644
index 00000000..23ed5b02
--- /dev/null
+++ b/_install/langs/qc/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Retrait en magasin
+
+
diff --git a/_install/langs/qc/data/category.xml b/_install/langs/qc/data/category.xml
new file mode 100644
index 00000000..bd5745b2
--- /dev/null
+++ b/_install/langs/qc/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Racine
+
+ racine
+
+
+
+
+
+ Accueil
+
+ accueil
+
+
+
+
+
diff --git a/_install/langs/qc/data/cms.xml b/_install/langs/qc/data/cms.xml
new file mode 100644
index 00000000..0c74740c
--- /dev/null
+++ b/_install/langs/qc/data/cms.xml
@@ -0,0 +1,81 @@
+
+
+
+ Livraison
+ Nos conditions de livraison
+ conditions, livraison, délais, expédition, colis
+ <h2>ExpĂ©ditions et retours</h2><h3>ExpĂ©dition de votre colis</h3><p>Les colis sont gĂ©nĂ©ralement expĂ©diĂ©s dans un dĂ©lai de 2 jours aprĂšs rĂ©ception du paiement. Ils sont expĂ©diĂ©s via UPS avec un numĂ©ro de suivi et remis sans signature. Les colis peuvent Ă©galement ĂȘtre expĂ©diĂ©s via UPS Extra et remis contre signature. Veuillez nous contacter avant de choisir ce mode de livraison, car il induit des frais supplĂ©mentaires. Quel que soit le mode de livraison choisi, nous vous envoyons un lien pour suivre votre colis en ligne.</p><p>Les frais d'expĂ©dition incluent les frais de prĂ©paration et d'emballage ainsi que les frais de port. Les frais de prĂ©paration sont fixes, tandis que les frais de transport varient selon le poids total du colis. Nous vous recommandons de regrouper tous vos articles dans une seule commande. Nous ne pouvons regrouper deux commandes placĂ©es sĂ©parĂ©ment et des frais d'expĂ©dition s'appliquent Ă chacune d'entre elles. Votre colis est expĂ©diĂ© Ă vos propres risques, mais une attention particuliĂšre est portĂ©e aux objets fragiles.<br /><br />Les dimensions des boĂźtes sont appropriĂ©es et vos articles sont correctement protĂ©gĂ©s.</p>
+ livraison
+
+
+ Mentions légales
+ Mentions légales
+ mentions, légales, crédits
+ <h2>Mentions légales</h2><h3>Crédits</h3><p>Conception et production :</p><p>cette boutique en ligne a été créée à l'aide du <a href="http://www.prestashop.com">logiciel PrestaShop. </a>Rendez-vous sur le <a href="http://www.prestashop.com/blog/en/">blog e-commerce de PrestaShop</a> pour vous tenir au courant des derniÚres actualités et obtenir des conseils sur la vente en ligne et la gestion d'un site d'e-commerce.</p>
+ mentions-legales
+
+
+ Conditions d'utilisation
+ Nos conditions d'utilisation
+ conditions, utilisation, vente
+ <h1 class="page-heading">Conditions d'utilisation</h1>
+<h3 class="page-subheading">RÚgle n° 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">RÚgle n° 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ю</p>
+<h3 class="page-subheading">RÚgle n° 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ю</p>
+ conditions-utilisation
+
+
+ A propos
+ En savoir plus sur notre entreprise
+ Ă propos, informations
+ <h1 class="page-heading bottom-indent">A propos</h1>
+<div class="row">
+<div class="col-xs-12 col-sm-4">
+<div class="cms-block">
+<h3 class="page-subheading">Notre entreprise</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>Produits haute qualité</li>
+<li><em class="icon-ok"></em>Service client inégalé</li>
+<li><em class="icon-ok"></em>Remboursement garanti pendant 30Â jours</li>
+</ul>
+</div>
+</div>
+<div class="col-xs-12 col-sm-4">
+<div class="cms-box">
+<h3 class="page-subheading">Notre Ă©quipe</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">TĂ©moignages</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>
+ a-propos
+
+
+ Paiement sécurisé
+ Notre méthode de paiement sécurisé
+ paiement sécurisé, ssl, visa, mastercard, paypal
+ <h2>Paiement sécurisé</h2>
+<h3>Notre paiement sécurisé</h3><p>Avec SSL</p>
+<h3>Avec Visa/Mastercard/Paypal</h3><p>A propos de ce service</p>
+ paiement-securise
+
+
diff --git a/_install/langs/qc/data/cms_category.xml b/_install/langs/qc/data/cms_category.xml
new file mode 100644
index 00000000..36fb9178
--- /dev/null
+++ b/_install/langs/qc/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Accueil
+
+ accueil
+
+
+
+
+
diff --git a/_install/langs/qc/data/configuration.xml b/_install/langs/qc/data/configuration.xml
new file mode 100644
index 00000000..09e47b35
--- /dev/null
+++ b/_install/langs/qc/data/configuration.xml
@@ -0,0 +1,24 @@
+
+
+
+ #FA
+
+
+ #LI
+
+
+ #RE
+
+
+ alors|au|aucuns|aussi|autre|avant|avec|avoir|bon|car|ce|cela|ces|ceux|chaque|ci|comme|comment|dans|des|du|dedans|dehors|depuis|deux|devrait|doit|donc|dos|droite|dĂ©but|elle|elles|en|encore|essai|est|et|eu|fait|faites|fois|font|force|haut|hors|ici|il|ils|je|juste|la|le|les|leur|lĂ |ma|maintenant|mais|mes|mine|moins|mon|mot|mĂȘme|ni|nommĂ©s|notre|nous|nouveaux|ou|oĂč|par|parce|parole|pas|personnes|peut|peu|piĂšce|plupart|pour|pourquoi|quand|que|quel|quelle|quelles|quels|qui|sa|sans|ses|seulement|si|sien|son|sont|sous|soyez|sujet|sur|ta|tandis|tellement|tels|tes|ton|tous|tout|trop|trĂšs|tu|valeur|voie|voient|vont|votre|vous|vu|ça|Ă©taient|Ă©tat|Ă©tions|Ă©tĂ©|ĂȘtre
+
+
+ 0
+
+
+ ChĂšre cliente, cher client,
+
+Cordialement,
+Le service client
+
+
diff --git a/_install/langs/qc/data/contact.xml b/_install/langs/qc/data/contact.xml
new file mode 100644
index 00000000..52ca9c97
--- /dev/null
+++ b/_install/langs/qc/data/contact.xml
@@ -0,0 +1,9 @@
+
+
+
+ En cas de problĂšme technique sur ce site
+
+
+ Pour toute question sur un produit ou une commande
+
+
diff --git a/_install/langs/qc/data/country.xml b/_install/langs/qc/data/country.xml
new file mode 100644
index 00000000..6fcb1fba
--- /dev/null
+++ b/_install/langs/qc/data/country.xml
@@ -0,0 +1,735 @@
+
+
+
+ Allemagne
+
+
+ Autriche
+
+
+ Belgique
+
+
+ Canada
+
+
+ Chine
+
+
+ Espagne
+
+
+ Finlande
+
+
+ France
+
+
+ Grèce
+
+
+ Italie
+
+
+ Japon
+
+
+ Luxembourg
+
+
+ Pays-bas
+
+
+ Pologne
+
+
+ Portugal
+
+
+ République Tchèque
+
+
+ Royaume-Uni
+
+
+ Suède
+
+
+ Suisse
+
+
+ Danemark
+
+
+ États-Unis
+
+
+ Hong-Kong
+
+
+ Norvège
+
+
+ Australie
+
+
+ Singapour
+
+
+ Irlande
+
+
+ Nouvelle-Zélande
+
+
+ Corée du Sud
+
+
+ Israël
+
+
+ Afrique du Sud
+
+
+ Nigeria
+
+
+ Côte d'Ivoire
+
+
+ Togo
+
+
+ Bolivie
+
+
+ Ile Maurice
+
+
+ Roumanie
+
+
+ Slovaquie
+
+
+ Algérie
+
+
+ Samoa Américaines
+
+
+ Andorre
+
+
+ Angola
+
+
+ Anguilla
+
+
+ Antigua et Barbuda
+
+
+ Argentine
+
+
+ Arménie
+
+
+ Aruba
+
+
+ Azerbaïdjan
+
+
+ Bahamas
+
+
+ Bahreïn
+
+
+ Bangladesh
+
+
+ Barbade
+
+
+ Bélarus
+
+
+ Belize
+
+
+ Bénin
+
+
+ Bermudes
+
+
+ Bhoutan
+
+
+ Botswana
+
+
+ Brésil
+
+
+ Brunéi Darussalam
+
+
+ Burkina Faso
+
+
+ Burma (Myanmar)
+
+
+ Burundi
+
+
+ Cambodge
+
+
+ Cameroun
+
+
+ Cap-Vert
+
+
+ Centrafricaine, République
+
+
+ Tchad
+
+
+ Chili
+
+
+ Colombie
+
+
+ Comores
+
+
+ Congo, Rép. Dém.
+
+
+ Congo, Rép.
+
+
+ Costa Rica
+
+
+ Croatie
+
+
+ Cuba
+
+
+ Chypre
+
+
+ Djibouti
+
+
+ Dominica
+
+
+ République Dominicaine
+
+
+ Timor oriental
+
+
+ Équateur
+
+
+ Égypte
+
+
+ El Salvador
+
+
+ Guinée Équatoriale
+
+
+ Érythrée
+
+
+ Estonie
+
+
+ Éthiopie
+
+
+ Falkland, Îles
+
+
+ Féroé, Îles
+
+
+ Fidji
+
+
+ Gabon
+
+
+ Gambie
+
+
+ Géorgie
+
+
+ Ghana
+
+
+ Grenade
+
+
+ Groenland
+
+
+ Gibraltar
+
+
+ Guadeloupe
+
+
+ Guam
+
+
+ Guatemala
+
+
+ Guernesey
+
+
+ Guinée
+
+
+ Guinée-Bissau
+
+
+ Guyana
+
+
+ Haîti
+
+
+ Heard, Île et Mcdonald, Îles
+
+
+ Saint-Siege (État de la Cité du Vatican)
+
+
+ Honduras
+
+
+ Islande
+
+
+ Inde
+
+
+ Indonésie
+
+
+ Iran
+
+
+ Iraq
+
+
+ Man, Île de
+
+
+ Jamaique
+
+
+ Jersey
+
+
+ Jordanie
+
+
+ Kazakhstan
+
+
+ Kenya
+
+
+ Kiribati
+
+
+ Corée, Rép. Populaire Dém. de
+
+
+ Koweït
+
+
+ Kirghizistan
+
+
+ Laos
+
+
+ Lettonie
+
+
+ Liban
+
+
+ Lesotho
+
+
+ Libéria
+
+
+ Libyenne, Jamahiriya Arabe
+
+
+ Liechtenstein
+
+
+ Lituanie
+
+
+ Macao
+
+
+ Macédoine
+
+
+ Madagascar
+
+
+ Malawi
+
+
+ Malaisie
+
+
+ Maldives
+
+
+ Mali
+
+
+ Malte
+
+
+ Marshall, Îles
+
+
+ Martinique
+
+
+ Mauritanie
+
+
+ Hongrie
+
+
+ Mayotte
+
+
+ Mexique
+
+
+ Micronésie
+
+
+ Moldova
+
+
+ Monaco
+
+
+ Mongolie
+
+
+ Monténégro
+
+
+ Montserrat
+
+
+ Maroc
+
+
+ Mozambique
+
+
+ Namibie
+
+
+ Nauru
+
+
+ Népal
+
+
+ Antilles Néerlandaises
+
+
+ Nouvelle-Calédonie
+
+
+ Nicaragua
+
+
+ Niger
+
+
+ Niué
+
+
+ Norfolk, Île
+
+
+ Mariannes du Nord, Îles
+
+
+ Oman
+
+
+ Pakistan
+
+
+ Palaos
+
+
+ Palestinien Occupé, Territoire
+
+
+ Panama
+
+
+ Papouasie-Nouvelle-Guinée
+
+
+ Paraguay
+
+
+ Pérou
+
+
+ Philippines
+
+
+ Pitcairn
+
+
+ Porto Rico
+
+
+ Qatar
+
+
+ Réunion, Île de la
+
+
+ Russie, Fédération de
+
+
+ Rwanda
+
+
+ Saint-Barthélemy
+
+
+ Saint-Kitts-et-Nevis
+
+
+ Sainte-Lucie
+
+
+ Saint-Martin
+
+
+ Saint-Pierre-et-Miquelon
+
+
+ Saint-Vincent-et-Les Grenadines
+
+
+ Samoa
+
+
+ Saint-Marin
+
+
+ Sao Tomé-et-Principe
+
+
+ Arabie Saoudite
+
+
+ Sénégal
+
+
+ Serbie
+
+
+ Seychelles
+
+
+ Sierra Leone
+
+
+ Slovénie
+
+
+ Salomon, Îles
+
+
+ Somalie
+
+
+ Géorgie du Sud et les Îles Sandwich du Sud
+
+
+ Sri Lanka
+
+
+ Soudan
+
+
+ Suriname
+
+
+ Svalbard et Île Jan Mayen
+
+
+ Swaziland
+
+
+ Syrienne
+
+
+ Taïwan
+
+
+ Tadjikistan
+
+
+ Tanzanie
+
+
+ Thaïlande
+
+
+ Tokelau
+
+
+ Tonga
+
+
+ Trinité-et-Tobago
+
+
+ Tunisie
+
+
+ Turquie
+
+
+ Turkménistan
+
+
+ Turks et Caiques, Îles
+
+
+ Tuvalu
+
+
+ Ouganda
+
+
+ Ukraine
+
+
+ Émirats Arabes Unis
+
+
+ Uruguay
+
+
+ Ouzbékistan
+
+
+ Vanuatu
+
+
+ Venezuela
+
+
+ Vietnam
+
+
+ Îles Vierges Britanniques
+
+
+ Îles Vierges des États-Unis
+
+
+ Wallis et Futuna
+
+
+ Sahara Occidental
+
+
+ Yémen
+
+
+ Zambie
+
+
+ Zimbabwe
+
+
+ Albanie
+
+
+ Afghanistan
+
+
+ Antarctique
+
+
+ Bosnie-Herzégovine
+
+
+ Bouvet, Île
+
+
+ Océan Indien, Territoire Britannique de L'
+
+
+ Bulgarie
+
+
+ Caïmans, Îles
+
+
+ Christmas, Île
+
+
+ Cocos (Keeling), Îles
+
+
+ Cook, Îles
+
+
+ Guyane Française
+
+
+ Polynésie Française
+
+
+ Terres Australes Françaises
+
+
+ Åland, Îles
+
+
diff --git a/_install/langs/qc/data/gender.xml b/_install/langs/qc/data/gender.xml
new file mode 100644
index 00000000..681bd0b4
--- /dev/null
+++ b/_install/langs/qc/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/qc/data/group.xml b/_install/langs/qc/data/group.xml
new file mode 100644
index 00000000..7adece7a
--- /dev/null
+++ b/_install/langs/qc/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/qc/data/index.php b/_install/langs/qc/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/qc/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/qc/data/meta.xml b/_install/langs/qc/data/meta.xml
new file mode 100644
index 00000000..29ed00b9
--- /dev/null
+++ b/_install/langs/qc/data/meta.xml
@@ -0,0 +1,165 @@
+
+
+
+ Erreur 404
+ Impossible de trouver la page
+
+ page-introuvable
+
+
+ Meilleures ventes
+ Nos meilleures ventes
+
+ meilleures-ventes
+
+
+ Nous contacter
+ Utiliser le formulaire pour nous contacter
+
+ nous-contacter
+
+
+
+ Boutique propulsée par PrestaShop
+
+
+
+
+ Fabricants
+ Liste des fabricants
+
+ fabricants
+
+
+ Nouveaux produits
+ Nos nouveaux produits
+
+ nouveaux-produits
+
+
+ Mot de passe oublié
+ Entrez l'adresse e-mail que vous utilisez pour vous connecter afin de recevoir un e-mail avec un nouveau mot de passe
+
+ recuperation-mot-de-passe
+
+
+ Promotions
+ Nos promotions
+
+ promotions
+
+
+ Plan du site
+ Vous ĂȘtes perdu ? Trouvez ce que vous cherchez
+
+ plan-site
+
+
+ Fournisseurs
+ Liste des fournisseurs
+
+ fournisseur
+
+
+ Adresse
+
+
+ adresse
+
+
+ Adresses
+
+
+ adresses
+
+
+ Connexion
+
+
+ connexion
+
+
+ Panier
+
+
+ panier
+
+
+ RĂ©duction
+
+
+ reduction
+
+
+ Historique des commandes
+
+
+ historique-commandes
+
+
+ Identité
+
+
+ identite
+
+
+ Mon compte
+
+
+ mon-compte
+
+
+ Suivi de commande
+
+
+ suivi-commande
+
+
+ Avoirs
+
+
+ avoirs
+
+
+ Commande
+
+
+ commande
+
+
+ Recherche
+
+
+ recherche
+
+
+ Magasins
+
+
+ magasins
+
+
+ Commande
+
+
+ commande-rapide
+
+
+ Suivi de commande invité
+
+
+ suivi-commande-invite
+
+
+ Confirmation de commande
+
+
+ confirmation-commande
+
+
+ Comparaison de produits
+
+
+ comparaison-produits
+
+
diff --git a/_install/langs/qc/data/order_return_state.xml b/_install/langs/qc/data/order_return_state.xml
new file mode 100644
index 00000000..f030c93b
--- /dev/null
+++ b/_install/langs/qc/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ En attente de confirmation
+
+
+ En attente du colis
+
+
+ Colis reçu
+
+
+ Retour refusé
+
+
+ Retour terminé
+
+
diff --git a/_install/langs/qc/data/order_state.xml b/_install/langs/qc/data/order_state.xml
new file mode 100644
index 00000000..0b6d1f72
--- /dev/null
+++ b/_install/langs/qc/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ En attente de paiement par chĂšque
+ cheque
+
+
+ Paiement accepté
+ payment
+
+
+ En cours de préparation
+ preparation
+
+
+ Expédié
+ shipped
+
+
+ Livré
+
+
+
+ Annulé
+ order_canceled
+
+
+ Remboursé
+ refund
+
+
+ Erreur de paiement
+ payment_error
+
+
+ En attente de réapprovisionnement (payé)
+ outofstock
+
+
+ En attente de réapprovisionnement (non payé)
+ outofstock
+
+
+ En attente de virement bancaire
+ bankwire
+
+
+ En attente de paiement PayPal
+
+
+
+ Paiement à distance accepté
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/qc/data/profile.xml b/_install/langs/qc/data/profile.xml
new file mode 100644
index 00000000..b388d5f2
--- /dev/null
+++ b/_install/langs/qc/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/qc/data/quick_access.xml b/_install/langs/qc/data/quick_access.xml
new file mode 100644
index 00000000..bb70b273
--- /dev/null
+++ b/_install/langs/qc/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/qc/data/risk.xml b/_install/langs/qc/data/risk.xml
new file mode 100644
index 00000000..e4d1681c
--- /dev/null
+++ b/_install/langs/qc/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/qc/data/stock_mvt_reason.xml b/_install/langs/qc/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..dc43faa7
--- /dev/null
+++ b/_install/langs/qc/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Augmentation
+
+
+ Baisse
+
+
+ Commande client
+
+
+ RĂ©gularisation suite Ă inventaire
+
+
+ RĂ©gularisation suite Ă inventaire
+
+
+ Transfert vers un autre entrepĂŽt
+
+
+ Transfert depuis un autre entrepĂŽt
+
+
+ Commande fournisseur
+
+
diff --git a/_install/langs/qc/data/supplier_order_state.xml b/_install/langs/qc/data/supplier_order_state.xml
new file mode 100644
index 00000000..5ab2e5f0
--- /dev/null
+++ b/_install/langs/qc/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/qc/data/supply_order_state.xml b/_install/langs/qc/data/supply_order_state.xml
new file mode 100644
index 00000000..c5b4aaf4
--- /dev/null
+++ b/_install/langs/qc/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - En cours de création
+
+
+ 2 - Commande validée
+
+
+ 3 - En attente de réception
+
+
+ 4 - Commande reçue partiellement
+
+
+ 5 - Commande reçue intégralement
+
+
+ 6 - Commande annulée
+
+
diff --git a/_install/langs/qc/data/tab.xml b/_install/langs/qc/data/tab.xml
new file mode 100644
index 00000000..f5528658
--- /dev/null
+++ b/_install/langs/qc/data/tab.xml
@@ -0,0 +1,103 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/qc/flag.jpg b/_install/langs/qc/flag.jpg
new file mode 100644
index 00000000..b0ce84f0
Binary files /dev/null and b/_install/langs/qc/flag.jpg differ
diff --git a/_install/langs/qc/img/index.php b/_install/langs/qc/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/qc/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/qc/img/qc-default-category.jpg b/_install/langs/qc/img/qc-default-category.jpg
new file mode 100644
index 00000000..106050a6
Binary files /dev/null and b/_install/langs/qc/img/qc-default-category.jpg differ
diff --git a/_install/langs/qc/img/qc-default-home.jpg b/_install/langs/qc/img/qc-default-home.jpg
new file mode 100644
index 00000000..6220276c
Binary files /dev/null and b/_install/langs/qc/img/qc-default-home.jpg differ
diff --git a/_install/langs/qc/img/qc-default-large.jpg b/_install/langs/qc/img/qc-default-large.jpg
new file mode 100644
index 00000000..94b3580d
Binary files /dev/null and b/_install/langs/qc/img/qc-default-large.jpg differ
diff --git a/_install/langs/qc/img/qc-default-large_scene.jpg b/_install/langs/qc/img/qc-default-large_scene.jpg
new file mode 100644
index 00000000..2d30ac5b
Binary files /dev/null and b/_install/langs/qc/img/qc-default-large_scene.jpg differ
diff --git a/_install/langs/qc/img/qc-default-medium.jpg b/_install/langs/qc/img/qc-default-medium.jpg
new file mode 100644
index 00000000..d2365af1
Binary files /dev/null and b/_install/langs/qc/img/qc-default-medium.jpg differ
diff --git a/_install/langs/qc/img/qc-default-small.jpg b/_install/langs/qc/img/qc-default-small.jpg
new file mode 100644
index 00000000..94ba150b
Binary files /dev/null and b/_install/langs/qc/img/qc-default-small.jpg differ
diff --git a/_install/langs/qc/img/qc-default-thickbox.jpg b/_install/langs/qc/img/qc-default-thickbox.jpg
new file mode 100644
index 00000000..30031950
Binary files /dev/null and b/_install/langs/qc/img/qc-default-thickbox.jpg differ
diff --git a/_install/langs/qc/img/qc-default-thumb_scene.jpg b/_install/langs/qc/img/qc-default-thumb_scene.jpg
new file mode 100644
index 00000000..e6aea957
Binary files /dev/null and b/_install/langs/qc/img/qc-default-thumb_scene.jpg differ
diff --git a/_install/langs/qc/img/qc.jpg b/_install/langs/qc/img/qc.jpg
new file mode 100644
index 00000000..d7f1e195
Binary files /dev/null and b/_install/langs/qc/img/qc.jpg differ
diff --git a/_install/langs/qc/index.php b/_install/langs/qc/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/qc/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/qc/install.php b/_install/langs/qc/install.php
new file mode 100644
index 00000000..645c2862
--- /dev/null
+++ b/_install/langs/qc/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installer+PrestaShop',
+ 'documentation_upgrade' => 'http://doc.prestashop.com/pages/viewpage.action?pageId=23069387',
+ 'forum' => 'http://www.prestashop.com/forums/forum/18-forum-francophone/',
+ 'blog' => 'http://www.prestashop.com/blog/fr/',
+ 'support' => 'https://www.prestashop.com/fr/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/fr/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'Une erreur SQL est survenue pour l\'entité %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'Impossible de créer l\'image "%1$s" pour l\'entité "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Impossible de créer l\'image "%1$s" (mauvaises permissions sur le dossier "%2$s")',
+ 'Cannot create image "%s"' => 'Impossible de créer l\'image "%s"',
+ 'SQL error on query %s ' => 'Erreur SQL sur la requĂȘte %s ',
+ '%s Login information' => 'Informations de connexion sur %s',
+ 'Field required' => 'Champ requis',
+ 'Invalid shop name' => 'Nom de votre boutique non valide',
+ 'The field %s is limited to %d characters' => 'Le champs %s est limité à %d caractÚres',
+ 'Your firstname contains some invalid characters' => 'Votre prénom contient des caractÚres invalides',
+ 'Your lastname contains some invalid characters' => 'Votre nom contient des caractĂšres invalides',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Le mot de passe est invalide (caractÚres alpha numériques et au moins 8 lettres)',
+ 'Password and its confirmation are different' => 'Le mot de passe de confirmation est différent de l\'original',
+ 'This e-mail address is invalid' => 'Cette adresse courriel est invalide',
+ 'Image folder %s is not writable' => 'Le dossier d\'images %s ne possĂšde pas les droits d\'Ă©criture',
+ 'An error occurred during logo copy.' => 'Impossible de copier le logo.',
+ 'An error occurred during logo upload.' => 'Impossible d\'uploader le logo.',
+ 'Lingerie and Adult' => 'Lingerie et Adulte',
+ 'Animals and Pets' => 'Animaux',
+ 'Art and Culture' => 'Arts et culture',
+ 'Babies' => 'Articles pour bébé',
+ 'Beauty and Personal Care' => 'Santé et beauté',
+ 'Cars' => 'Auto et moto',
+ 'Computer Hardware and Software' => 'Informatique et logiciels',
+ 'Download' => 'Téléchargement',
+ 'Fashion and accessories' => 'Mode et accessoires',
+ 'Flowers, Gifts and Crafts' => 'Fleurs, cadeaux et artisanat',
+ 'Food and beverage' => 'Alimentation et gastronomie',
+ 'HiFi, Photo and Video' => 'Hifi, photo et vidéo',
+ 'Home and Garden' => 'Maison et jardin',
+ 'Home Appliances' => 'ĂlectromĂ©nager',
+ 'Jewelry' => 'Bijouterie',
+ 'Mobile and Telecom' => 'Téléphonie et communication',
+ 'Services' => 'Services',
+ 'Shoes and accessories' => 'Chaussures et accessoires',
+ 'Sports and Entertainment' => 'Sport et Loisirs',
+ 'Travel' => 'Voyage et tourisme',
+ 'Database is connected' => 'La base de données est connectée',
+ 'Database is created' => 'Base de données créée',
+ 'Cannot create the database automatically' => 'Impossible de créer la base de données automatiquement',
+ 'Create settings.inc file' => 'Création du fichier settings.inc',
+ 'Create database tables' => 'Création des tables de la base',
+ 'Create default shop and languages' => 'Création de la boutique par défaut et des langues',
+ 'Populate database tables' => 'Remplissage des tables de la base',
+ 'Configure shop information' => 'Configuration de la boutique',
+ 'Install demonstration data' => 'Installation des produits de démo',
+ 'Install modules' => 'Installation des modules',
+ 'Install Addons modules' => 'Installation des modules Addons',
+ 'Install theme' => 'Installation du thĂšme',
+ 'Required PHP parameters' => 'Configuration PHP requise',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 ou ultérieur n\'est pas activé',
+ 'Cannot upload files' => 'Impossible d\'uploader des fichiers',
+ 'Cannot create new files and folders' => 'Impossible de créer de nouveaux fichiers et dossiers',
+ 'GD library is not installed' => 'La bibliothÚque GD n\'est pas installée',
+ 'MySQL support is not activated' => 'Le support de MySQL n\'est pas activé',
+ 'Files' => 'Fichiers',
+ 'Not all files were successfully uploaded on your server' => 'Tous les fichiers n\'ont pas pu ĂȘtre mis en ligne sur votre serveur',
+ 'Permissions on files and folders' => 'Permissions d\'accĂšs sur les fichiers et dossiers',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Droits récursifs en écriture pour l\'utilisateur %1$s sur le dossier %2$s',
+ 'Recommended PHP parameters' => 'Configuration PHP recommandée',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => 'Vous utilisez la version %s de PHP. PrestaShop ne supportera bientĂŽt plus les versions PHP antĂ©rieures Ă 5.4. Pour anticiper ce changement, nous vous recommandons d\'effectuer une mise Ă jour vers PHP 5.4 dĂšs maintenant !',
+ 'Cannot open external URLs' => 'Impossible d\'ouvrir des URL externes',
+ 'PHP register_globals option is enabled' => 'L\'option PHP "register_globals" est activée',
+ 'GZIP compression is not activated' => 'La compression GZIP n\'est pas activée',
+ 'Mcrypt extension is not enabled' => 'L\'extension Mcrypt n\'est pas activée',
+ 'Mbstring extension is not enabled' => 'L\'extension Mbstring n\'est pas activée',
+ 'PHP magic quotes option is enabled' => 'L\'option magic quotes de PHP est activée',
+ 'Dom extension is not loaded' => 'L\'extension DOM n\'est pas chargée',
+ 'PDO MySQL extension is not loaded' => 'Le support de MySQL PDO n\'est pas activé',
+ 'Server name is not valid' => 'L\'adresse du serveur est invalide',
+ 'You must enter a database name' => 'Vous devez saisir un nom de base de données',
+ 'You must enter a database login' => 'Vous devez saisir un identifiant pour la base de données',
+ 'Tables prefix is invalid' => 'Le préfixe des tables est invalide',
+ 'Cannot convert database data to utf-8' => 'Impossible de convertir la base en utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Au moins une table avec le mĂȘme prĂ©fixe a Ă©tĂ© trouvĂ©e, merci de changer votre prĂ©fixe ou de supprimer vos tables existantes',
+ 'The values of auto_increment increment and offset must be set to 1' => 'Les valeurs d\'incrĂ©mentation "auto_increment" et "offset" doivent ĂȘtre fixĂ©es Ă 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'Impossible de se connecter au serveur de la base de données. Vérifiez vos identifiants de connexion',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'La connexion au serveur de base de données a réussi, mais la base "%s" n\'a pas été trouvée',
+ 'Attempt to create the database automatically' => 'Essayer de créer la base de données automatiquement',
+ '%s file is not writable (check permissions)' => 'Le fichier %s ne peut ĂȘtre Ă©crit (vĂ©rifiez vos permissions fichiers)',
+ '%s folder is not writable (check permissions)' => 'Le dossier %s ne peut ĂȘtre Ă©crit (vĂ©rifiez vos permissions fichiers)',
+ 'Cannot write settings file' => 'Impossible de générer le fichier settings',
+ 'Database structure file not found' => 'Le fichier de structure de base de donnĂ©e n\'a pu ĂȘtre trouvĂ©',
+ 'Cannot create group shop' => 'Impossible de créer le groupe de boutique',
+ 'Cannot create shop' => 'Impossible de créer la boutique',
+ 'Cannot create shop URL' => 'Impossible de créer l\'URL pour la boutique',
+ 'File "language.xml" not found for language iso "%s"' => 'Le fichier "language.xml" n\'a pas été trouvé pour l\'iso "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'Le fichier "language.xml" est invalide pour l\'iso "%s"',
+ 'Cannot install language "%s"' => 'Impossible d\'installer la langue "%s"',
+ 'Cannot copy flag language "%s"' => 'Impossible de copier le drapeau pour la langue "%s"',
+ 'Cannot create admin account' => 'Impossible de créer le compte administrateur',
+ 'Cannot install module "%s"' => 'Impossible d\'installer le module "%s"',
+ 'Fixtures class "%s" not found' => 'La classe "%s" pour les fixtures n\'a pas été trouvée',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" doit ĂȘtre une instance de "InstallXmlLoader"',
+ 'Information about your Store' => 'Informations Ă propos de votre boutique',
+ 'Shop name' => 'Nom de la boutique',
+ 'Main activity' => 'Activité principale',
+ 'Please choose your main activity' => 'Merci de choisir une activité',
+ 'Other activity...' => 'Autre activité ...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Aidez-nous à mieux vous connaitre pour que nous puissions vous orienter et vous proposer les fonctionnalités les plus adaptées à votre activité !',
+ 'Install demo products' => 'Installer les produits de démo',
+ 'Yes' => 'Oui',
+ 'No' => 'Non',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Les produits de dĂ©mo sont un bon moyen pour apprendre Ă utiliser PrestaShop. Vous devriez les installer si vous n\'ĂȘtes pas familier avec le logiciel.',
+ 'Country' => 'Pays',
+ 'Select your country' => 'SĂ©lectionnez un pays',
+ 'Shop timezone' => 'Fuseau horaire de la boutique',
+ 'Select your timezone' => 'Choisissez un fuseau horaire',
+ 'Shop logo' => 'Logo de la boutique',
+ 'Optional - You can add you logo at a later time.' => 'Optionnel - Vous pourrez ajouter votre logo par la suite.',
+ 'Your Account' => 'Votre compte',
+ 'First name' => 'Prénom',
+ 'Last name' => 'Nom',
+ 'E-mail address' => 'Adresse courriel',
+ 'This email address will be your username to access your store\'s back office.' => 'Cette adresse courriel vous servira d\'identifiant pour accéder à l\'interface de gestion de votre boutique.',
+ 'Shop password' => 'Mot de passe',
+ 'Must be at least 8 characters' => 'Minimum 8 caractĂšres',
+ 'Re-type to confirm' => 'Confirmation du mot de passe',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'Les informations recueillies font l\'objet dâun traitement informatique et statistique, elles sont nĂ©cessaires aux membres de la sociĂ©tĂ© PrestaShop afin de rĂ©pondre au mieux Ă votre demande. Ces informations peuvent ĂȘtre communiquĂ©es Ă nos partenaires Ă des fins de prospection commerciale et ĂȘtre transmises dans le cadre de nos relations partenariales. ConformĂ©ment Ă la loi « Informatique et LibertĂ©s » du 6 janvier 1978 modifiĂ©e en 2004, vous pouvez exercer votre droit d\'accĂšs, de rectification et d\'opposition au traitement des donnĂ©es qui vous concernent en cliquant ici .',
+ 'Configure your database by filling out the following fields' => 'Configurez la connexion à votre base de données en remplissant les champs suivants.',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Pour utiliser PrestaShop vous devez créer une base de données afin d\'y enregistrer toutes les données nécessaires au fonctionnement de votre boutique.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Merci de renseigner ci-dessous les informations requises pour que PrestaShop puisse se connecter à votre base de données.',
+ 'Database server address' => 'Adresse du serveur de la base',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Si vous souhaitez utiliser un port différent du port par défaut (3306) ajoutez ":XX" à l\'adresse de votre serveur, XX étant le numéro de votre port.',
+ 'Database name' => 'Nom de la base',
+ 'Database login' => 'Identifiant de la base',
+ 'Database password' => 'Mot de passe de la base',
+ 'Database Engine' => 'Moteur de base de données',
+ 'Tables prefix' => 'Préfixe des tables',
+ 'Drop existing tables (mode dev)' => 'Supprimer les tables (mode dev)',
+ 'Test your database connection now!' => 'Tester la connexion à la base de données',
+ 'Next' => 'Suivant',
+ 'Back' => 'Précédent',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Si vous avez besoin d\'accompagnement, notre Ă©quipe support vous apportera une aide sur mesure . La documentation officielle est Ă©galement lĂ pour vous guider.',
+ 'Official forum' => 'Forum officiel',
+ 'Support' => 'Support',
+ 'Documentation' => 'Documentation',
+ 'Contact us' => 'Contactez-nous',
+ 'PrestaShop Installation Assistant' => 'Assistant d\'installation',
+ 'Forum' => 'Forum',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'Contactez-nous !',
+ 'menu_welcome' => 'Choix de la langue',
+ 'menu_license' => 'Acceptation des licences',
+ 'menu_system' => 'Compatibilité systÚme',
+ 'menu_configure' => 'Informations',
+ 'menu_database' => 'Configuration du systĂšme',
+ 'menu_process' => 'Installation de la boutique',
+ 'Installation Assistant' => 'Assistant d\'installation',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Pour installer PrestaShop, vous devez avoir JavaScript activé dans votre navigateur',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/fr/',
+ 'License Agreements' => 'Acceptation des licences',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Afin de profiter gratuitement des nombreuses fonctionnalités qu\'offre PrestaShop, merci de prendre connaissance des termes des licences ci-dessous. Le coeur de PrestaShop est publié sous licence OSL 3.0 tandis que les modules et thÚmes sont publiés sous licence AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'J\'accepte les termes et conditions du contrat ci-dessus.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'J\'accepte de participer à l\'amélioration de PrestaShop en envoyant des informations anonymes sur ma configuration',
+ 'Done!' => 'Fin !',
+ 'An error occurred during installation...' => 'Une erreur est survenue durant l\'installation...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'Vous pouvez utiliser les liens à gauche pour revenir aux étapes précédentes, ou redémarrer l\'installation en cliquant ici .',
+ 'Your installation is finished!' => 'L\'installation est finie !',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Vous venez d\'installer votre boutique en ligne, merci d\'avoir choisi PrestaShop !',
+ 'Please remember your login information:' => 'Merci de conserver les informations de connexion suivantes :',
+ 'E-mail' => 'Courriel',
+ 'Print my login information' => 'Imprimer cette page',
+ 'Password' => 'Mot de passe',
+ 'Display' => 'Affichage',
+ 'For security purposes, you must delete the "install" folder.' => 'Pour des raisons de sécurité, vous devez supprimer le dossier "install" manuellement.',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installer+PrestaShop#InstallerPrestaShop-Terminerl%27installation',
+ 'Back Office' => 'Administration',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Accédez dÚs à présent à votre interface de gestion pour commencer la configuration de votre boutique.',
+ 'Manage your store' => 'GĂ©rez votre boutique',
+ 'Front Office' => 'Front-Office',
+ 'Discover your store as your future customers will see it!' => 'DĂ©couvrez l\'apparence de votre boutique avec quelques produits de dĂ©monstration, prĂȘte Ă ĂȘtre personnalisĂ©e par vos soins !',
+ 'Discover your store' => 'DĂ©couvrez votre boutique',
+ 'Share your experience with your friends!' => 'Partagez votre expérience avec vos amis !',
+ 'I just built an online store with PrestaShop!' => 'Je viens de créer ma boutique en ligne avec PrestaShop !',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Découvrez notre vidéo de présentation : http://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'Partager',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Explorez le site PrestaShop Addons pour ajouter ce "petit quelque chose en plus" qui rendra votre boutique unique !',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'Nous vérifions en ce moment la compatibilité de PrestaShop avec votre systÚme',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Si vous avez la moindre question, n\'hésitez pas à visiter notre documentation et notre forum communautaire .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'La compatibilité de PrestaShop avec votre systÚme a été vérifiée',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Merci de bien vouloir corriger le(s) point(s) ci-dessous puis de cliquer sur le bouton "Rafraichir ces informations" afin de tester à nouveau la compatibilité de votre systÚme.',
+ 'Refresh these settings' => 'RafraĂźchir ces informations',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop a besoin d\'au moins 32 Mo d\'espace mémoire pour fonctionner : veuillez vérifier la directive memory_limit de votre fichier php.ini, ou contacter votre hébergeur à ce propos.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Attention : vous ne pouvez plus utiliser cet outil pour mettre à jour votre boutique. Vous disposez déjà de PrestaShop version %1$s . Si vous voulez passer à la derniÚre version, lisez notre documentation : %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'Bienvenue sur l\'installation de PrestaShop %s',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'L\'installation de PrestaShop est simple et rapide. Dans quelques minutes, vous ferez partie d\'une communautĂ© de plus de 230 000 marchands. Vous ĂȘtes sur le point de crĂ©er votre propre boutique en ligne, unique en son genre, que vous pourrez gĂ©rer trĂšs facilement au quotidien.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'Besoin d\'aide ? N\'hésitez pas à regarder cette courte vidéo , ou à parcourir notre documentation .',
+ 'Continue the installation in:' => 'Continuer l\'installation en :',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Le choix de la langue ci-dessus s\'applique à l\'assistant d\'installation. Une fois votre boutique installée, vous pourrez choisir la langue de votre boutique parmi plus de %d traductions disponibles gratuitement !',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'L\'installation de PrestaShop est simple et rapide. Dans quelques minutes, vous ferez partie d\'une communautĂ© de plus de 250 000 marchands. Vous ĂȘtes sur le point de crĂ©er votre propre boutique en ligne, unique en son genre, que vous pourrez gĂ©rer trĂšs facilement au quotidien.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/qc/language.xml b/_install/langs/qc/language.xml
new file mode 100644
index 00000000..c55e1dbd
--- /dev/null
+++ b/_install/langs/qc/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ qc
+ d/m/Y
+ d/m/Y H:i:s
+ false
+
diff --git a/_install/langs/qc/mail_identifiers.txt b/_install/langs/qc/mail_identifiers.txt
new file mode 100644
index 00000000..e7494de5
--- /dev/null
+++ b/_install/langs/qc/mail_identifiers.txt
@@ -0,0 +1,13 @@
+Bonjour {firstname} {lastname},
+
+Voici les informations personnelles concernant votre nouvelle boutique {shop_name} :
+
+Mot de passe : {passwd}
+Adresse Ă©lectronique : {email}
+
+
+{shop_name} - {shop_url}
+
+
+
+{shop_url} propulsĂ© par PrestaShopâą
diff --git a/_install/langs/ro/data/carrier.xml b/_install/langs/ro/data/carrier.xml
new file mode 100644
index 00000000..a60102c6
--- /dev/null
+++ b/_install/langs/ro/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ RidicaÈi din magazin
+
+
diff --git a/_install/langs/ro/data/category.xml b/_install/langs/ro/data/category.xml
new file mode 100644
index 00000000..936b8f82
--- /dev/null
+++ b/_install/langs/ro/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Root
+
+ root
+
+
+
+
+
+ Produse
+
+ home
+
+
+
+
+
diff --git a/_install/langs/ro/data/cms.xml b/_install/langs/ro/data/cms.xml
new file mode 100644
index 00000000..768fb7a7
--- /dev/null
+++ b/_install/langs/ro/data/cms.xml
@@ -0,0 +1,81 @@
+
+
+
+ Livrare
+ Termenii Èi condiÈiile noaste de livrare
+ conditii, livrare, intarziere, expediere, ambalaj
+ <h2>Expedieri Èi returnÄri</h2><h3>Expedierea pachetului dumneavoastrÄ</h3><p>Pachetele sunt Ăźn general trimise Ăźn 2 zile de la primirea plÄÈii Èi sunt expediate prin UPS cu urmÄrire Èi livrare fÄrÄ semnÄturÄ. DacÄ preferaÈi livrarea prin UPS Extra cu semnÄturÄ obligatorie, va fi aplicat un cost adiÈional, astfel cÄ vÄ rugÄm sÄ ne contactaÈi Ăźnainte de a alege aceastÄ metodÄ. Orice metodÄ alegeÈi, veÈi avea o legÄturÄ pentru urmÄrirea online a pachetului dumneavoastrÄ.</p><p>Costul livrÄrii include costul procesÄrii Èi ambalÄrii, cĂąt Èi costurile poÈtale. Costul procesÄrii este fix, Ăźn timp ce costul transportului poate varia Ăźn funcÈie de greutatea totalÄ a pachetului. VÄ sfÄtuim sÄ vÄ grupaÈi toate articolele Ăźntr-o singurÄ comandÄ. Noi nu putem grupa comenzi distincte plasate separat, astfel cÄ fiecÄreia i se vor aplica costuril de livrareand shipping fees will apply to each of them. Riscurile aferente livrÄrii cad Ăźn responsabilitatea dumneavoastrÄ, dar luÄm mÄsuri speciale pentru a proteja obiectele fragile.<br /><br />Cutiile sunt generos dimensionate Èi articolele dumneavoatrÄ sunt bine protejate.</p>
+ livrare
+
+
+ Notificare legalÄ
+ Notificare legalÄ
+ notificare, legala, acreditari
+ <h2>Legale</h2><h3>AcreditÄri</h3><p>Concept Èi producÈie:</p><p>Acest magazin online a fost creat folosind <a href="http://www.prestashop.com">aplicaÈia de comerÈ electronic PrestaShop</a>,rÄsfoiÈi <a href="http://www.prestashop.com/blog/en/">blogul despre comerÈ electronic al PrestaShop</a> pentru noutÄÈi Èi sfaturi despre vĂąnzarea online Èi administrarea unui site de comerÈ electronic.</p>
+ notificare-legala
+
+
+ Termeni Èi condiÈii de utilizare
+ Termenii Èi condiÈiile noastre de utilizare
+ conditii, termeni, utilizare, vanzare
+ <h1 class="page-heading">Termeni Èi condiÈii de utilizare</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ю</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ю</p>
+ termeni-si-conditii-de-utilizare
+
+
+ Despre noi
+ AflaÈi mai multe despre noi
+ despre noi, informatii
+ <h1 class="page-heading bottom-indent">Despre noi</h1>
+<div class="row">
+<div class="col-xs-12 col-sm-4">
+<div class="cms-block">
+<h3 class="page-subheading">Firma noastrÄ</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>Produse de cea mai bunÄ calitate</li>
+<li><em class="icon-ok"></em>Cele mai bune servicii pentru clienÈii noÈtri</li>
+<li><em class="icon-ok"></em>GaranÈie cu banii Ăźnapoi Ăźn 30 de zile</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">RecomandÄri</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>
+ despre-noi
+
+
+ PlÄÈi securizate
+ Mijloacele noastre de platÄ securizatÄ
+ plata securizata, ssl, visa, mastercard, paypal
+ <h2>PlÄÈi securizate</h2>
+<h3>Plata noastrÄ securizatÄ</h3><p>With SSL</p>
+<h3>Folosind Visa/Mastercard/Paypal</h3><p>Despre aceste servicii</p>
+ plati-securizate
+
+
diff --git a/_install/langs/ro/data/cms_category.xml b/_install/langs/ro/data/cms_category.xml
new file mode 100644
index 00000000..ceb8cf49
--- /dev/null
+++ b/_install/langs/ro/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/ro/data/configuration.xml b/_install/langs/ro/data/configuration.xml
new file mode 100644
index 00000000..ba93a6c7
--- /dev/null
+++ b/_install/langs/ro/data/configuration.xml
@@ -0,0 +1,24 @@
+
+
+
+ #FF
+
+
+ #AE
+
+
+ #RE
+
+
+ un|o|de|pe|la|in|Ăźn|si|Èi
+
+
+ 0
+
+
+ Stimate Client,
+
+Toate cele bune,
+Echipa de asistenta pentru clienti
+
+
diff --git a/_install/langs/ro/data/contact.xml b/_install/langs/ro/data/contact.xml
new file mode 100644
index 00000000..22146516
--- /dev/null
+++ b/_install/langs/ro/data/contact.xml
@@ -0,0 +1,9 @@
+
+
+
+ DacÄ apare o problemÄ tehnicÄ la site-ul dumneavoastrÄ
+
+
+ Pentru orice Ăźntrebare despre produse sau comenzi
+
+
diff --git a/_install/langs/ro/data/country.xml b/_install/langs/ro/data/country.xml
new file mode 100644
index 00000000..edf160d0
--- /dev/null
+++ b/_install/langs/ro/data/country.xml
@@ -0,0 +1,735 @@
+
+
+
+ Germania
+
+
+ Austria
+
+
+ Belgia
+
+
+ Canada
+
+
+ China
+
+
+ Spania
+
+
+ Finlanda
+
+
+ FranÈa
+
+
+ Grecia
+
+
+ Italia
+
+
+ Japonia
+
+
+ Luxemburg
+
+
+ Olanda
+
+
+ Polonia
+
+
+ Portugalia
+
+
+ Republica CehÄ
+
+
+ Regatul Unit al Marii Britanii
+
+
+ Suedia
+
+
+ ElveÈia
+
+
+ Danemarca
+
+
+ Statele Unite ale Americii
+
+
+ HongKong
+
+
+ Norvegia
+
+
+ Australia
+
+
+ Singapore
+
+
+ Irlanda
+
+
+ Noua ZeelandÄ
+
+
+ Coreea de Sud
+
+
+ Israel
+
+
+ Africa de Sud
+
+
+ Nigeria
+
+
+ Ivory Coast
+
+
+ Togo
+
+
+ Bolivia
+
+
+ Mauritius
+
+
+ RomĂąnia
+
+
+ Slovacia
+
+
+ Algeria
+
+
+ Samoa AmericanÄ
+
+
+ Andorra
+
+
+ Angola
+
+
+ Anguilla
+
+
+ Antigua Èi Barbuda
+
+
+ Argentina
+
+
+ Armenia
+
+
+ Aruba
+
+
+ Azerbaidjan
+
+
+ Bahamas
+
+
+ Bahrein
+
+
+ Bangladesh
+
+
+ Barbados
+
+
+ Belarus
+
+
+ Belize
+
+
+ Benin
+
+
+ Bermuda
+
+
+ Bhutan
+
+
+ Botswana
+
+
+ Brazilia
+
+
+ Brunei
+
+
+ Burkina Faso
+
+
+ Birmania (Myanmar)
+
+
+ Burundi
+
+
+ Cambodgia
+
+
+ Camerun
+
+
+ Capul Verde
+
+
+ CentrafricanÄ, Republica
+
+
+ Ciad
+
+
+ Chile
+
+
+ Columbia
+
+
+ Comore
+
+
+ Congo, Republica DemocratÄ
+
+
+ Congo, Republica
+
+
+ Costa Rica
+
+
+ CroaÈia
+
+
+ Cuba
+
+
+ Cipru
+
+
+ Djibouti
+
+
+ Dominica
+
+
+ DominicanÄ, Republica
+
+
+ Timorul de Est
+
+
+ Ecuador
+
+
+ Egipt
+
+
+ El Salvador
+
+
+ Guineea EcuatorialÄ
+
+
+ Eritrea
+
+
+ Estonia
+
+
+ Etiopia
+
+
+ Falkland, Insulele
+
+
+ Faroe, Insulele
+
+
+ Fiji
+
+
+ Gabon
+
+
+ Gambia
+
+
+ Georgia
+
+
+ Ghana
+
+
+ Grenada
+
+
+ Groenlanda
+
+
+ Gibraltar
+
+
+ Guadeloupa
+
+
+ Guam
+
+
+ Guatemala
+
+
+ Guernsey
+
+
+ Guinea
+
+
+ Guinea-Bissau
+
+
+ Guyana
+
+
+ Haiti
+
+
+ Heard Èi McDonald, Insulele
+
+
+ Vatican
+
+
+ Honduras
+
+
+ Islanda
+
+
+ India
+
+
+ Indonezia
+
+
+ Iran
+
+
+ Irak
+
+
+ Man, Insula
+
+
+ Jamaica
+
+
+ Jersey
+
+
+ Iordania
+
+
+ Kazahstan
+
+
+ Kenya
+
+
+ Kiribati
+
+
+ Coreea de Sud
+
+
+ Kuweit
+
+
+ Kirghiztan
+
+
+ Laos
+
+
+ Letonia
+
+
+ Liban
+
+
+ Lesotho
+
+
+ Liberia
+
+
+ Libia
+
+
+ Liechtenstein
+
+
+ Lituania
+
+
+ Macao
+
+
+ Macedonia
+
+
+ Madagascar
+
+
+ Malawi
+
+
+ Malaezia
+
+
+ Maldives
+
+
+ Mali
+
+
+ Malta
+
+
+ Marshall, Insulele
+
+
+ Martinica
+
+
+ Mauritania
+
+
+ Ungaria
+
+
+ Mayotte
+
+
+ Mexic
+
+
+ Micronesia
+
+
+ Moldova
+
+
+ Monaco
+
+
+ Mongolia
+
+
+ Muntenegru
+
+
+ Montserrat
+
+
+ Maroc
+
+
+ Mozambic
+
+
+ Namibia
+
+
+ Nauru
+
+
+ Nepal
+
+
+ Antilele Olandeze
+
+
+ Noua Caledonie
+
+
+ Nicaragua
+
+
+ Niger
+
+
+ Niue
+
+
+ Norfolk, Insula
+
+
+ Mariana de Nord, Insulele
+
+
+ Oman
+
+
+ Pakistan
+
+
+ Palau
+
+
+ Teritoriile Palestiniene
+
+
+ Panama
+
+
+ Papua New Guinea
+
+
+ Paraguay
+
+
+ Peru
+
+
+ Filipine
+
+
+ Pitcairn
+
+
+ Puerto Rico
+
+
+ Qatar
+
+
+ Reunion, Insula
+
+
+ RusÄ, FederaÈia
+
+
+ Ruanda
+
+
+ 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é Èi Príncipe
+
+
+ Arabia SauditÄ
+
+
+ Senegal
+
+
+ Serbia
+
+
+ Seychelles
+
+
+ Sierra Leone
+
+
+ Slovenia
+
+
+ Solomon, Insulele
+
+
+ Somalia
+
+
+ Georgia de Sud Èi Sandwich de Sud, Insulele
+
+
+ Sri Lanka
+
+
+ Sudan
+
+
+ Suriname
+
+
+ Svalbard and Jan Mayen
+
+
+ Swaziland
+
+
+ Siria
+
+
+ Taiwan
+
+
+ Tadjikistan
+
+
+ Tanzania
+
+
+ Thailanda
+
+
+ Tokelau
+
+
+ Tonga
+
+
+ Trinidad Èi Tobago
+
+
+ Tunisia
+
+
+ Turcia
+
+
+ Turkmenistan
+
+
+ Turks Èi Caicos, Insulele
+
+
+ Tuvalu
+
+
+ Uganda
+
+
+ Ucraina
+
+
+ Emiratele Arabe Unite
+
+
+ Uruguay
+
+
+ Uzbekistan
+
+
+ Vanuatu
+
+
+ Venezuela
+
+
+ Vietnam
+
+
+ Virgin Britanice, Insulele
+
+
+ Virgin Americane, Insulele
+
+
+ Wallis Èi Futuna
+
+
+ Sahara de Vest
+
+
+ Yemen
+
+
+ Zambia
+
+
+ Zimbabwe
+
+
+ Albania
+
+
+ Afganistan
+
+
+ Antarctica
+
+
+ Bosnia Èi HerÈegovina
+
+
+ Bouvet, Insula
+
+
+ Teritoriul Britanic al Oceanului Indian
+
+
+ Bulgaria
+
+
+ Cayman, Insulele
+
+
+ Christmas, Insula
+
+
+ Cocos (Keeling), Insulele
+
+
+ Cook, Insulele
+
+
+ Guiana FrancezÄ
+
+
+ Polinezia FrancezÄ
+
+
+ Teritoriile Franceze de Sud
+
+
+ Åland, Insulele
+
+
diff --git a/_install/langs/ro/data/gender.xml b/_install/langs/ro/data/gender.xml
new file mode 100644
index 00000000..3edf8b16
--- /dev/null
+++ b/_install/langs/ro/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/ro/data/group.xml b/_install/langs/ro/data/group.xml
new file mode 100644
index 00000000..39e967b3
--- /dev/null
+++ b/_install/langs/ro/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/ro/data/index.php b/_install/langs/ro/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/ro/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/ro/data/meta.xml b/_install/langs/ro/data/meta.xml
new file mode 100644
index 00000000..fc4495f8
--- /dev/null
+++ b/_install/langs/ro/data/meta.xml
@@ -0,0 +1,165 @@
+
+
+
+ Eroare 404
+ AceastÄ paginÄ nu putut fi gÄsitÄ
+
+ pagina-negasita
+
+
+ Cele mai cumpÄrate
+ Produsele noastre cele mai cumpÄrate
+
+ cele-mai-cumparate
+
+
+ ContactaÈi-ne
+ FolosiÈi formularul pentru a ne contacta
+
+ contact
+
+
+
+ Magazin motorizat de PrestaShop
+
+
+
+
+ MÄrci
+ Lista mÄrcilor
+
+ marci
+
+
+ Produse noi
+ Cele mai noi dintre produsele noastre
+
+ produse-noi
+
+
+ Recuperarea parolei
+ IntroduceÈi adresa de e-mail folositÄ la Ăźnregistrare pentru putea primi un mesaj cu o nouÄ parolÄ
+
+ recuperare-parola
+
+
+ Reduceri de preÈ
+ Ofertele nostre speciale
+
+ reduceri-de-pret
+
+
+ Sitemap
+ V-aÈi rÄtÄcit? GÄsiÈi ceea ce cÄutaÈi
+
+ sitemap
+
+
+ Furnizori
+ Lista furnizorilor
+
+ furnizori
+
+
+ Adresa
+
+
+ adresa
+
+
+ Adrese
+
+
+ adrese
+
+
+ Autentificare
+
+
+ autentificare
+
+
+ CoÈul de cumpÄrÄturi
+
+
+ cos
+
+
+ Reducere
+
+
+ reducere
+
+
+ Istoricul comenzilor
+
+
+ istoric-comenzi
+
+
+ Identitate
+
+
+ identitate
+
+
+ Contul meu
+
+
+ contul-meu
+
+
+ ReturnÄri
+
+
+ returnari
+
+
+ Bon de comandÄ
+
+
+ bon-de-comanda
+
+
+ ComandÄ
+
+
+ comanda
+
+
+ CÄutare
+
+
+ cautare
+
+
+ Magazine
+
+
+ magazine
+
+
+ ComandÄ
+
+
+ comanda-rapida
+
+
+ UrmÄrire pentru oaspeÈi
+
+
+ urmarire-pentru-oaspeti
+
+
+ Confirmarea comenzii
+
+
+ confirmare-comanda
+
+
+ ComparaÈie Ăźntre produse
+
+
+ comparare-produse
+
+
diff --git a/_install/langs/ro/data/order_return_state.xml b/_install/langs/ro/data/order_return_state.xml
new file mode 100644
index 00000000..26fb3ab8
--- /dev/null
+++ b/_install/langs/ro/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ Ăn aÈteptarea confirmÄrii
+
+
+ Ăn aÈteptarea pachetului
+
+
+ Pachetul a fost recepÈionat
+
+
+ Returnare anulatÄ
+
+
+ Returnare completÄ
+
+
diff --git a/_install/langs/ro/data/order_state.xml b/_install/langs/ro/data/order_state.xml
new file mode 100644
index 00000000..323efae7
--- /dev/null
+++ b/_install/langs/ro/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ Ăn aÈteptarea plÄÈii cu cec
+ cheque
+
+
+ PlatÄ acceptatÄ
+ payment
+
+
+ Ăn procesare
+ preparation
+
+
+ ExpediatÄ
+ shipped
+
+
+ LivratÄ
+
+
+
+ AnulatÄ
+ order_canceled
+
+
+ RambursatÄ
+ refund
+
+
+ Eroare de platÄ
+ payment_error
+
+
+ Comanda Ăźn aÈteptare
+ outofstock
+
+
+ Comanda Ăźn aÈteptare
+ outofstock
+
+
+ Ăn aÈteptarea plÄÈii prin transfer bancar
+ bankwire
+
+
+ Ăn aÈteptarea plÄÈii prin PayPal
+
+
+
+ Plata de la distanÈÄ acceptatÄ
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/ro/data/profile.xml b/_install/langs/ro/data/profile.xml
new file mode 100644
index 00000000..7352a78c
--- /dev/null
+++ b/_install/langs/ro/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/ro/data/quick_access.xml b/_install/langs/ro/data/quick_access.xml
new file mode 100644
index 00000000..2665e63e
--- /dev/null
+++ b/_install/langs/ro/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/ro/data/risk.xml b/_install/langs/ro/data/risk.xml
new file mode 100644
index 00000000..5c1bb178
--- /dev/null
+++ b/_install/langs/ro/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/ro/data/stock_mvt_reason.xml b/_install/langs/ro/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..b05fabc7
--- /dev/null
+++ b/_install/langs/ro/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ CreÈtere
+
+
+ DescreÈtere
+
+
+ ComandÄ de la client
+
+
+ Regularizare Ăźn urma inventarului
+
+
+ Regularizare Ăźn urma inventarului
+
+
+ Transfer Ăźn alt depozit
+
+
+ Transfer din alt depozit
+
+
+ ComandÄ de aprovizionare
+
+
diff --git a/_install/langs/ro/data/supplier_order_state.xml b/_install/langs/ro/data/supplier_order_state.xml
new file mode 100644
index 00000000..92a18b6a
--- /dev/null
+++ b/_install/langs/ro/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/ro/data/supply_order_state.xml b/_install/langs/ro/data/supply_order_state.xml
new file mode 100644
index 00000000..4688f406
--- /dev/null
+++ b/_install/langs/ro/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Ăn procesare
+
+
+ 2 - ComandÄ validatÄ
+
+
+ 3 - Ăn aÈteptarea recepÈiei
+
+
+ 4 - ComandÄ recepÈionatÄ parÈial
+
+
+ 5 - ComandÄ recepÈionatÄ complet
+
+
+ 6 - ComandÄ anulatÄ
+
+
diff --git a/_install/langs/ro/data/tab.xml b/_install/langs/ro/data/tab.xml
new file mode 100644
index 00000000..07ffbbc2
--- /dev/null
+++ b/_install/langs/ro/data/tab.xml
@@ -0,0 +1,103 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/ro/flag.jpg b/_install/langs/ro/flag.jpg
new file mode 100644
index 00000000..55e205e7
Binary files /dev/null and b/_install/langs/ro/flag.jpg differ
diff --git a/_install/langs/ro/img/index.php b/_install/langs/ro/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/ro/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/ro/img/ro-default-category.jpg b/_install/langs/ro/img/ro-default-category.jpg
new file mode 100644
index 00000000..db9b6968
Binary files /dev/null and b/_install/langs/ro/img/ro-default-category.jpg differ
diff --git a/_install/langs/ro/img/ro-default-home.jpg b/_install/langs/ro/img/ro-default-home.jpg
new file mode 100644
index 00000000..d8ad2009
Binary files /dev/null and b/_install/langs/ro/img/ro-default-home.jpg differ
diff --git a/_install/langs/ro/img/ro-default-large.jpg b/_install/langs/ro/img/ro-default-large.jpg
new file mode 100644
index 00000000..5f1b32e3
Binary files /dev/null and b/_install/langs/ro/img/ro-default-large.jpg differ
diff --git a/_install/langs/ro/img/ro-default-large_scene.jpg b/_install/langs/ro/img/ro-default-large_scene.jpg
new file mode 100644
index 00000000..3744eb8b
Binary files /dev/null and b/_install/langs/ro/img/ro-default-large_scene.jpg differ
diff --git a/_install/langs/ro/img/ro-default-medium.jpg b/_install/langs/ro/img/ro-default-medium.jpg
new file mode 100644
index 00000000..ca8f39e0
Binary files /dev/null and b/_install/langs/ro/img/ro-default-medium.jpg differ
diff --git a/_install/langs/ro/img/ro-default-small.jpg b/_install/langs/ro/img/ro-default-small.jpg
new file mode 100644
index 00000000..121e1d35
Binary files /dev/null and b/_install/langs/ro/img/ro-default-small.jpg differ
diff --git a/_install/langs/ro/img/ro-default-thickbox.jpg b/_install/langs/ro/img/ro-default-thickbox.jpg
new file mode 100644
index 00000000..d93f52e1
Binary files /dev/null and b/_install/langs/ro/img/ro-default-thickbox.jpg differ
diff --git a/_install/langs/ro/img/ro-default-thumb_scene.jpg b/_install/langs/ro/img/ro-default-thumb_scene.jpg
new file mode 100644
index 00000000..bf739ae6
Binary files /dev/null and b/_install/langs/ro/img/ro-default-thumb_scene.jpg differ
diff --git a/_install/langs/ro/img/ro.jpg b/_install/langs/ro/img/ro.jpg
new file mode 100644
index 00000000..f4a0aecd
Binary files /dev/null and b/_install/langs/ro/img/ro.jpg differ
diff --git a/_install/langs/ro/index.php b/_install/langs/ro/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/ro/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/ro/install.php b/_install/langs/ro/install.php
new file mode 100644
index 00000000..95909f62
--- /dev/null
+++ b/_install/langs/ro/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS15/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'A avut loc e eroare SQL pentru obiectul %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'Nu pot crea copie "%1$s" pentru obiectul "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Nu se poate crea imaginea â%1$sâ (nu este permis pe folder "%2$s")',
+ 'Cannot create image "%s"' => 'Nu pot crea copie "%s"',
+ 'SQL error on query %s ' => 'SQL eroare la Ăźntrebare %s ',
+ '%s Login information' => '%s InformaĆŁii autentificare',
+ 'Field required' => 'CĂąmp obligatoriu',
+ 'Invalid shop name' => 'Numele magazinului este invalid',
+ 'The field %s is limited to %d characters' => 'CĂąmpul %s este limitate la %d caractere',
+ 'Your firstname contains some invalid characters' => 'Prenumele conÈine caractere invalide',
+ 'Your lastname contains some invalid characters' => 'Numele conÈine caractere invalide',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Parola este incorectÄ ( cel puĆŁin 8 numere sau caractere)',
+ 'Password and its confirmation are different' => 'Parola Ći confirmarea acesteia sunt diferite',
+ 'This e-mail address is invalid' => 'Aceasta adresa de e-mail este invalida',
+ 'Image folder %s is not writable' => 'Copia fiĆierului %s nu poate fi ĂźnregistratÄ',
+ 'An error occurred during logo copy.' => 'A aparut o eroare la copierea logo-ului.',
+ 'An error occurred during logo upload.' => 'A avut loc o eroare Ăźn timpul ĂźncÄrcÄrii logo-ului.',
+ 'Lingerie and Adult' => 'Lenjerie Ći articole pentru adulÈi',
+ 'Animals and Pets' => 'Animale Èi animale de companie',
+ 'Art and Culture' => 'ArtÄ Èi culturÄ',
+ 'Babies' => 'Articole pentru copii',
+ 'Beauty and Personal Care' => 'FrumuseÈe Èi Ăźngrijire personalÄ',
+ 'Cars' => 'Autoturisme',
+ 'Computer Hardware and Software' => 'Software Èi hardware pentru calculatoare',
+ 'Download' => 'DescÄrcÄri',
+ 'Fashion and accessories' => 'ModÄ Èi accesorii',
+ 'Flowers, Gifts and Crafts' => 'Flori, cadouri Èi artizanat',
+ 'Food and beverage' => 'MĂąncare Èi bÄuturÄ',
+ 'HiFi, Photo and Video' => 'Foto, video Èi HiFi',
+ 'Home and Garden' => 'CasÄ Èi grÄdinÄ',
+ 'Home Appliances' => 'Aparate casnice',
+ 'Jewelry' => 'Bijuterii',
+ 'Mobile and Telecom' => 'GSM Èi telecomunicaÈii',
+ 'Services' => 'Servicii',
+ 'Shoes and accessories' => 'Pantofi Èi accesorii',
+ 'Sports and Entertainment' => 'Sport Ći Divertisment',
+ 'Travel' => 'CÄlÄtorii',
+ 'Database is connected' => 'Baza de date este conectatÄ',
+ 'Database is created' => 'Baza de date a fost creatÄ',
+ 'Cannot create the database automatically' => 'Nu pot crea baza de date Ăźn mod automat',
+ 'Create settings.inc file' => 'CreaĆŁi fiĆierul settings.inc',
+ 'Create database tables' => 'CreazÄ tabele ale bazei de date',
+ 'Create default shop and languages' => 'CreazÄ magazin Èi limbi Ăźn mod implicit',
+ 'Populate database tables' => 'CompleteazÄ tabelele bazei de date',
+ 'Configure shop information' => 'ConfigureazÄ informaĆŁiile magazinului',
+ 'Install demonstration data' => 'InstalaÈi date demonstraÈie',
+ 'Install modules' => 'InstaleazÄ module',
+ 'Install Addons modules' => 'InstalaÈi modulele Addons',
+ 'Install theme' => 'InstaleazÄ temÄ',
+ 'Required PHP parameters' => 'Parametri PHP necesari',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 sau mai recent nu este disponibil',
+ 'Cannot upload files' => 'Nu se pot ĂźncÄrca fiĆierele',
+ 'Cannot create new files and folders' => 'Nu se pot crea noi dosare Ći fiĆiere',
+ 'GD library is not installed' => 'Biblioteca GD nu este instalatÄ',
+ 'MySQL support is not activated' => 'Suportul MySQL nu este activ',
+ 'Files' => 'FiĆiere',
+ 'Not all files were successfully uploaded on your server' => 'Nu toate fiÈierele au fost ĂźncÄrcate pe serverul dvs.',
+ 'Permissions on files and folders' => 'Permisiuni pe fiÈiere Èi foldere',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Permisiuni de scriere recursivÄ pentru %1$s utilizator de pe %2$s',
+ 'Recommended PHP parameters' => 'Parametri PHP recomandaÈi',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => '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!',
+ 'Cannot open external URLs' => 'Nu se pot deschide URL-uri externe',
+ 'PHP register_globals option is enabled' => 'OpÈiunea PHP cotaÈii magice este activÄ',
+ 'GZIP compression is not activated' => 'Reducerea GZIP nu este activatÄ',
+ 'Mcrypt extension is not enabled' => 'Extensia Mcrypt nu este activÄ',
+ 'Mbstring extension is not enabled' => 'Extensia Mbstring nu este activÄ',
+ 'PHP magic quotes option is enabled' => 'OpÈiunea PHP cotaÈii magice este activÄ',
+ 'Dom extension is not loaded' => 'Extensia Dom nu este ĂźncÄrcatÄ',
+ 'PDO MySQL extension is not loaded' => 'Extensia PDO MySQL nu este ĂźncÄrcatÄ',
+ 'Server name is not valid' => 'Numele serverului nu este valid',
+ 'You must enter a database name' => 'Trebuie sÄ introduceĆŁi numele bazei de date',
+ 'You must enter a database login' => 'Trebuie sÄ introduceÈi o bazÄ de date autentificatÄ',
+ 'Tables prefix is invalid' => 'Data specificatÄ este invalid',
+ 'Cannot convert database data to utf-8' => 'Nu se pot converti date din baza de date la utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Cel puÈin un tabel cu acelaÈi prefix a fost deja gÄsit, vÄ rugÄm sÄ schimbaÈi prefixul sau renunÈaÈi la baza dvs de date',
+ 'The values of auto_increment increment and offset must be set to 1' => 'Valorile pentru auto_increment increment Èi offset trebuie setate la 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'Serverul bazei de date nu a fost gÄsit. VÄ rugÄm verificaÈi datele de conectare, parola Èi cĂąmpurile server-ului',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'Conectarea la sever-ul MySQL a fost realizatÄ cu succes, dar baza de date "%s" nu a fost gÄsitÄ',
+ 'Attempt to create the database automatically' => 'Ăncercarea de a crea Ăźn mod automat baza de date',
+ '%s file is not writable (check permissions)' => '%s fiÈierul nu poate fi scris (verificaÈi permisiunile)',
+ '%s folder is not writable (check permissions)' => '%s fiÈierul nu poate fi scris (verificaÈi permisiunile)',
+ 'Cannot write settings file' => 'Nu se pot scrie setÄrile fiÈierului',
+ 'Database structure file not found' => 'Structura fiÈier a bazei de date nu a fost gÄsitÄ',
+ 'Cannot create group shop' => 'Nu se poate crea magazin de grup',
+ 'Cannot create shop' => 'Nu se poate crea magazin',
+ 'Cannot create shop URL' => 'Nu se poate crea magazin URL',
+ 'File "language.xml" not found for language iso "%s"' => 'FiÈierul "limba.xml" nu a gÄsit limba â%sâ',
+ 'File "language.xml" not valid for language iso "%s"' => 'FiÈierul "limba.xml" nu a validat limba â%sâ',
+ 'Cannot install language "%s"' => 'Nu se poate instala limba "%s"',
+ 'Cannot copy flag language "%s"' => 'Nu s-a putut copia drapelul pentru limba "%s"',
+ 'Cannot create admin account' => 'Nu se poate crea contul administator',
+ 'Cannot install module "%s"' => 'Nu s-a putut instala modulul "%s"',
+ 'Fixtures class "%s" not found' => 'DependenÈele de clasÄ "%s" nu au fost gÄsite',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" trebuie sÄ fie o instanÈÄ a "InstallXmlLoader"',
+ 'Information about your Store' => 'InformaÈii despre Magazinul dvs',
+ 'Shop name' => 'Numele magazinului',
+ 'Main activity' => 'Activitate principalÄ',
+ 'Please choose your main activity' => 'VÄ rugÄm alegeÈi-vÄ activitatea principalÄ',
+ 'Other activity...' => 'AltÄ activitate...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'AjutaÈi-ne sÄ ĂźnvÄÈÄm mai multe despre magazinul dvs pentru a vÄ putea oferi o ghidare optimÄ Èi cele mai bune facilitÄÈi afacerii dvs!',
+ 'Install demo products' => 'InstalaÈi produse demo',
+ 'Yes' => 'Da',
+ 'No' => 'Nu',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Podusele demo sunt un mod bun de a ĂźnvÄÈa cum se foloseÈte PrestaShop. Ar trebuie sÄ le instalaÈi dacÄ nu sunteÈi familiarizaÈi cu el.',
+ 'Country' => 'Tara',
+ 'Select your country' => 'SelectaÈi-vÄ Èara',
+ 'Shop timezone' => 'Fusul orar al magazinului',
+ 'Select your timezone' => 'SelectaÈi-vÄ fusul orar',
+ 'Shop logo' => 'Sigla magazinului',
+ 'Optional - You can add you logo at a later time.' => 'OpÈional - VÄ puteÈi adÄuga logo-ul dvs mai tĂąrziu.',
+ 'Your Account' => 'Contul dvs.',
+ 'First name' => 'Prenume',
+ 'Last name' => 'Nume de familie',
+ 'E-mail address' => 'AdresÄ e-mail',
+ 'This email address will be your username to access your store\'s back office.' => 'AcestÄ adresÄ de e-mail va fi numele dvs de utilizator pentru a accesa back office-ul magazinului dvs.',
+ 'Shop password' => 'Parola magazinului',
+ 'Must be at least 8 characters' => 'Trebuie sÄ existe cel puÈin 8 caractere',
+ 'Re-type to confirm' => 'RetastaÈi pentru a confirma',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .',
+ 'Configure your database by filling out the following fields' => 'ConfiguraÈi-vÄ baza de date completĂąnd urmÄtoarele cĂąmpuri',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Pentru a utiliza PrestaShop, este necesar sÄ creaÈi o bazÄ de date pentru a stoca informaÈiile despre activitÄÈile magazinului dvs.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'VÄ rugÄm completaÈi cĂąmpurile de mai jos pentru ca PrestaShop sÄ vÄ conecteze la baza de date. ',
+ 'Database server address' => 'Adresa serverului bazei de date',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Portul implicit este 3306. Pentru a folosi un alt port, adÄugaÈi numÄrul portului la sfĂąrÈitul adresei dvs de server i.e ":4242".',
+ 'Database name' => 'Numele bazei de date',
+ 'Database login' => 'Autentificare bazÄ de date',
+ 'Database password' => 'Parola bazei de date',
+ 'Database Engine' => 'Motorul bazei de date',
+ 'Tables prefix' => 'Prefix tabele',
+ 'Drop existing tables (mode dev)' => 'RenunÈaÈi la tabelele existente (modul dev)',
+ 'Test your database connection now!' => 'TestaÈi-vÄ acum conexiunea la baza dvs de date!',
+ 'Next' => 'UrmÄtorul',
+ 'Back' => 'Ănapoi',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.',
+ 'Official forum' => 'Forumul oficial',
+ 'Support' => 'Ajutor',
+ 'Documentation' => 'Documentatie',
+ 'Contact us' => 'ContactaÈi-ne',
+ 'PrestaShop Installation Assistant' => 'Asistentul pentru instalarea Prestashop',
+ 'Forum' => 'Forum',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'ContactaÈi-ne!',
+ 'menu_welcome' => 'AlegeÈi-vÄ limba',
+ 'menu_license' => 'Acorduri de licenÈÄ',
+ 'menu_system' => 'Compatibilitatea sistemului',
+ 'menu_configure' => 'InformaÈiile magazinului',
+ 'menu_database' => 'Configurarea sistemului',
+ 'menu_process' => 'Magazin de instalare',
+ 'Installation Assistant' => 'Asistent instalare',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Pentru a vÄ instala PrestaShop, trebuie sÄ aveÈi activat JavaScript Ăźn browser-ul dvs.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/',
+ 'License Agreements' => 'Acorduri de licenÈÄ',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Pentru a vÄ bucura de multele caracteristici care vÄ sunt oferite gratis de PrestaShop, vÄ rufÄm citiÈi termenii de utilizare de mai jos. Nucleul PrestaShop este licenÈiat sub OSL 3.0, Ăźn timp ce modulele Èi temele sunt licenÈiate sub AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'Sunt de acord cu termenii Èi condiÈiile de mai sus.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Sunt de acord sÄ particip la ĂźmbunÄtÄÈirea soluÈiei trimiÈĂąnd informaÈii anonime despre configurarea mea.',
+ 'Done!' => 'Realizat!',
+ 'An error occurred during installation...' => 'A apÄrut o eroare Ăźn timpul instalÄrii...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'PuteÈi folosi link-ul din stĂąnga coloanei pentru a merge Ăźnapoi la pasul anterior, sau pentru a reporni procesul de instalare prin dĂąnd click aici .',
+ 'Your installation is finished!' => 'Instalarea dvs s-a Ăźncheiat!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Tocmai aÈi terminat sÄ vÄ instalaÈi magazinul! VÄ mulÈumim cÄ folosiÈi PrestaShop!',
+ 'Please remember your login information:' => 'VÄ rugÄm sÄ memoraÈi informaÈiile de autentificare:',
+ 'E-mail' => 'Email',
+ 'Print my login information' => 'PrinteazÄ informaÈiile de logare',
+ 'Password' => 'ParolÄ',
+ 'Display' => 'AfiÈeazÄ',
+ 'For security purposes, you must delete the "install" folder.' => 'Din motive de securitate, trebuie sÄ ÈtergeÈi folderul âinstalareâ.',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Back office',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'AdministraÈi-vÄ magazinul folosindu-vÄ Back Office-ul. AdministraÈi-vÄ comenzile Èi clienÈii, adÄugaÈi module, schimbaÈi teme, etc.',
+ 'Manage your store' => 'AdministraÈi-vÄ magazinul',
+ 'Front Office' => 'Front office',
+ 'Discover your store as your future customers will see it!' => 'DescoperiÈi-vÄ magazinul Ăźn modul Ăźn care viitorii dvs clienÈi Ăźl vor vedea!',
+ 'Discover your store' => 'DescoperiÈi-vÄ magazinul',
+ 'Share your experience with your friends!' => 'ĂmpÄrÈiÈi-vÄ experienÈa cu prietenii dvs!',
+ 'I just built an online store with PrestaShop!' => 'Tocmai mi-am construit un magazin online cu PrestaShop!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'VizionaÈi aceastÄ experienÈÄ captivantÄ: http://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'DistribuiĆŁi',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'EvaluaÈi PrestaShop Addons pentru a adÄuga acel ceva magazinului dvs!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'Momentan verificÄm compatibilitatea PrestaShop cu mediul dvs de sistem',
+ 'If you have any questions, please visit our documentation and community forum .' => 'DacÄ aveÈi orice ĂźntrebÄri, vÄ rugÄm sÄ vizitaÈi documentaÈia noastrÄ Èi forumul comunitÄÈii .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'Compatibilitatea PrestaShop cu sistemul dvs a fost verificatÄ!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! VÄ rugÄm corectaÈi punctul(le) de mai jos, Èi apoi da-Èi click âReĂźmprospÄtare informaÈieâ pentru a testa compatibilitatea noului dvs sistem.',
+ 'Refresh these settings' => 'ReĂźmprospÄteazÄ aceste setÄri',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop necesitÄ cel puÈin 32 MB de memorie pentru a funcÈiona: vÄ rugÄm sÄ verificaÈi directiva memory_limit din fiÈierul dvs. php.ini file sau cereÈi furnizorului dvs. de gÄzduire web sÄ o facÄ.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'AtenÈie: Nu mai puteÈi folosi aceastÄ unealtÄ pentru a vÄ actualiza magazinul. Deja aveÈi versiunea %1$s de PrestaShop instalatÄ . DacÄ doriÈi sÄ actualizaÈi pĂąnÄ la ultima versiune, vÄ rugÄm sÄ citiÈi documentaÈia: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'Bine aÈi venit la PrestaShop %s Installer',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalarea PrestaShop este uÈoarÄ Èi rapidÄ. Ăn doar cĂąteva momente, veÈi deveni parte a unei comunitÄÈi de mai mult de 230000 de comercianÈi. SunteÈi pe cale de a vÄ crea propriul Èi unicul dumneavoastrÄ magazin online pe care Ăźl veÈi putea administra cu uÈurinÈÄ Ăźn fiecare zi',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .',
+ 'Continue the installation in:' => 'ContinuaÈi instalarea Ăźn:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'SelecÈia limbii de mai sus se aplicÄ numai Asistentului de instalare. OdatÄ ce magazinul dvs. a fost instalat, puteÈi alege pentru magazinul dvs. dintre peste %d traduceri, toate gratuite!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalarea PrestaShop este uÈoarÄ Èi rapidÄ. Ăn doar cĂąteva momente, veÈi deveni parte a unei comunitÄÈi de mai mult de 250000 de comercianÈi. SunteÈi pe cale de a vÄ crea propriul Èi unicul dumneavoastrÄ magazin online pe care Ăźl veÈi putea administra cu uÈurinÈÄ Ăźn fiecare zi',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/ro/language.xml b/_install/langs/ro/language.xml
new file mode 100644
index 00000000..f9f120e5
--- /dev/null
+++ b/_install/langs/ro/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ ro-ro
+ d.m.Y
+ d.m.Y H:i:s
+ false
+
\ No newline at end of file
diff --git a/_install/langs/ro/mail_identifiers.txt b/_install/langs/ro/mail_identifiers.txt
new file mode 100644
index 00000000..bc2bb9d4
--- /dev/null
+++ b/_install/langs/ro/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Buna {firstname} {lastname},
+
+Iata datele necesare pentru autentificare la {shop_name}:
+
+Parola: {passwd}
+Adresa de e-mail: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} motorizat de PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/ru/data/carrier.xml b/_install/langs/ru/data/carrier.xml
new file mode 100644
index 00000000..b9f5d3fc
--- /dev/null
+++ b/_install/langs/ru/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ ĐĄĐ°ĐŒĐŸĐČŃĐČĐŸĐ·
+
+
diff --git a/_install/langs/ru/data/category.xml b/_install/langs/ru/data/category.xml
new file mode 100644
index 00000000..02ad317a
--- /dev/null
+++ b/_install/langs/ru/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ ĐĐŸŃĐ”ĐœŃ
+
+ root
+
+
+
+
+
+ ĐлаĐČĐœĐ°Ń
+
+ home
+
+
+
+
+
diff --git a/_install/langs/ru/data/cms.xml b/_install/langs/ru/data/cms.xml
new file mode 100644
index 00000000..1d7ef6c1
--- /dev/null
+++ b/_install/langs/ru/data/cms.xml
@@ -0,0 +1,45 @@
+
+
+
+ ĐĐŸŃŃĐ°ĐČĐșĐ°
+ ĐĄŃĐŸĐșĐž Đž ŃŃĐ»ĐŸĐČĐžŃ ĐŽĐŸŃŃĐ°ĐČĐșĐž
+ ŃŃĐ»ĐŸĐČĐžŃ, ĐŽĐŸŃŃĐ°ĐČĐșĐ°, ŃŃĐŸĐșĐž, ĐŸŃĐżŃĐ°ĐČĐșĐ°, ŃпаĐșĐŸĐČĐșĐ°
+ <h2>ĐĐŸŃŃĐ°ĐČĐșĐ° Đž ĐČĐŸĐ·ĐČŃĐ°Ń</h2><h3>ĐŃĐżŃĐ°ĐČĐșĐ° ĐĐ°ŃĐ”ĐłĐŸ ŃĐŸĐČĐ°ŃĐ°</h3><p>ĐŃĐżŃĐ°ĐČĐșĐ° ŃĐŸĐČĐ°ŃĐ° ĐŸŃŃŃĐ”ŃŃĐČĐ»ŃĐ”ŃŃŃ ŃĐ”ŃДз 2 ĐŽĐœŃ ĐżĐŸŃлД ĐżĐŸĐ»ŃŃĐ”ĐœĐžŃ ĐŸĐżĐ»Đ°ŃŃ Đž ĐŸŃĐżŃĐ°ĐČĐ»ŃŃŃŃŃ ŃĐ”ŃДз UPS Ń ĐŸŃŃлДжОĐČĐ°ĐœĐžĐ”ĐŒ ĐŒĐ”ŃŃĐŸĐżĐŸĐ»ĐŸĐ¶Đ”ĐœĐžŃ ĐżĐŸŃŃĐ»ĐșĐž Đž ĐŸŃĐłŃŃĐ·ĐșĐž бДз ĐŸĐ±ŃĐ·Đ°ŃДлŃĐœĐŸĐč ĐżĐŸĐŽĐżĐžŃĐž. ĐŃĐž ĐČŃĐ±ĐŸŃĐ” ĐŽĐŸŃŃĐ°ĐČĐșĐž ŃĐ”ŃДз UPS Extra Ń ĐŸĐ±ŃĐ·Đ°ŃДлŃĐœĐŸĐč ĐżĐŸĐŽĐżĐžŃŃŃ, Ń ĐĐ°Ń Đ±ŃĐŽĐ”Ń ĐČĐ·ĐžĐŒĐ°ŃŃŃŃ ĐŽĐŸĐżĐŸĐ»ĐœĐžŃДлŃĐœĐ°Ń ĐżĐ»Đ°ŃĐ°. ĐĐ”ŃДЎ ĐČŃĐ±ĐŸŃĐŸĐŒ ŃĐżĐŸŃĐŸĐ±Đ° ĐŽĐŸŃŃĐ°ĐČĐșĐž, ĐżŃĐŸŃĐžĐŒ ŃĐČŃĐ·Đ°ŃŃŃŃ Ń ĐœĐ°ĐŒĐž. ĐĐœĐ” Đ·Đ°ĐČĐžŃĐžĐŒĐŸŃŃĐž ĐŸŃ ĐČŃбŃĐ°ĐœĐœĐŸĐłĐŸ ĐĐ°ĐŒĐž ŃĐżĐŸŃĐŸĐ±Đ° ĐŸĐżĐ»Đ°ŃŃ, ĐŃ ŃĐŒĐŸĐ¶Đ”ŃĐ” ĐŸŃŃлДжОĐČĐ°ŃŃ ŃĐŸŃŃĐŸŃĐœĐžĐ” ĐĐ°ŃĐ”ĐłĐŸ Đ·Đ°ĐșĐ°Đ·Đ° ĐŸĐœĐ»Đ°ĐčĐœ.</p><p>ĐĄŃĐŸĐžĐŒĐŸŃŃŃ ĐŽĐŸŃŃĐ°ĐČĐșĐž ĐČĐșĐ»ŃŃĐ°Đ”Ń ĐČ ŃĐ”Đ±Ń ŃĐ°ŃŃ
ĐŸĐŽŃ ĐœĐ° ĐŸĐ±ŃĐ°Đ±ĐŸŃĐșŃ, ŃпаĐșĐŸĐČĐșŃ Đž ĐżĐŸŃŃĐŸĐČŃĐ” ŃĐ°ŃŃ
ĐŸĐŽŃ. ĐĐ°ŃŃĐ°ŃŃ ĐœĐ° ĐŸĐ±ŃĐ°Đ±ĐŸŃĐșŃ ŃĐžĐșŃĐžŃĐŸĐČĐ°ĐœŃ, ĐČ ŃĐŸ ĐČŃĐ”ĐŒŃ ĐșĐ°Đș ŃĐ°ŃŃ
ĐŸĐŽŃ ĐœĐ° ŃŃĐ°ĐœŃĐżĐŸŃŃĐžŃĐŸĐČĐșŃ ĐŒĐŸĐłŃŃ ĐČĐ°ŃŃĐžŃĐŸĐČĐ°ŃŃŃŃ ĐČ Đ·Đ°ĐČĐžŃĐžĐŒĐŸŃŃĐž ĐŸŃ ĐČĐ”ŃĐ° ĐżĐŸŃŃĐ»ĐșĐž. ĐŃ ŃĐŸĐČĐ”ŃŃĐ”ĐŒ ĐĐ°ĐŒ ĐŸĐ±ŃĐ”ĐŽĐžĐœŃŃŃ Đ·Đ°ĐșĐ°Đ·Ń. ĐŃ ĐœĐ” ŃĐŒĐŸĐ¶Đ”ĐŒ ĐŸĐ±ŃĐ”ĐŽĐžĐœĐžŃŃ ĐŽĐČĐ° ĐŸŃЎДлŃĐœŃŃ
Đ·Đ°ĐșĐ°Đ·Đ° Đž ĐŽĐŸŃŃĐ°ĐČĐșĐ° бŃĐŽĐ”Ń ŃĐ°ŃŃĐžŃĐ°ĐœĐ° ĐŽĐ»Ń ĐșĐ°Đ¶ĐŽĐŸĐłĐŸ Оз ĐœĐžŃ
. ĐŃĐżŃĐ°ĐČĐșĐ° ŃĐŸĐČĐ°ŃĐ° бŃĐŽĐ”Ń ĐœĐ° ĐĐ°ŃĐ”Đč ĐŸŃĐČĐ”ŃŃŃĐČĐ”ĐœĐœĐŸŃŃĐž, ĐœĐŸ ĐŒŃ ĐżĐŸĐ·Đ°Đ±ĐŸŃĐžĐŒŃŃ ĐŸ ŃĐŸŃ
ŃĐ°ĐœĐœĐŸŃŃĐž Ń
ŃŃĐżĐșĐžŃ
ĐłŃŃĐ·ĐŸĐČ.<br /><br />ĐĐŸŃĐŸĐ±ĐșĐž ĐŸĐżŃĐžĐŒĐ°Đ»ŃĐœĐŸĐłĐŸ ŃĐ°Đ·ĐŒĐ”ŃĐ° Đž Ń Ń
ĐŸŃĐŸŃĐžĐŒ ĐșŃĐŸĐČĐœĐ”ĐŒ Đ·Đ°ŃĐžŃŃ.</p>
+ delivery
+
+
+ ĐŃĐ°ĐČĐŸĐČĐŸĐ” ĐżĐŸĐ»ĐŸĐ¶Đ”ĐœĐžĐ”
+ ĐŃĐ°ĐČĐŸĐČĐŸĐ” ĐżĐŸĐ»ĐŸĐ¶Đ”ĐœĐže
+ ĐżŃĐ°ĐČĐŸĐČĐŸĐ” ĐżĐŸĐ»ĐŸĐ¶Đ”ĐœĐžĐ”, ĐżŃĐ°ĐČĐ°
+ <h2>ĐŃĐ°ĐČĐŸĐČĐŸĐ” ĐżĐŸĐ»ĐŸĐ¶Đ”ĐœĐžĐ”</h2><p>ĐŃĐŸĐžĐ·ĐČĐŸĐŽŃŃĐČĐŸ:</p><p>ĐŃĐŸŃ ŃĐ°ĐčŃ Đ±ŃĐ» ŃĐŸĐ·ĐŽĐ°Đœ ĐœĐ° <a href="http://www.prestashop.com">PrestaShop</a>™ ĐĐ Ń ĐŸŃĐșŃŃŃŃĐŒ ĐŽĐŸŃŃŃĐżĐŸĐŒ </p>
+ legal-notice
+
+
+ ĐĐŸŃŃĐŽĐŸĐș Đž ŃŃĐ»ĐŸĐČĐžŃ ĐžŃĐżĐŸĐ»ŃĐ·ĐŸĐČĐ°ĐœĐžŃ
+ ĐĐŸŃŃĐŽĐŸĐș Đž ŃŃĐ»ĐŸĐČĐžŃ ĐžŃĐżĐŸĐ»ŃĐ·ĐŸĐČĐ°ĐœĐžŃ
+ ŃŃĐ»ĐŸĐČĐžŃ, ĐżĐŸŃŃĐŽĐŸĐș, ĐžŃĐżĐŸĐ»ŃĐ·ĐŸĐČĐ°ĐœĐžĐ”, ĐżŃĐŸĐŽĐ°Đ¶Đ°
+ <h2>ĐĐŸŃŃĐŽĐŸĐș Đž ŃŃĐ»ĐŸĐČĐžŃ ĐžŃĐżĐŸĐ»ŃĐ·ĐŸĐČĐ°ĐœĐžŃ</h2><h3>ĐŃĐ°ĐČĐžĐ»ĐŸ 1</h3><p>ĐŃĐŸŃĐžŃĐ°ĐčŃĐ” ĐżŃĐ°ĐČĐžĐ»ĐŸ 1 </p>
+<h3>ĐŃĐ°ĐČĐžĐ»ĐŸ 2</h3><p> ĐŃĐŸŃĐžŃĐ°ĐčŃĐ” ĐżŃĐ°ĐČĐžĐ»ĐŸ 2 </p>
+<h3>ĐŃĐ°ĐČĐžĐ»ĐŸ 3</h3><p>ĐŃĐŸŃĐžŃĐ°ĐčŃĐ” ĐżŃĐ°ĐČĐžĐ»ĐŸ 3 </p>
+ terms-and-conditions-of-use
+
+
+ Đ ĐșĐŸĐŒĐżĐ°ĐœĐžĐž
+ ĐĐœŃĐŸŃĐŒĐ°ŃĐžŃ ĐŸ ĐșĐŸĐŒĐżĐ°ĐœĐžĐž
+ ĐŸ ĐœĐ°Ń, ĐžĐœŃĐŸŃĐŒĐ°ŃĐžŃ
+ <h2>Đ ĐșĐŸĐŒĐżĐ°ĐœĐžĐž</h2>
+<h3>ĐĐ°ŃĐ° ĐșĐŸĐŒĐżĐ°ĐœĐžŃ</h3><p>ĐĐ°ŃĐ° ĐșĐŸĐŒĐżĐ°ĐœĐžŃ</p>
+<h3>ĐĐ°ŃĐ° ĐșĐŸĐŒĐ°ĐœĐŽĐ°</h3><p>ĐĐ°ŃĐ° ĐșĐŸĐŒĐ°ĐœĐŽĐ°</p>
+<h3>ĐĐœŃĐŸŃĐŒĐ°ŃĐžŃ</h3><p>ĐĐœŃĐŸŃĐŒĐ°ŃĐžŃ</p>
+ about-us
+
+
+ ĐĐ”Đ·ĐŸĐżĐ°ŃĐœĐŸŃŃŃ ĐżĐ»Đ°ŃДжДĐč
+ ĐĐ”Đ·ĐŸĐżĐ°ŃĐœĐŸŃŃŃ ĐżĐ»Đ°ŃДжДĐč
+ Đ±Đ”Đ·ĐŸĐżĐ°ŃĐœŃĐč плаŃДж, ssl, visa, mastercard, paypal
+ <h2>ĐĐ”Đ·ĐŸĐżĐ°ŃĐœĐŸŃŃŃ ĐżĐ»Đ°ŃДжДĐč</h2>
+<h3>ĐĐ”Đ·ĐŸĐżĐ°ŃĐœŃĐč плаŃДж</h3><p>ĐĄ ĐžŃĐżĐŸĐ»ŃĐ·ĐŸĐČĐ°ĐœĐžĐ”ĐŒ SSL</p>
+<h3>ĐŃĐżĐŸĐ»ŃĐ·ĐŸĐČĐ°ĐœĐžĐ” Visa/Mastercard/Paypal</h3><p>Đб ŃŃĐŸĐŒ ŃĐ”ŃĐČĐžŃĐ”</p>
+ secure-payment
+
+
diff --git a/_install/langs/ru/data/cms_category.xml b/_install/langs/ru/data/cms_category.xml
new file mode 100644
index 00000000..6b209086
--- /dev/null
+++ b/_install/langs/ru/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ ĐлаĐČĐœĐ°Ń
+
+ home
+
+
+
+
+
diff --git a/_install/langs/ru/data/configuration.xml b/_install/langs/ru/data/configuration.xml
new file mode 100644
index 00000000..c0ee0a90
--- /dev/null
+++ b/_install/langs/ru/data/configuration.xml
@@ -0,0 +1,24 @@
+
+
+
+ #Đ€Đ
+
+
+ #ĐĐ
+
+
+ #RE
+
+
+ Đ°|Đ”|Đž|ж|ĐŒ|ĐŸ|ĐœĐ°|ĐœĐ”|ĐœĐž|ĐŸĐ±|ĐœĐŸ|ĐŸĐœ|ĐŒĐœĐ”|ĐŒĐŸĐž|ĐŒĐŸĐ¶|ĐŸĐœĐ°|ĐŸĐœĐž|ĐŸĐœĐŸ|ĐŒĐœĐŸĐč|ĐŒĐœĐŸĐłĐŸ|ĐŒĐœĐŸĐłĐŸŃĐžŃĐ»Đ”ĐœĐœĐŸĐ”|ĐŒĐœĐŸĐłĐŸŃĐžŃĐ»Đ”ĐœĐœĐ°Ń|ĐŒĐœĐŸĐłĐŸŃĐžŃĐ»Đ”ĐœĐœŃĐ”|ĐŒĐœĐŸĐłĐŸŃĐžŃĐ»Đ”ĐœĐœŃĐč|ĐŒĐœĐŸŃ|ĐŒĐŸĐč|ĐŒĐŸĐł|ĐŒĐŸĐłŃŃ|ĐŒĐŸĐ¶ĐœĐŸ|ĐŒĐŸĐ¶Đ”Ń|ĐŒĐŸĐ¶Ń
ĐŸ|ĐŒĐŸŃ|ĐŒĐŸŃ|ĐŒĐŸŃ|ĐŒĐŸŃŃ|ĐœĐ°ĐŽ|ĐœĐ”Đ”|ĐŸĐ±Đ°|ĐœĐ°ĐŒ|ĐœĐ”ĐŒ|ĐœĐ°ĐŒĐž|ĐœĐžĐŒĐž|ĐŒĐžĐŒĐŸ|ĐœĐ”ĐŒĐœĐŸĐłĐŸ|ĐŸĐŽĐœĐŸĐč|ĐŸĐŽĐœĐŸĐłĐŸ|ĐŒĐ”ĐœĐ”Đ”|ĐŸĐŽĐœĐ°Đ¶ĐŽŃ|ĐŸĐŽĐœĐ°ĐșĐŸ|ĐŒĐ”ĐœŃ|ĐœĐ”ĐŒŃ|ĐŒĐ”ĐœŃŃĐ”|ĐœĐ”Đč|ĐœĐ°ĐČĐ”ŃŃ
Ń|ĐœĐ”ĐłĐŸ|ĐœĐžĐ¶Đ”|ĐŒĐ°Đ»ĐŸ|ĐœĐ°ĐŽĐŸ|ĐŸĐŽĐžĐœ|ĐŸĐŽĐžĐœĐœĐ°ĐŽŃĐ°ŃŃ|ĐŸĐŽĐžĐœĐœĐ°ĐŽŃĐ°ŃŃĐč|ĐœĐ°Đ·Đ°ĐŽ|ĐœĐ°ĐžĐ±ĐŸĐ»Đ”Đ”|ĐœĐ”ĐŽĐ°ĐČĐœĐŸ|ĐŒĐžĐ»Đ»ĐžĐŸĐœĐŸĐČ|ĐœĐ”ĐŽĐ°Đ»Đ”ĐșĐŸ|ĐŒĐ”Đ¶ĐŽŃ|ĐœĐžĐ·ĐșĐŸ|ĐŒĐ”Đ»Ń|ĐœĐ”Đ»ŃĐ·Ń|ĐœĐžĐ±ŃĐŽŃ|ĐœĐ”ĐżŃĐ”ŃŃĐČĐœĐŸ|ĐœĐ°ĐșĐŸĐœĐ”Ń|ĐœĐžĐșĐŸĐłĐŽĐ°|ĐœĐžĐșŃĐŽĐ°|ĐœĐ°Ń|ĐœĐ°Ń|ĐœĐ”Ń|ĐœĐ”Ń|ĐœĐ”Ń|ĐœĐžŃ
|ĐŒĐžŃĐ°|ĐœĐ°ŃĐ°|ĐœĐ°ŃĐ”|ĐœĐ°ŃĐž|ĐœĐžŃĐ”ĐłĐŸ|ĐœĐ°Ńала|ĐœĐ”ŃДЎĐșĐŸ|ĐœĐ”ŃĐșĐŸĐ»ŃĐșĐŸ|ĐŸĐ±ŃŃĐœĐŸ|ĐŸĐżŃŃŃ|ĐŸĐșĐŸĐ»ĐŸ|ĐŒŃ|ĐœŃ|ĐœŃ
|ĐŸŃ|ĐŸŃĐŸĐČŃŃĐŽŃ|ĐŸŃĐŸĐ±Đ”ĐœĐœĐŸ|ĐœŃĐ¶ĐœĐŸ|ĐŸŃĐ”ĐœŃ|ĐŸŃŃŃĐŽĐ°|ĐČ|ĐČĐŸ|ĐČĐŸĐœ|ĐČĐœĐžĐ·|ĐČĐœĐžĐ·Ń|ĐČĐŸĐșŃŃĐł|ĐČĐŸŃ|ĐČĐŸŃĐ”ĐŒĐœĐ°ĐŽŃĐ°ŃŃ|ĐČĐŸŃĐ”ĐŒĐœĐ°ĐŽŃĐ°ŃŃĐč|ĐČĐŸŃĐ”ĐŒŃ|ĐČĐŸŃŃĐŒĐŸĐč|ĐČĐČĐ”ŃŃ
|ĐČĐ°ĐŒ|ĐČĐ°ĐŒĐž|ĐČĐ°Đ¶ĐœĐŸĐ”|ĐČĐ°Đ¶ĐœĐ°Ń|ĐČĐ°Đ¶ĐœŃĐ”|ĐČĐ°Đ¶ĐœŃĐč|ĐČЎалО|ĐČДзЎД|ĐČДЎŃ|ĐČĐ°Ń|ĐČĐ°Ń|ĐČĐ°ŃĐ°|ĐČĐ°ŃĐ”|ĐČĐ°ŃĐž|ĐČĐżŃĐŸŃĐ”ĐŒ|ĐČĐ”ŃŃ|ĐČĐŽŃŃĐł|ĐČŃ|ĐČŃĐ”|ĐČŃĐŸŃĐŸĐč|ĐČŃĐ”ĐŒ|ĐČŃĐ”ĐŒĐž|ĐČŃĐ”ĐŒĐ”ĐœĐž|ĐČŃĐ”ĐŒŃ|ĐČŃĐ”ĐŒŃ|ĐČŃĐ”ĐłĐŸ|ĐČŃДгЎа|ĐČŃĐ”Ń
|ĐČŃĐ”Ń|ĐČŃŃ|ĐČŃŃ|ĐČŃŃ|ĐČŃŃĐŽŃ|Đł|ĐłĐŸĐŽ|ĐłĐŸĐČĐŸŃОл|ĐłĐŸĐČĐŸŃĐžŃ|ĐłĐŸĐŽĐ°|ĐłĐŸĐŽŃ|гЎД|ĐŽĐ°|ДД|Đ·Đ°|Оз|лО|жД|ĐžĐŒ|ĐŽĐŸ|ĐżĐŸ|ĐžĐŒĐž|ĐżĐŸĐŽ|ĐžĐœĐŸĐłĐŽĐ°|ĐŽĐŸĐČĐŸĐ»ŃĐœĐŸ|ĐžĐŒĐ”ĐœĐœĐŸ|ĐŽĐŸĐ»ĐłĐŸ|ĐżĐŸĐ·Đ¶Đ”|Đ±ĐŸĐ»Đ”Đ”|ĐŽĐŸĐ»Đ¶ĐœĐŸ|ĐżĐŸĐ¶Đ°Đ»ŃĐčŃŃĐ°|Đ·ĐœĐ°ŃĐžŃ|ĐžĐŒĐ”ŃŃ|Đ±ĐŸĐ»ŃŃĐ”|ĐżĐŸĐșĐ°|Đ”ĐŒŃ|ĐžĐŒŃ|ĐżĐŸŃ|ĐżĐŸŃĐ°|ĐżĐŸŃĐŸĐŒ|ĐżĐŸŃĐŸĐŒŃ|ĐżĐŸŃлД|ĐżĐŸŃĐ”ĐŒŃ|ĐżĐŸŃŃĐž|ĐżĐŸŃŃДЎО|Đ”Đč|ĐŽĐČĐ°|ĐŽĐČĐ”|ĐŽĐČĐ”ĐœĐ°ĐŽŃĐ°ŃŃ|ĐŽĐČĐ”ĐœĐ°ĐŽŃĐ°ŃŃĐč|ĐŽĐČĐ°ĐŽŃĐ°ŃŃ|ĐŽĐČĐ°ĐŽŃĐ°ŃŃĐč|ĐŽĐČŃŃ
|Đ”ĐłĐŸ|ЎДл|ОлО|бДз|ĐŽĐ”ĐœŃ|Đ·Đ°ĐœŃŃ|Đ·Đ°ĐœŃŃĐ°|Đ·Đ°ĐœŃŃĐŸ|Đ·Đ°ĐœŃŃŃ|ĐŽĐ”ĐčŃŃĐČĐžŃДлŃĐœĐŸ|ĐŽĐ°ĐČĐœĐŸ|ĐŽĐ”ĐČŃŃĐœĐ°ĐŽŃĐ°ŃŃ|ĐŽĐ”ĐČŃŃĐœĐ°ĐŽŃĐ°ŃŃĐč|ĐŽĐ”ĐČŃŃŃ|ĐŽĐ”ĐČŃŃŃĐč|ЎажД|Đ°Đ»Đ»ĐŸ|Đ¶ĐžĐ·ĐœŃ|ЎалДĐșĐŸ|блОзĐșĐŸ|Đ·ĐŽĐ”ŃŃ|ĐŽĐ°Đ»ŃŃĐ”|ĐŽĐ»Ń|лДŃ|Đ·Đ°ŃĐŸ|ĐŽĐ°ŃĐŸĐŒ|пДŃĐČŃĐč|пДŃДЎ|Đ·Đ°ŃĐ”ĐŒ|Đ·Đ°ŃĐ”ĐŒ|лОŃŃ|ĐŽĐ”ŃŃŃŃ|ĐŽĐ”ŃŃŃŃĐč|Đ”Ń|Đ”Ń|ĐžŃ
|бŃ|Đ”ŃĐ”|ĐżŃĐž|бŃĐ»|ĐżŃĐŸ|ĐżŃĐŸŃĐ”ĐœŃĐŸĐČ|ĐżŃĐŸŃĐžĐČ|ĐżŃĐŸŃŃĐŸ|бŃĐČĐ°Đ”Ń|бŃĐČŃ|Đ”ŃлО|Đ»ŃĐŽĐž|бŃла|бŃлО|бŃĐ»ĐŸ|бŃĐŽĐ”ĐŒ|бŃĐŽĐ”Ń|бŃĐŽĐ”ŃĐ”|бŃĐŽĐ”ŃŃ|ĐżŃĐ”ĐșŃĐ°ŃĐœĐŸ|бŃĐŽŃ|бŃĐŽŃ|бŃĐŽŃĐŸ|бŃĐŽŃŃ|Đ”ŃŃ|ĐżŃŃĐœĐ°ĐŽŃĐ°ŃŃ|ĐżŃŃĐœĐ°ĐŽŃĐ°ŃŃĐč|ĐŽŃŃĐłĐŸ|ĐŽŃŃĐłĐŸĐ”|ĐŽŃŃĐłĐŸĐč|ĐŽŃŃгОД|ĐŽŃŃгаŃ|ĐŽŃŃгОŃ
|Đ”ŃŃŃ|ĐżŃŃŃ|бŃŃŃ|Đ»ŃŃŃĐ”|ĐżŃŃŃĐč|Đș|ĐșĐŸĐŒ|ĐșĐŸĐœĐ”ŃĐœĐŸ|ĐșĐŸĐŒŃ|ĐșĐŸĐłĐŸ|ĐșĐŸĐłĐŽĐ°|ĐșĐŸŃĐŸŃĐŸĐč|ĐșĐŸŃĐŸŃĐŸĐłĐŸ|ĐșĐŸŃĐŸŃĐ°Ń|ĐșĐŸŃĐŸŃŃĐ”|ĐșĐŸŃĐŸŃŃĐč|ĐșĐŸŃĐŸŃŃŃ
|ĐșĐ”ĐŒ|ĐșĐ°Đ¶ĐŽĐŸĐ”|ĐșажЎаŃ|ĐșажЎŃĐ”|ĐșажЎŃĐč|ĐșажДŃŃŃ|ĐșĐ°Đș|ĐșĐ°ĐșĐŸĐč|ĐșĐ°ĐșĐ°Ń|ĐșŃĐŸ|ĐșŃĐŸĐŒĐ”|ĐșŃĐŽĐ°|ĐșŃŃĐłĐŸĐŒ|Ń|Ń|Ń|Ń|ŃĐ°|ŃĐ”|Ńж|ŃĐŸ|ŃĐŸ|ŃĐŸĐŒ|ŃĐœĐŸĐČĐ°|ŃĐŸĐŒŃ|ŃĐŸĐČŃĐ”ĐŒ|ŃĐŸĐłĐŸ|ŃĐŸĐłĐŽĐ°|ŃĐŸĐ¶Đ”|ŃĐŸĐ±ĐŸĐč|ŃĐŸĐ±ĐŸĐč|ŃĐŸĐ±ĐŸŃ|ŃĐŸĐ±ĐŸŃ|ŃĐœĐ°Ńала|ŃĐŸĐ»ŃĐșĐŸ|ŃĐŒĐ”ŃŃ|ŃĐŸŃ|ŃĐŸŃ|Ń
ĐŸŃĐŸŃĐŸ|Ń
ĐŸŃĐ”ŃŃ|Ń
ĐŸŃĐ”ŃŃ|Ń
ĐŸŃŃ|Ń
ĐŸŃŃ|ŃĐČĐŸĐ”|ŃĐČĐŸĐž|ŃĐČĐŸĐč|ŃĐČĐŸĐ”Đč|ŃĐČĐŸĐ”ĐłĐŸ|ŃĐČĐŸĐžŃ
|ŃĐČĐŸŃ|ŃĐČĐŸŃ|ŃĐČĐŸŃ|ŃĐ°Đ·|ŃжД|ŃĐ°ĐŒ|ŃĐ°ĐŒ|ŃĐ”ĐŒ|ŃĐ”ĐŒ|ŃĐ°ĐŒĐ°|ŃĐ°ĐŒĐž|ŃĐ”ĐŒĐž|ŃĐ°ĐŒĐŸ|ŃĐ°ĐœĐŸ|ŃĐ°ĐŒĐŸĐŒ|ŃĐ°ĐŒĐŸĐŒŃ|ŃĐ°ĐŒĐŸĐč|ŃĐ°ĐŒĐŸĐłĐŸ|ŃĐ”ĐŒĐœĐ°ĐŽŃĐ°ŃŃ|ŃĐ”ĐŒĐœĐ°ĐŽŃĐ°ŃŃĐč|ŃĐ°ĐŒĐžĐŒ|ŃĐ°ĐŒĐžĐŒĐž|ŃĐ°ĐŒĐžŃ
|ŃĐ°ĐŒŃ|ŃĐ”ĐŒŃ|ŃĐ”ĐŒŃ|ŃĐ°ĐœŃŃĐ”|ŃĐ”ĐčŃĐ°Ń|ŃĐ”ĐłĐŸ|ŃĐ”ĐłĐŸĐŽĐœŃ|ŃДбД|ŃДбД|ŃĐ”Đ°ĐŸĐč|ŃĐ”Đ»ĐŸĐČĐ”Đș|ŃĐ°Đ·ĐČĐ”|ŃДпДŃŃ|ŃДбŃ|ŃДбŃ|ŃДЎŃĐŒĐŸĐč|ŃпаŃĐžĐ±ĐŸ|ŃлОŃĐșĐŸĐŒ|ŃĐ°Đș|ŃĐ°ĐșĐŸĐ”|ŃĐ°ĐșĐŸĐč|ŃĐ°ĐșОД|ŃĐ°ĐșжД|ŃĐ°ĐșĐ°Ń|ŃĐžŃ
|ŃĐ”Ń
|ŃĐ°ŃĐ”|ŃĐ”ŃĐČĐ”ŃŃŃĐč|ŃĐ”ŃДз|ŃĐ°ŃŃĐŸ|ŃĐ”ŃŃĐŸĐč|ŃĐ”ŃŃĐœĐ°ĐŽŃĐ°ŃŃ|ŃĐ”ŃŃĐœĐ°ĐŽŃĐ°ŃŃĐč|ŃĐ”ŃŃŃ|ŃĐ”ŃŃŃĐ”|ŃĐ”ŃŃŃĐœĐ°ĐŽŃĐ°ŃŃ|ŃĐ”ŃŃŃĐœĐ°ĐŽŃĐ°ŃŃĐč|ŃĐșĐŸĐ»ŃĐșĐŸ|ŃĐșĐ°Đ·Đ°Đ»|ŃĐșазала|ŃĐșĐ°Đ·Đ°ŃŃ|ŃŃ|ŃŃ|ŃŃĐž|ŃŃĐ°|ŃŃĐž|ŃŃĐŸ|ŃŃĐŸ|ŃŃĐŸĐ±|ŃŃĐŸĐŒ|ŃŃĐŸĐŒŃ|ŃŃĐŸĐč|ŃŃĐŸĐłĐŸ|ŃŃĐŸĐ±Ń|ŃŃĐŸŃ|ŃŃĐ°Đ»|ŃŃĐŽĐ°|ŃŃĐžĐŒ|ŃŃĐžĐŒĐž|ŃŃĐŽĐŸĐŒ|ŃŃĐžĐœĐ°ĐŽŃĐ°ŃŃ|ŃŃĐžĐœĐ°ĐŽŃĐ°ŃŃĐč|ŃŃĐžŃ
|ŃŃĐ”ŃĐžĐč|ŃŃŃ|ŃŃŃ|ŃŃŃŃ|ŃŃŃŃ|ŃŃŃŃŃ
+
+
+ 0
+
+
+ ĐŁĐČĐ°Đ¶Đ°Đ”ĐŒŃĐč ĐżĐŸĐșŃпаŃДлŃ,
+
+ĐĄ ŃĐČĐ°Đ¶Đ”ĐœĐžĐ”ĐŒ,
+ĐĄĐ»Ńжба ĐżĐŸĐŽĐŽĐ”ŃжĐșĐž ĐșĐ»ĐžĐ”ĐœŃĐŸĐČ
+
+
diff --git a/_install/langs/ru/data/contact.xml b/_install/langs/ru/data/contact.xml
new file mode 100644
index 00000000..bb373161
--- /dev/null
+++ b/_install/langs/ru/data/contact.xml
@@ -0,0 +1,9 @@
+
+
+
+ ĐŃлО ĐœĐ° ŃĐ°ĐčŃĐ” ĐČĐŸĐ·ĐœĐžĐșĐœŃŃ ŃĐ”Ń
ĐœĐžŃĐ”ŃĐșОД ĐżŃĐŸĐ±Đ»Đ”ĐŒŃ
+
+
+ ĐĐŸ ĐČŃĐ”ĐŒ ĐČĐŸĐżŃĐŸŃĐ°ĐŒ ĐșĐ°ŃĐ°ŃДлŃĐœĐŸ ŃĐŸĐČĐ°ŃĐŸĐČ ĐžĐ»Đž Đ·Đ°ĐșĐ°Đ·ĐŸĐČ
+
+
diff --git a/_install/langs/ru/data/country.xml b/_install/langs/ru/data/country.xml
new file mode 100644
index 00000000..16954e72
--- /dev/null
+++ b/_install/langs/ru/data/country.xml
@@ -0,0 +1,1011 @@
+
+
+
+ ĐĐČŃŃŃалОŃ
+
+
+
+ ĐĐČŃŃŃĐžŃ
+
+
+
+ ĐĐ·Đ”ŃбаĐčĐŽĐ¶Đ°Đœ
+
+
+
+ ĐĐ»Đ°ĐœĐŽŃĐșОД ĐŸŃŃŃĐŸĐČĐ°
+
+
+
+ ĐĐ»Đ±Đ°ĐœĐžŃ
+
+
+
+ ĐлжОŃ
+
+
+
+ ĐĐŒĐ”ŃĐžĐșĐ°ĐœŃĐșОД ĐĐžŃĐłĐžĐœŃĐșОД ĐŸŃŃŃĐŸĐČĐ°
+
+
+
+ ĐĐŒĐ”ŃĐžĐșĐ°ĐœŃĐșĐŸĐ” ĐĄĐ°ĐŒĐŸĐ°
+
+
+
+ ĐĐœĐłĐžĐ»ŃŃ
+
+
+
+ ĐĐœĐłĐŸĐ»Đ°
+
+
+
+ ĐĐœĐŽĐŸŃŃĐ°
+
+
+
+ ĐĐœŃĐ°ŃĐșŃОЎа
+
+
+
+ ĐĐœŃОгŃĐ° Đž ĐĐ°ŃбŃĐŽĐ°
+
+
+
+ ĐОЎДŃĐ»Đ°ĐœĐŽŃĐșОД ĐĐœŃОлŃŃĐșОД ĐŸŃŃŃĐŸĐČĐ°
+
+
+
+ ĐŃĐłĐ”ĐœŃĐžĐœĐ°
+
+
+
+ ĐŃĐŒĐ”ĐœĐžŃ
+
+
+
+ ĐŃŃба
+
+
+
+ ĐŃĐłĐ°ĐœĐžŃŃĐ°Đœ
+
+
+
+ ĐĐ°ĐłĐ°ĐŒŃ
+
+
+
+ ĐĐ°ĐœĐłĐ»Đ°ĐŽĐ”Ń
+
+
+
+ ĐĐ°ŃĐ±Đ°ĐŽĐŸŃ
+
+
+
+ ĐĐ°Ń
ŃĐ”ĐčĐœ
+
+
+
+ ĐДлОз
+
+
+
+ ĐĐ”Đ»ĐŸŃŃŃŃĐžŃ
+
+
+
+ ĐДлŃгОŃ
+
+
+
+ ĐĐ”ĐœĐžĐœ
+
+
+
+ ĐĐ”ŃĐŒŃĐŽŃ
+
+
+
+ ĐĐŸĐ»ĐłĐ°ŃĐžŃ
+
+
+
+ ĐĐŸĐ»ĐžĐČĐžŃ
+
+
+
+ ĐĐŸĐœŃĐčŃ
+
+
+
+ ĐĐŸŃĐœĐžŃ Đž ĐĐ”ŃŃĐ”ĐłĐŸĐČĐžĐœĐ°
+
+
+
+ ĐĐŸŃŃĐČĐ°ĐœĐ°
+
+
+
+ ĐŃазОлОŃ
+
+
+
+ ĐŃĐžŃĐ°ĐœŃĐșĐ°Ń ŃĐ”ŃŃĐžŃĐŸŃĐžŃ ĐČ ĐĐœĐŽĐžĐčŃĐșĐŸĐŒ ĐŸĐșĐ”Đ°ĐœĐ”
+
+
+
+ ĐŃĐžŃĐ°ĐœŃĐșОД ĐĐžŃĐłĐžĐœŃĐșОД ĐŸŃŃŃĐŸĐČĐ°
+
+
+
+ ĐŃŃĐœĐ”Đč
+
+
+
+ ĐŃŃĐșĐžĐœĐ°-ЀаŃĐŸ
+
+
+
+ ĐŃŃŃĐœĐŽĐž
+
+
+
+ ĐŃŃĐ°Đœ
+
+
+
+ ĐĐ°ĐœŃĐ°ŃŃ
+
+
+
+ ĐĐ°ŃĐžĐșĐ°Đœ
+
+
+
+ ĐДлОĐșĐŸĐ±ŃĐžŃĐ°ĐœĐžŃ
+
+
+
+ ĐĐ”ĐœĐłŃĐžŃ
+
+
+
+ ĐĐ”ĐœĐ”ŃŃŃла
+
+
+
+ ĐĐœĐ”ŃĐœĐžĐ” ĐŒĐ°Đ»ŃĐ” ĐŸŃŃŃĐŸĐČĐ° (ĐĄĐšĐ)
+
+
+
+ ĐĐŸŃŃĐŸŃĐœŃĐč ĐąĐžĐŒĐŸŃ
+
+
+
+ ĐŃĐ”ŃĐœĐ°ĐŒ
+
+
+
+ ĐĐ°Đ±ĐŸĐœ
+
+
+
+ ĐĐ°ĐžŃĐž
+
+
+
+ ĐĐ°ĐčĐ°ĐœĐ°
+
+
+
+ ĐĐ°ĐŒĐ±ĐžŃ
+
+
+
+ ĐĐ°ĐœĐ°
+
+
+
+ ĐĐČаЎДлŃпа
+
+
+
+ ĐĐČĐ°ŃĐ”ĐŒĐ°Đ»Đ°
+
+
+
+ ĐĐČĐžĐ°ĐœĐ°
+
+
+
+ ĐĐČĐžĐœĐ”Ń
+
+
+
+ ĐĐČĐžĐœĐ”Ń-ĐĐžŃĐ°Ń
+
+
+
+ ĐĐ”ŃĐŒĐ°ĐœĐžŃ
+
+
+
+ ĐĐ”ŃĐœŃĐž
+
+
+
+ ĐОбŃĐ°Đ»ŃĐ°Ń
+
+
+
+ ĐĐŸĐœĐŽŃŃĐ°Ń
+
+
+
+ ĐĐŸĐœĐșĐŸĐœĐł
+
+
+
+ ĐŃĐ”ĐœĐ°ĐŽĐ°
+
+
+
+ ĐŃĐ”ĐœĐ»Đ°ĐœĐŽĐžŃ
+
+
+
+ ĐŃĐ”ŃĐžŃ
+
+
+
+ ĐŃŃĐ·ĐžŃ
+
+
+
+ ĐŃĐ°ĐŒ
+
+
+
+ ĐĐ°ĐœĐžŃ
+
+
+
+ ĐжДŃŃĐž
+
+
+
+ ĐжОбŃŃĐž
+
+
+
+ ĐĐŸĐŒĐžĐœĐžĐșĐ°
+
+
+
+ ĐĐŸĐŒĐžĐœĐžĐșĐ°ĐœŃĐșĐ°Ń Đ Đ”ŃĐżŃблОĐșĐ°
+
+
+
+ ĐĐ ĐĐŸĐœĐłĐŸ
+
+
+
+ ĐĐČŃĐŸĐżĐ”ĐčŃĐșĐžĐč ŃĐŸŃĐ·
+
+
+
+ ĐгОпДŃ
+
+
+
+ ĐĐ°ĐŒĐ±ĐžŃ
+
+
+
+ ĐĐ°ĐżĐ°ĐŽĐœĐ°Ń ĐĄĐ°Ń
Đ°ŃĐ°
+
+
+
+ ĐĐžĐŒĐ±Đ°Đ±ĐČĐ”
+
+
+
+ ĐĐ·ŃаОлŃ
+
+
+
+ ĐĐœĐŽĐžŃ
+
+
+
+ ĐĐœĐŽĐŸĐœĐ”Đ·ĐžŃ
+
+
+
+ ĐĐŸŃĐŽĐ°ĐœĐžŃ
+
+
+
+ ĐŃĐ°Đș
+
+
+
+ ĐŃĐ°Đœ
+
+
+
+ ĐŃĐ»Đ°ĐœĐŽĐžŃ
+
+
+
+ ĐŃĐ»Đ°ĐœĐŽĐžŃ
+
+
+
+ ĐŃĐżĐ°ĐœĐžŃ
+
+
+
+ ĐŃалОŃ
+
+
+
+ ĐĐ”ĐŒĐ”Đœ
+
+
+
+ ĐĐ°Đ±ĐŸ-ĐĐ”ŃĐŽĐ”
+
+
+
+ ĐĐ°Đ·Đ°Ń
ŃŃĐ°Đœ
+
+
+
+ ĐĐ°ĐčĐŒĐ°ĐœĐŸĐČŃ ĐŸŃŃŃĐŸĐČĐ°
+
+
+
+ ĐĐ°ĐŒĐ±ĐŸĐŽĐ¶Đ°
+
+
+
+ ĐĐ°ĐŒĐ”ŃŃĐœ
+
+
+
+ ĐĐ°ĐœĐ°ĐŽĐ°
+
+
+
+ ĐĐ°ŃĐ°Ń
+
+
+
+ ĐĐ”ĐœĐžŃ
+
+
+
+ ĐОпŃ
+
+
+
+ ĐĐžŃгОзОŃ
+
+
+
+ ĐĐžŃОбаŃĐž
+
+
+
+ ĐĐžŃĐ°ĐčŃĐșĐ°Ń Đ Đ”ŃĐżŃблОĐșĐ°
+
+
+
+ ĐĐĐĐ
+
+
+
+ ĐĐĐ
+
+
+
+ ĐĐŸĐșĐŸŃĐŸĐČŃĐ” ĐŸŃŃŃĐŸĐČĐ°
+
+
+
+ ĐĐŸĐ»ŃĐŒĐ±ĐžŃ
+
+
+
+ ĐĐŸĐŒĐŸŃŃ
+
+
+
+ ĐĐŸŃŃĐ°-Đ ĐžĐșĐ°
+
+
+
+ ĐĐŸŃ-ĐŽ'ĐĐČŃĐ°Ń
+
+
+
+ ĐŃба
+
+
+
+ ĐŃĐČĐ”ĐčŃ
+
+
+
+ ĐŃŃĐ°ŃĐ°ĐŸ
+
+
+
+ ĐĐ°ĐŸŃ
+
+
+
+ ĐĐ°ŃĐČĐžŃ
+
+
+
+ ĐĐ”ŃĐŸŃĐŸ
+
+
+
+ ĐОбДŃĐžŃ
+
+
+
+ ĐĐžĐČĐ°Đœ
+
+
+
+ ĐĐžĐČĐžŃ
+
+
+
+ ĐĐžŃĐČĐ°
+
+
+
+ ĐĐžŃ
ŃĐ”ĐœŃŃĐ”ĐčĐœ
+
+
+
+ ĐŃĐșŃĐ”ĐŒĐ±ŃŃĐł
+
+
+
+ ĐĐ°ĐČŃĐžĐșĐžĐč
+
+
+
+ ĐĐ°ĐČŃĐžŃĐ°ĐœĐžŃ
+
+
+
+ ĐаЎагаŃĐșĐ°Ń
+
+
+
+ ĐĐ°ĐčĐŸŃŃĐ°
+
+
+
+ ĐĐ°ĐșĐ°ĐŸ
+
+
+
+ ĐĐ°ĐșĐ”ĐŽĐŸĐœĐžŃ
+
+
+
+ ĐалаĐČĐž
+
+
+
+ ĐалаĐčĐ·ĐžŃ
+
+
+
+ ĐалО
+
+
+
+ ĐĐ°Đ»ŃĐŽĐžĐČŃ
+
+
+
+ ĐĐ°Đ»ŃŃĐ°
+
+
+
+ ĐĐ°ŃĐŸĐșĐșĐŸ
+
+
+
+ ĐĐ°ŃŃĐžĐœĐžĐșĐ°
+
+
+
+ ĐĐ°ŃŃĐ°Đ»Đ»ĐŸĐČŃ ĐŃŃŃĐŸĐČĐ°
+
+
+
+ ĐĐ”ĐșŃĐžĐșĐ°
+
+
+
+ ĐĐžĐșŃĐŸĐœĐ”Đ·ĐžŃ
+
+
+
+ ĐĐŸĐ·Đ°ĐŒĐ±ĐžĐș
+
+
+
+ ĐĐŸĐ»ĐŽĐ°ĐČĐžŃ
+
+
+
+ ĐĐŸĐœĐ°ĐșĐŸ
+
+
+
+ ĐĐŸĐœĐłĐŸĐ»ĐžŃ
+
+
+
+ ĐĐŸĐœŃŃĐ”ŃŃĐ°Ń
+
+
+
+ ĐŃŃĐœĐŒĐ°
+
+
+
+ ĐĐ°ĐŒĐžĐ±ĐžŃ
+
+
+
+ ĐĐ°ŃŃŃ
+
+
+
+ ĐДпал
+
+
+
+ ĐОгДŃ
+
+
+
+ ĐОгДŃĐžŃ
+
+
+
+ ĐОЎДŃĐ»Đ°ĐœĐŽŃ
+
+
+
+ ĐĐžĐșĐ°ŃĐ°ĐłŃĐ°
+
+
+
+ ĐĐžŃŃ
+
+
+
+ ĐĐŸĐČĐ°Ń ĐĐ”Đ»Đ°ĐœĐŽĐžŃ
+
+
+
+ ĐĐŸĐČĐ°Ń ĐĐ°Đ»Đ”ĐŽĐŸĐœĐžŃ
+
+
+
+ ĐĐŸŃĐČДгОŃ
+
+
+
+ ĐĐĐ
+
+
+
+ ĐĐŒĐ°Đœ
+
+
+
+ ĐŃŃŃĐŸĐČ ĐŃĐČĐ”
+
+
+
+ ĐŃŃŃĐŸĐČ ĐŃĐœ
+
+
+
+ ĐŃŃŃĐŸĐČĐ° ĐŃĐșĐ°
+
+
+
+ ĐŃŃŃĐŸĐČ ĐĐŸŃŃĐŸĐ»Đș
+
+
+
+ ĐŃŃŃĐŸĐČ Đ ĐŸĐ¶ĐŽĐ”ŃŃĐČĐ°
+
+
+
+ ĐŃŃŃĐŸĐČĐ° ĐĐžŃĐșŃŃĐœ
+
+
+
+ ĐŃŃŃĐŸĐČĐ° ĐĄĐČŃŃĐŸĐč ĐĐ»Đ”ĐœŃ
+
+
+
+ ĐĐ°ĐșĐžŃŃĐ°Đœ
+
+
+
+ ĐалаŃ
+
+
+
+ ĐĐŸŃŃĐŽĐ°ŃŃŃĐČĐŸ ĐалДŃŃĐžĐœĐ°
+
+
+
+ ĐĐ°ĐœĐ°ĐŒĐ°
+
+
+
+ ĐĐ°ĐżŃĐ° â ĐĐŸĐČĐ°Ń ĐĐČĐžĐœĐ”Ń
+
+
+
+ ĐĐ°ŃĐ°ĐłĐČĐ°Đč
+
+
+
+ ĐĐ”ŃŃ
+
+
+
+ ĐĐŸĐ»ŃŃĐ°
+
+
+
+ ĐĐŸŃŃŃгалОŃ
+
+
+
+ ĐŃŃŃŃĐŸ-Đ ĐžĐșĐŸ
+
+
+
+ Đ Đ”ŃĐżŃблОĐșĐ° ĐĐŸĐœĐłĐŸ
+
+
+
+ Đ Đ”ŃĐżŃблОĐșĐ° ĐĐŸŃĐ”Ń
+
+
+
+ Đ Đ”ŃĐœŃĐŸĐœ
+
+
+
+ Đ ĐŸŃŃĐžŃ
+
+
+
+ Đ ŃĐ°ĐœĐŽĐ°
+
+
+
+ Đ ŃĐŒŃĐœĐžŃ
+
+
+
+ ĐĄĐ°Đ»ŃĐČĐ°ĐŽĐŸŃ
+
+
+
+ ĐĄĐ°ĐŒĐŸĐ°
+
+
+
+ ĐĄĐ°Đœ-ĐĐ°ŃĐžĐœĐŸ
+
+
+
+ ĐĄĐ°Đœ-ĐąĐŸĐŒĐ” Đž ĐŃĐžĐœŃОпО
+
+
+
+ ĐĄĐ°ŃĐŽĐŸĐČŃĐșĐ°Ń ĐŃĐ°ĐČĐžŃ
+
+
+
+ ĐĄĐČĐ°Đ·ĐžĐ»Đ”ĐœĐŽ
+
+
+
+ ĐĄĐ”ĐČĐ”ŃĐœŃĐ” ĐĐ°ŃĐžĐ°ĐœŃĐșОД ĐŸŃŃŃĐŸĐČĐ°
+
+
+
+ ĐĄĐ”ĐčŃДлŃŃĐșОД ĐŃŃŃĐŸĐČĐ°
+
+
+
+ ĐĄĐ”Đœ-ĐĐ°ŃŃĐ”Đ»Đ”ĐŒĐž
+
+
+
+ ĐĄĐ”Đœ-ĐĐ°ŃŃĐ”Đœ
+
+
+
+ ĐĄĐ”Đœ-ĐŃĐ”Ń Đž ĐĐžĐșĐ”Đ»ĐŸĐœ
+
+
+
+ ĐĄĐ”ĐœĐ”ĐłĐ°Đ»
+
+
+
+ ĐĄĐ”ĐœŃ-ĐĐžĐœŃĐ”ĐœŃ Đž ĐŃĐ”ĐœĐ°ĐŽĐžĐœŃ
+
+
+
+ ĐĄĐ”ĐœŃ-ĐĐžŃŃ Đž ĐĐ”ĐČĐžŃ
+
+
+
+ ĐĄĐ”ĐœŃ-ĐŃŃĐžŃ
+
+
+
+ ĐĄĐ”ŃбОŃ
+
+
+
+ ĐĄĐžĐœĐłĐ°ĐżŃŃ
+
+
+
+ ĐĄĐžĐœŃ-ĐĐ°ŃŃĐ”Đœ
+
+
+
+ ĐĄĐžŃĐžŃ
+
+
+
+ ĐĄĐ»ĐŸĐČĐ°ĐșĐžŃ
+
+
+
+ ĐĄĐ»ĐŸĐČĐ”ĐœĐžŃ
+
+
+
+ ĐĄĐŸĐ»ĐŸĐŒĐŸĐœĐŸĐČŃ ĐŃŃŃĐŸĐČĐ°
+
+
+
+ ĐĄĐŸĐŒĐ°Đ»Đž
+
+
+
+ ĐĄŃĐŽĐ°Đœ
+
+
+
+ ĐĄĐĄĐĄĐ (ĐŽĐŸŃĐ”ĐœŃŃбŃŃ1992 ĐłĐŸĐŽĐ°)
+
+
+
+ ĐĄŃŃĐžĐœĐ°ĐŒ
+
+
+
+ ĐĄĐšĐ
+
+
+
+ ĐĄŃĐ”ŃŃĐ°-ĐĐ”ĐŸĐœĐ”
+
+
+
+ йаЎжОĐșĐžŃŃĐ°Đœ
+
+
+
+ ĐąĐ°ĐžĐ»Đ°ĐœĐŽ
+
+
+
+ ĐąĐ°ĐœĐ·Đ°ĐœĐžŃ
+
+
+
+ ĐąŃŃĐșŃ Đž ĐĐ°ĐčĐșĐŸŃ
+
+
+
+ ĐąĐŸĐłĐŸ
+
+
+
+ ĐąĐŸĐșДлаŃ
+
+
+
+ ĐąĐŸĐœĐłĐ°
+
+
+
+ ĐąŃĐžĐœĐžĐŽĐ°ĐŽ Đž ĐąĐŸĐ±Đ°ĐłĐŸ
+
+
+
+ ĐąŃĐČĐ°Đ»Ń
+
+
+
+ ĐąŃĐœĐžŃ
+
+
+
+ ĐąŃŃĐșĐŒĐ”ĐœĐžŃ
+
+
+
+ ĐąŃŃŃĐžŃ
+
+
+
+ ĐŁĐłĐ°ĐœĐŽĐ°
+
+
+
+ УзбДĐșĐžŃŃĐ°Đœ
+
+
+
+ ĐŁĐșŃĐ°ĐžĐœĐ°
+
+
+
+ ĐŁĐŸĐ»Đ»ĐžŃ Đž Đ€ŃŃŃĐœĐ°
+
+
+
+ ĐŁŃŃĐłĐČĐ°Đč
+
+
+
+ ЀаŃĐ”ŃŃĐșОД ĐŸŃŃŃĐŸĐČĐ°
+
+
+
+ ЀОЎжО
+
+
+
+ Đ€ĐžĐ»ĐžĐżĐżĐžĐœŃ
+
+
+
+ Đ€ĐžĐœĐ»ŃĐœĐŽĐžŃ
+
+
+
+ Đ€ĐŸĐ»ĐșĐ»Đ”ĐœĐŽŃĐșОД ĐŸŃŃŃĐŸĐČĐ°
+
+
+
+ Đ€ŃĐ°ĐœŃĐžŃ
+
+
+
+ Đ€ŃĐ°ĐœŃŃĐ·ŃĐșĐ°Ń ĐĐŸĐ»ĐžĐœĐ”Đ·ĐžŃ
+
+
+
+ Đ€ŃĐ°ĐœŃŃĐ·ŃĐșОД ĐźĐ¶ĐœŃĐ” Đž ĐĐœŃĐ°ŃĐșŃĐžŃĐ”ŃĐșОД йДŃŃĐžŃĐŸŃОО
+
+
+
+ Đ„Đ”ŃĐŽ Đž ĐĐ°ĐșĐŽĐŸĐœĐ°Đ»ŃĐŽ
+
+
+
+ Đ„ĐŸŃĐČĐ°ŃĐžŃ
+
+
+
+ ĐŠĐĐ
+
+
+
+ ЧаЎ
+
+
+
+ ЧДŃĐœĐŸĐłĐŸŃĐžŃ
+
+
+
+ ЧДŃ
ĐžŃ
+
+
+
+ ЧОлО
+
+
+
+ ĐšĐČĐ”ĐčŃĐ°ŃĐžŃ
+
+
+
+ ĐšĐČĐ”ŃĐžŃ
+
+
+
+ КпОŃбДŃĐłĐ”Đœ Đž ĐŻĐœ-ĐĐ°ĐčĐ”Đœ
+
+
+
+ ĐšŃĐž-ĐĐ°ĐœĐșĐ°
+
+
+
+ ĐĐșĐČĐ°ĐŽĐŸŃ
+
+
+
+ ĐĐșĐČĐ°ŃĐŸŃОалŃĐœĐ°Ń ĐĐČĐžĐœĐ”Ń
+
+
+
+ ĐŃĐžŃŃĐ”Ń
+
+
+
+ ĐŃŃĐŸĐœĐžŃ
+
+
+
+ ĐŃĐžĐŸĐżĐžŃ
+
+
+
+ ĐźĐĐ
+
+
+
+ ĐźĐ¶ĐœĐ°Ń ĐĐ”ĐŸŃĐłĐžŃ Đž ĐźĐ¶ĐœŃĐ” ĐĄĐ°ĐœĐŽĐČĐžŃĐ”ĐČŃ ĐŸŃŃŃĐŸĐČĐ°
+
+
+
+ ĐźĐ¶ĐœŃĐč ĐĄŃĐŽĐ°Đœ
+
+
+
+ ĐŻĐŒĐ°ĐčĐșĐ°
+
+
+
+ ĐŻĐżĐŸĐœĐžŃ
+
+
+
diff --git a/_install/langs/ru/data/gender.xml b/_install/langs/ru/data/gender.xml
new file mode 100644
index 00000000..46c48be8
--- /dev/null
+++ b/_install/langs/ru/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/ru/data/group.xml b/_install/langs/ru/data/group.xml
new file mode 100644
index 00000000..c26ae32b
--- /dev/null
+++ b/_install/langs/ru/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/ru/data/index.php b/_install/langs/ru/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/ru/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/ru/data/meta.xml b/_install/langs/ru/data/meta.xml
new file mode 100644
index 00000000..58d2bc09
--- /dev/null
+++ b/_install/langs/ru/data/meta.xml
@@ -0,0 +1,159 @@
+
+
+
+ ĐŃОбĐșĐ° 404
+ ĐŃĐ° ŃŃŃĐ°ĐœĐžŃĐ° ĐœĐ” ĐŒĐŸĐ¶Đ”Ń Đ±ŃŃŃ ĐœĐ°ĐčĐŽĐ”ĐœĐ°
+ ĐŸŃОбĐșĐ°, 404,ĐœĐ” ĐœĐ°ĐčĐŽĐ”ĐœĐ°
+ page-not-found
+
+
+ ĐОЎДŃŃ ĐżŃĐŸĐŽĐ°Đ¶
+ ĐĐ°ŃĐž лОЎДŃŃ ĐżŃĐŸĐŽĐ°Đ¶
+ лОЎДŃŃ ĐżŃĐŸĐŽĐ°Đ¶
+ best-sales
+
+
+ CĐČŃжОŃĐ”ŃŃ Ń ĐœĐ°ĐŒĐž
+ ĐŃĐżĐŸĐ»ŃĐ·ŃĐčŃĐ” ĐœĐ°ŃŃ ĐșĐŸĐœŃĐ°ĐșŃĐœĐČŃ ŃĐŸŃĐŒŃ, ŃŃĐŸĐ±Ń ŃĐČŃĐ·Đ°ŃŃŃŃ Ń ĐœĐ°ĐŒĐž
+ ĐșĐŸĐœŃĐ°ĐșŃŃ, ŃĐČŃĐ·Đ°ŃŃŃŃ Ń ĐœĐ°ĐŒĐž, e-mail
+ contact-us
+
+
+
+ ĐĐ°ĐłĐ°Đ·ĐžĐœ ŃĐŸĐ·ĐŽĐ°Đœ ĐœĐ° PrestaShop
+ ĐŒĐ°ĐłĐ°Đ·ĐžĐœ, prestashop
+
+
+
+ ĐŃĐŸĐžĐ·ĐČĐŸĐ»ĐžŃДлО
+ ХпОŃĐŸĐș ĐżŃĐŸĐžĐ·ĐČĐŸĐŽĐžŃДлДĐč
+ ĐżŃĐŸĐžĐ·ĐČĐŸĐŽĐžŃДлО
+ manufacturers
+
+
+ ĐĐŸĐČĐžĐœĐșĐž
+ ĐĐ°ŃĐž ĐœĐŸĐČĐžĐœĐșĐž
+ ĐœĐŸĐČĐžĐœĐșĐž
+ new-products
+
+
+ ĐабŃлО ŃĐČĐŸĐč паŃĐŸĐ»Ń?
+ ĐĐČДЎОŃĐ” Đ°ĐŽŃĐ”Ń ŃлДĐșŃŃĐŸĐœĐœĐŸĐč ĐżĐŸŃŃŃ, ĐžŃĐżĐŸĐ»ŃĐ·ĐŸĐČĐ°ĐœĐœŃĐč ĐżŃĐž ŃДгОŃŃŃĐ°ŃОО, Đž ĐŒŃ ĐŸŃĐżŃĐ°ĐČĐžĐŒ ĐœĐ° ĐœĐ”ĐłĐŸ ĐČĐ°Ń Đ»ĐŸĐłĐžĐœ Đž ĐœĐŸĐČŃĐč паŃĐŸĐ»Ń
+ забŃлО паŃĐŸĐ»Ń, e-mail, ĐœĐŸĐČŃĐč паŃĐŸĐ»Ń,ĐČĐŸŃŃŃĐ°ĐœĐŸĐČĐžŃŃ ĐżĐ°ŃĐŸĐ»Ń
+ password-recovery
+
+
+ ĐĄĐœĐžĐ¶Đ”ĐœĐžĐ” ŃĐ”Đœ
+ ĐĐ°ŃĐž ŃĐșОЎĐșĐž
+ ŃĐœĐžĐ¶Đ”ĐœĐžĐ” ŃĐ”Đœ, ŃĐ°ŃĐżŃĐŸĐŽĐ°Đ¶Đž
+ prices-drop
+
+
+ ĐĐ°ŃŃĐ° ŃĐ°ĐčŃĐ°
+ ĐĐŸŃĐ”ŃŃлОŃŃ? ĐĐ°ĐčĐŽĐžŃĐ” ŃĐŸ, ŃŃĐŸ ĐžŃĐ”ŃĐ”
+ ĐșĐ°ŃŃĐ° ŃĐ°ĐčŃĐ°
+ sitemap
+
+
+ ĐĐŸŃŃĐ°ĐČŃĐžĐșĐž
+ ХпОŃĐŸĐș ĐżĐŸŃŃĐ°ĐČŃĐžĐșĐŸĐČ
+ ĐżĐŸŃŃĐ°ĐČŃĐžĐș
+ supplier
+
+
+ ĐĐŽŃĐ”Ń
+
+
+ address
+
+
+ ĐĐŽŃĐ”ŃĐ°
+
+
+ addresses
+
+
+ ĐŃŃĐ”ĐœŃĐžŃĐžĐșĐ°ŃĐžŃ
+
+
+ authentication
+
+
+ ĐąĐŸŃĐłĐŸĐČŃĐ” ŃĐŸŃĐșĐž
+
+
+ cart
+
+
+ ĐĄĐșОЎĐșĐž
+
+
+ discount
+
+
+ ĐŃŃĐŸŃĐžŃ Đ·Đ°ĐșĐ°Đ·Đ°
+
+
+ order-history
+
+
+ ĐĐŽĐ”ĐœŃĐžŃĐžĐșĐ°ŃĐžŃ
+
+
+ identity
+
+
+ ĐĐŸĐč Đ°ĐșĐșĐ°ŃĐœŃ
+
+
+ my-account
+
+
+ ĐŃŃлДжОĐČĐ°ĐœĐžĐ” Đ·Đ°ĐșĐ°Đ·Đ°
+
+
+ order-follow
+
+
+ ĐĐ»Đ°ĐœĐș Đ·Đ°ĐșĐ°Đ·Đ°
+
+
+ order-slip
+
+
+ ĐĐ°ĐșĐ°Đ·
+
+
+ order
+
+
+ ĐĐŸĐžŃĐș
+
+
+ search
+
+
+ ĐĐ°ĐłĐ°Đ·ĐžĐœŃ
+
+
+ stores
+
+
+ ĐŃŃŃŃŃĐč Đ·Đ°ĐșĐ°Đ·
+
+
+ quick-order
+
+
+ ĐŃŃлДжОĐČĐ°ĐœĐžĐ” ĐżĐŸŃĐ”ŃĐ”ĐœĐžĐč
+
+
+ guest-tracking
+
+
+ Products Comparison
+
+
+ products-comparison
+
+
diff --git a/_install/langs/ru/data/order_return_state.xml b/_install/langs/ru/data/order_return_state.xml
new file mode 100644
index 00000000..18908ca4
--- /dev/null
+++ b/_install/langs/ru/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ ĐĐ¶ĐžĐŽĐ°Đ”Ń ĐżĐŸĐŽŃĐČĐ”ŃĐ¶ĐŽĐ”ĐœĐžŃ
+
+
+ ĐĐ¶ĐžĐŽĐ°Đ”Ń ĐżĐŸŃŃĐ»ĐșĐž
+
+
+ ĐĐŸŃŃĐ»ĐșĐ° ĐżĐŸĐ»ŃŃĐ”ĐœĐ°
+
+
+ ĐĐŸĐ·ĐČŃĐ°Ń ĐŸŃĐșĐ»ĐŸĐœĐ”Đœ
+
+
+ ĐĐŸĐ·ĐČŃĐ°Ń ĐŸŃŃŃĐ”ŃŃĐČĐ»Đ”Đœ
+
+
diff --git a/_install/langs/ru/data/order_state.xml b/_install/langs/ru/data/order_state.xml
new file mode 100644
index 00000000..89c71954
--- /dev/null
+++ b/_install/langs/ru/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ ĐĐ¶ĐžĐŽĐ°ĐœĐžĐ” плаŃДжа ĐżĐŸ ĐșĐČĐžŃĐ°ĐœŃОО
+ cheque
+
+
+ ĐлаŃДж ĐżŃĐžĐœŃŃ
+ payment
+
+
+ Đ ĐżŃĐŸŃĐ”ŃŃĐ” ĐżĐŸĐŽĐłĐŸŃĐŸĐČĐșĐž
+ preparation
+
+
+ ĐŃĐżŃĐ°ĐČĐ»Đ”ĐœĐŸ
+ shipped
+
+
+ ĐĐŸŃŃĐ°ĐČĐ»Đ”ĐœĐŸ
+
+
+
+ ĐŃĐșĐ»ĐŸĐœĐ”ĐœĐŸ
+ order_canceled
+
+
+ ĐĐŸĐ·ĐČŃĐ°Ń ĐŽĐ”ĐœĐ”Đł
+ refund
+
+
+ ĐŃОбĐșĐ° ĐŸĐżĐ»Đ°ŃŃ
+ payment_error
+
+
+ ĐĐ°ĐœĐœĐŸĐłĐŸ ŃĐŸĐČĐ°ŃĐ° ĐœĐ”Ń ĐœĐ° ŃĐșлаЎД
+ outofstock
+
+
+ ĐĐ°ĐœĐœĐŸĐłĐŸ ŃĐŸĐČĐ°ŃĐ° ĐœĐ”Ń ĐœĐ° ŃĐșлаЎД
+ outofstock
+
+
+ Đ ĐŸĐ¶ĐžĐŽĐ°ĐœĐžĐž ĐŸĐżĐ»Đ°ŃŃ Đ±Đ°ĐœĐșĐŸĐŒ
+ bankwire
+
+
+ Đ ĐŸĐ¶ĐžĐŽĐ°ĐœĐžĐž ĐŸĐżĐ»Đ°ŃŃ PayPal
+
+
+
+ ĐлаŃДж ĐżŃĐžĐœŃŃ
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/ru/data/profile.xml b/_install/langs/ru/data/profile.xml
new file mode 100644
index 00000000..7352a78c
--- /dev/null
+++ b/_install/langs/ru/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/ru/data/quick_access.xml b/_install/langs/ru/data/quick_access.xml
new file mode 100644
index 00000000..79d5ce60
--- /dev/null
+++ b/_install/langs/ru/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/ru/data/risk.xml b/_install/langs/ru/data/risk.xml
new file mode 100644
index 00000000..bc792f62
--- /dev/null
+++ b/_install/langs/ru/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/ru/data/stock_mvt_reason.xml b/_install/langs/ru/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..ce367221
--- /dev/null
+++ b/_install/langs/ru/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ ĐŃĐžŃ
ĐŸĐŽ
+
+
+ Đ Đ°ŃŃ
ĐŸĐŽ
+
+
+ ĐĐ°ĐșĐ°Đ· ĐżĐŸĐșŃпаŃДлŃ
+
+
+ РДгŃлОŃĐŸĐČĐ°ĐœĐžĐ” ĐżĐŸŃлД ĐžĐœĐČĐ”ĐœŃĐ°ŃОзаŃОО
+
+
+ РДгŃлОŃĐŸĐČĐ°ĐœĐžĐ” ĐżĐŸŃлД ĐžĐœĐČĐ”ĐœŃĐ°ŃОзаŃОО
+
+
+ ĐĐ”ŃДЎаŃĐ° ĐœĐ° ĐŽŃŃĐłĐŸĐč ŃĐșлаЎ
+
+
+ ĐĐ”ŃДЎаŃĐ° Ń ĐŽŃŃĐłĐŸĐłĐŸ ŃĐșлаЎа
+
+
+ ĐĐ°ĐșĐ°Đ· ĐœĐ° ĐżĐŸŃŃĐ°ĐČĐșŃ
+
+
diff --git a/_install/langs/ru/data/supplier_order_state.xml b/_install/langs/ru/data/supplier_order_state.xml
new file mode 100644
index 00000000..be7f926e
--- /dev/null
+++ b/_install/langs/ru/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/ru/data/supply_order_state.xml b/_install/langs/ru/data/supply_order_state.xml
new file mode 100644
index 00000000..8d267c21
--- /dev/null
+++ b/_install/langs/ru/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Đ ĐżŃĐŸŃĐ”ŃŃĐ” ŃĐŸĐ·ĐŽĐ°ĐœĐžŃ
+
+
+ 2 - ĐĐ°ĐșĐ°Đ· ĐŸĐŽĐŸĐ±ŃĐ”Đœ
+
+
+ 3 - ĐĐ¶ĐžĐŽĐ°Đ”Ń ĐŸĐżĐ»Đ°ŃŃ
+
+
+ 4 - ĐĐŸĐ»ŃŃĐ”Đœ ŃĐ°ŃŃĐžŃĐœĐŸ
+
+
+ 5 - ĐĐŸĐ»ŃŃĐ”Đœ
+
+
+ 6 - ĐŃĐșĐ»ĐŸĐœĐ”Đœ
+
+
diff --git a/_install/langs/ru/data/tab.xml b/_install/langs/ru/data/tab.xml
new file mode 100644
index 00000000..e6a14358
--- /dev/null
+++ b/_install/langs/ru/data/tab.xml
@@ -0,0 +1,104 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/ru/flag.jpg b/_install/langs/ru/flag.jpg
new file mode 100644
index 00000000..250d599a
Binary files /dev/null and b/_install/langs/ru/flag.jpg differ
diff --git a/_install/langs/ru/img/flag.jpg b/_install/langs/ru/img/flag.jpg
new file mode 100644
index 00000000..250d599a
Binary files /dev/null and b/_install/langs/ru/img/flag.jpg differ
diff --git a/_install/langs/ru/img/index.php b/_install/langs/ru/img/index.php
new file mode 100644
index 00000000..b3b6bb00
--- /dev/null
+++ b/_install/langs/ru/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/ru/img/ru-default-category.jpg b/_install/langs/ru/img/ru-default-category.jpg
new file mode 100644
index 00000000..af66eb02
Binary files /dev/null and b/_install/langs/ru/img/ru-default-category.jpg differ
diff --git a/_install/langs/ru/img/ru-default-home.jpg b/_install/langs/ru/img/ru-default-home.jpg
new file mode 100644
index 00000000..95c8753d
Binary files /dev/null and b/_install/langs/ru/img/ru-default-home.jpg differ
diff --git a/_install/langs/ru/img/ru-default-large.jpg b/_install/langs/ru/img/ru-default-large.jpg
new file mode 100644
index 00000000..6e992ac9
Binary files /dev/null and b/_install/langs/ru/img/ru-default-large.jpg differ
diff --git a/_install/langs/ru/img/ru-default-large_scene.jpg b/_install/langs/ru/img/ru-default-large_scene.jpg
new file mode 100644
index 00000000..af66eb02
Binary files /dev/null and b/_install/langs/ru/img/ru-default-large_scene.jpg differ
diff --git a/_install/langs/ru/img/ru-default-medium.jpg b/_install/langs/ru/img/ru-default-medium.jpg
new file mode 100644
index 00000000..b4981bf2
Binary files /dev/null and b/_install/langs/ru/img/ru-default-medium.jpg differ
diff --git a/_install/langs/ru/img/ru-default-small.jpg b/_install/langs/ru/img/ru-default-small.jpg
new file mode 100644
index 00000000..ff2e546f
Binary files /dev/null and b/_install/langs/ru/img/ru-default-small.jpg differ
diff --git a/_install/langs/ru/img/ru-default-thickbox.jpg b/_install/langs/ru/img/ru-default-thickbox.jpg
new file mode 100644
index 00000000..99ede814
Binary files /dev/null and b/_install/langs/ru/img/ru-default-thickbox.jpg differ
diff --git a/_install/langs/ru/img/ru-default-thumb_scene.jpg b/_install/langs/ru/img/ru-default-thumb_scene.jpg
new file mode 100644
index 00000000..ccf7f19c
Binary files /dev/null and b/_install/langs/ru/img/ru-default-thumb_scene.jpg differ
diff --git a/_install/langs/ru/img/ru.jpg b/_install/langs/ru/img/ru.jpg
new file mode 100644
index 00000000..6e992ac9
Binary files /dev/null and b/_install/langs/ru/img/ru.jpg differ
diff --git a/_install/langs/ru/index.php b/_install/langs/ru/index.php
new file mode 100644
index 00000000..499d7597
--- /dev/null
+++ b/_install/langs/ru/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/ru/install.php b/_install/langs/ru/install.php
new file mode 100644
index 00000000..6be942ff
--- /dev/null
+++ b/_install/langs/ru/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/?lang=ru',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/ru/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'ĐŃĐŸĐžĐ·ĐŸŃла ĐŸŃОбĐșĐ° SQL ĐŽĐ»Ń Đ·Đ°ĐżĐžŃĐž %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'ĐĐ”ĐČĐŸĐ·ĐŒĐŸĐ¶ĐœĐŸ ŃĐŸĐ·ĐŽĐ°ŃŃ ĐžĐ·ĐŸĐ±ŃĐ°Đ¶Đ”ĐœĐžĐ” "%1$s" ĐŽĐ»Ń Đ·ĐœĐ°ŃĐ”ĐœĐžŃ "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'ĐĐ”ĐČĐŸĐ·ĐŒĐŸĐ¶ĐœĐŸ ŃĐŸĐ·ĐŽĐ°ŃŃ ĐžĐ·ĐŸĐ±ŃĐ°Đ¶Đ”ĐœĐžĐ” "%1$s" (ĐœĐ”ĐŽĐŸŃŃĐ°ŃĐŸŃĐœĐŸ ŃĐ°Đ·ŃĐ”ŃĐ”ĐœĐžĐč ĐŽĐ»Ń ĐżĐ°ĐżĐșĐž "%2$s")',
+ 'Cannot create image "%s"' => 'ĐĐ”ĐČĐŸĐ·ĐŒĐŸĐ¶ĐœĐŸ ŃĐŸĐ·ĐŽĐ°ŃŃ ĐžĐ·ĐŸĐ±ŃĐ°Đ¶Đ”ĐœĐžĐ” "%s"',
+ 'SQL error on query %s ' => 'ĐŃОбĐșĐ° SQL-Đ·Đ°ĐżŃĐŸŃĐ° %s ',
+ '%s Login information' => '%s ĐĐœŃĐŸŃĐŒĐ°ŃĐžŃ ĐŸ ĐČŃ
ĐŸĐŽĐ”',
+ 'Field required' => 'ĐбŃĐ·Đ°ŃДлŃĐœĐŸĐ” ĐżĐŸĐ»Đ”',
+ 'Invalid shop name' => 'ĐДпŃĐ°ĐČОлŃĐœĐŸĐ” ĐœĐ°Đ·ĐČĐ°ĐœĐžĐ” ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°',
+ 'The field %s is limited to %d characters' => 'ĐĐŸĐ»Đ” %s ĐŸĐłŃĐ°ĐœĐžŃĐ”ĐœĐŸ ĐŽĐŸ %d Đ·ĐœĐ°ĐșĐ°(ĐŸĐČ)',
+ 'Your firstname contains some invalid characters' => 'Đ ĐČĐ°ŃĐ”ĐŒ ĐžĐŒĐ”ĐœĐž ŃĐșĐ°Đ·Đ°ĐœŃ ĐœĐ”ĐŽĐŸĐżŃŃŃĐžĐŒŃĐ” ŃĐžĐŒĐČĐŸĐ»Ń',
+ 'Your lastname contains some invalid characters' => 'Đ ĐČĐ°ŃĐ”Đč ŃĐ°ĐŒĐžĐ»ĐžĐž ŃĐșĐ°Đ·Đ°ĐœŃ ĐœĐ”ĐŽĐŸĐżŃŃŃĐžĐŒŃĐ” ŃĐžĐŒĐČĐŸĐ»Ń',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'ĐĐ°Ń ĐżĐ°ŃĐŸĐ»Ń ĐœĐ”ĐČĐ”ŃĐœŃĐč (ĐŸĐœ ĐŽĐŸĐ»Đ¶Đ”Đœ ŃĐŸŃŃĐŸŃŃŃ ĐžĐ· бŃĐșĐČ Đž ŃĐžŃŃ Đž ŃĐŸĐŽĐ”ŃжаŃŃ ĐŒĐžĐœĐžĐŒŃĐŒ 8 ŃĐžĐŒĐČĐŸĐ»ĐŸĐČ)',
+ 'Password and its confirmation are different' => 'ĐĐŸĐ»Ń "паŃĐŸĐ»Ń" Đž "ĐżĐŸĐŽŃĐČĐ”ŃĐ¶ĐŽĐ”ĐœĐžĐ” паŃĐŸĐ»Ń" ĐœĐ” ŃĐŸĐČпаЎаŃŃ',
+ 'This e-mail address is invalid' => 'ĐДпŃĐ°ĐČОлŃĐœŃĐč ŃлДĐșŃŃĐŸĐœĐœŃĐč Đ°ĐŽŃĐ”Ń',
+ 'Image folder %s is not writable' => 'ĐапОŃŃ ĐČ ĐżĐ°ĐżĐșŃ ĐžĐ·ĐŸĐ±ŃĐ°Đ¶Đ”ĐœĐžĐč %s Đ·Đ°ĐżŃĐ”ŃĐ”ĐœĐ°',
+ 'An error occurred during logo copy.' => 'ĐŃĐŸĐžĐ·ĐŸŃла ĐŸŃОбĐșĐ° ĐČĐŸ ĐČŃĐ”ĐŒŃ ĐșĐŸĐżĐžŃĐŸĐČĐ°ĐœĐžŃ Đ»ĐŸĐłĐŸŃОпа.',
+ 'An error occurred during logo upload.' => 'ĐĐŸ ĐČŃĐ”ĐŒŃ Đ·Đ°ĐłŃŃĐ·ĐșĐž Đ»ĐŸĐłĐŸŃОпа ĐżŃĐŸĐžĐ·ĐŸŃла ĐŸŃОбĐșĐ°.',
+ 'Lingerie and Adult' => 'ĐĐžĐ¶ĐœĐ”Đ” бДлŃĐ” Đž ŃĐŸĐČĐ°ŃŃ ĐŽĐ»Ń ĐČĐ·ŃĐŸŃĐ»ŃŃ
',
+ 'Animals and Pets' => 'ĐĐžĐČĐŸŃĐœŃĐ” Đž ĐŽĐŸĐŒĐ°ŃĐœĐžĐ” пОŃĐŸĐŒŃŃ',
+ 'Art and Culture' => 'ĐŃĐșŃŃŃŃĐČĐŸ Đž ĐșŃĐ»ŃŃŃŃĐ°',
+ 'Babies' => 'ĐĐ”ŃĐž',
+ 'Beauty and Personal Care' => 'ĐŃĐ°ŃĐŸŃĐ° Đž ŃŃ
ĐŸĐŽ',
+ 'Cars' => 'ĐĐČŃĐŸĐŒĐŸĐ±ĐžĐ»Đž',
+ 'Computer Hardware and Software' => 'ĐĐŸĐŒĐżŃŃŃĐ”ŃĐœĐ°Ń ŃĐ”Ń
ĐœĐžĐșĐ° Đž ĐżŃĐŸĐłŃĐ°ĐŒĐŒĐœĐŸĐ” ĐŸĐ±Đ”ŃпДŃĐ”ĐœĐžĐ”',
+ 'Download' => 'ĐĄĐșĐ°ŃĐ°ŃŃ',
+ 'Fashion and accessories' => 'ĐĐŸĐŽĐ° Đž Đ°ĐșŃĐ”ŃŃŃĐ°ŃŃ',
+ 'Flowers, Gifts and Crafts' => 'ĐŠĐČĐ”ŃŃ, ĐĐŸĐŽĐ°ŃĐșĐž Đž ĐąĐŸĐČĐ°ŃŃ ŃŃŃĐœĐŸĐč ŃĐ°Đ±ĐŸŃŃ',
+ 'Food and beverage' => 'ĐĐŽĐ° Đž ĐœĐ°ĐżĐžŃĐșĐž',
+ 'HiFi, Photo and Video' => 'HiFi, Đ€ĐŸŃĐŸ Đž ĐĐžĐŽĐ”ĐŸ',
+ 'Home and Garden' => 'ĐĐŸĐŒ Đž ĐĄĐ°ĐŽ',
+ 'Home Appliances' => 'ĐąĐŸĐČĐ°ŃŃ ĐŽĐ»Ń ĐŽĐŸĐŒĐ°',
+ 'Jewelry' => 'ĐŁĐșŃĐ°ŃĐ”ĐœĐžŃ',
+ 'Mobile and Telecom' => 'ĐĐŸĐ±ĐžĐ»ŃĐœĐ°Ń ŃĐČŃĐ·Ń Đž ĐșĐŸĐŒĐŒŃĐœĐžĐșĐ°ŃОО',
+ 'Services' => 'ĐŁŃĐ»ŃгО',
+ 'Shoes and accessories' => 'ĐбŃĐČŃ Đž Đ°ĐșŃĐ”ŃŃŃĐ°ŃŃ',
+ 'Sports and Entertainment' => 'ĐĄĐżĐŸŃŃ Đž ŃĐ°Đ·ĐČлДŃĐ”ĐœĐžŃ',
+ 'Travel' => 'ĐŃŃĐ”ŃĐ”ŃŃĐČĐžŃ',
+ 'Database is connected' => 'ĐĄĐŸĐ”ĐŽĐžĐœĐ”ĐœĐžĐ” Ń Đ±Đ°Đ·ĐŸĐč ĐŽĐ°ĐœĐœŃŃ
ŃŃŃĐ°ĐœĐŸĐČĐ»Đ”ĐœĐŸ',
+ 'Database is created' => 'ĐĐ°Đ·Đ° ĐŽĐ°ĐœĐœŃŃ
ŃĐŸĐ·ĐŽĐ°ĐœĐ°',
+ 'Cannot create the database automatically' => 'ĐĐ”ĐČĐŸĐ·ĐŒĐŸĐ¶ĐœĐŸ Đ°ĐČŃĐŸĐŒĐ°ŃĐžŃĐ”ŃĐșĐž ŃĐŸĐ·ĐŽĐ°ŃŃ Đ±Đ°Đ·Ń ĐŽĐ°ĐœĐœŃŃ
',
+ 'Create settings.inc file' => 'ĐĄĐŸĐ·ĐŽĐ°ĐœĐžĐ” ŃĐ°Đčла settings.inc',
+ 'Create database tables' => 'ĐĄĐŸĐ·ĐŽĐ°ĐœĐžĐ” ŃĐ°Đ±Đ»ĐžŃ Đ±Đ°Đ·Ń ĐŽĐ°ĐœĐœŃŃ
',
+ 'Create default shop and languages' => 'ĐĄĐŸĐ·ĐŽĐ°ĐœĐžĐ” ŃŃĐ°ĐœĐŽĐ°ŃŃĐœŃŃ
ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ° Đž ŃĐ·ŃĐșĐ°',
+ 'Populate database tables' => 'ĐĐ°ĐżĐŸĐ»ĐœĐ”ĐœĐžĐ” ŃĐ°Đ±Đ»ĐžŃ Đ±Đ°Đ·Ń ĐŽĐ°ĐœĐœŃŃ
',
+ 'Configure shop information' => 'ĐĐ°ŃŃŃĐŸĐčĐșĐ° ĐžĐœŃĐŸŃĐŒĐ°ŃОО ĐŸ ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ”',
+ 'Install demonstration data' => 'ĐŁŃŃĐ°ĐœĐŸĐČĐșĐ° ĐŽĐ”ĐŒĐŸĐœŃŃŃĐ°ŃĐžĐŸĐœĐœĐŸĐč ĐžĐœŃĐŸŃĐŒĐ°ŃОО',
+ 'Install modules' => 'ĐŁŃŃĐ°ĐœĐŸĐČĐșĐ° ĐŒĐŸĐŽŃлДĐč',
+ 'Install Addons modules' => 'ĐŁŃŃĐ°ĐœĐŸĐČĐșĐ° ĐŒĐŸĐŽŃлДĐč Addons',
+ 'Install theme' => 'ĐŁŃŃĐ°ĐœĐŸĐČĐșĐ° ŃĐ°Đ±Đ»ĐŸĐœĐ°',
+ 'Required PHP parameters' => 'ĐĐ”ĐŸĐ±Ń
ĐŸĐŽĐžĐŒŃĐ” паŃĐ°ĐŒĐ”ŃŃŃ PHP',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 ОлО Đ±ĐŸĐ»Đ”Đ” ĐżĐŸĐ·ĐŽĐœŃŃ ĐČĐ”ŃŃĐžŃ ĐœĐ” Đ°ĐșŃĐžĐČĐžŃĐŸĐČĐ°ĐœĐ°',
+ 'Cannot upload files' => 'ĐĐ”ĐČĐŸĐ·ĐŒĐŸĐ¶ĐœĐŸ Đ·Đ°ĐłŃŃĐ·ĐžŃŃ ŃĐ°ĐčĐ»Ń',
+ 'Cannot create new files and folders' => 'ĐĐ”ĐČĐŸĐ·ĐŒĐŸĐ¶ĐœĐŸ ŃĐŸĐ·ĐŽĐ°ŃŃ ĐœĐŸĐČŃĐ” ŃĐ°ĐčĐ»Ń Đž папĐșĐž',
+ 'GD library is not installed' => 'GD Library ĐœĐ” ŃŃŃĐ°ĐœĐŸĐČĐ»Đ”Đœ',
+ 'MySQL support is not activated' => 'MySQL support ĐœĐ” Đ°ĐșŃĐžĐČĐžŃĐŸĐČĐ°Đœ',
+ 'Files' => 'ЀаĐčĐ»Ń',
+ 'Not all files were successfully uploaded on your server' => 'ĐĐ” ĐČŃĐ” ŃĐ°ĐčĐ»Ń Đ±ŃлО ŃŃпДŃĐœĐŸ Đ·Đ°ĐłŃŃĐ¶Đ”ĐœŃ ĐœĐ° ŃĐ”ŃĐČĐ”Ń',
+ 'Permissions on files and folders' => 'Đ Đ°Đ·ŃĐ”ŃĐ”ĐœĐžŃ ĐœĐ° ŃĐ°ĐčĐ»Ń Đž папĐșĐž',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Đ Đ”ĐșŃŃŃĐžĐČĐœĐŸ ĐżŃĐ°ĐČĐ° ĐœĐ° запОŃŃ ĐŽĐ»Ń ĐżĐŸĐ»ŃĐ·ĐŸĐČĐ°ŃĐ”Đ»Ń %1$s ĐœĐ° %2$s',
+ 'Recommended PHP parameters' => 'Đ Đ”ĐșĐŸĐŒĐ”ĐœĐŽŃĐ”ĐŒŃĐ” паŃĐ°ĐŒĐ”ŃŃŃ PHP',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => 'ĐŁ ĐČĐ°Ń ŃŃŃĐ°ĐœĐŸĐČĐ»Đ”Đœ Đ ĐĐ ĐČĐ”ŃŃОО %s. ĐĄĐșĐŸŃĐŸ ĐŒĐžĐœĐžĐŒĐ°Đ»ŃĐœĐŸĐč ĐżĐŸĐŽĐŽĐ”ŃжОĐČĐ°Đ”ĐŒĐŸĐč PrestaShop ĐČĐ”ŃŃОДĐč бŃĐŽĐ”Ń Đ ĐĐ 5.4. ĐĐ»Ń ĐœĐŸŃĐŒĐ°Đ»ŃĐœĐŸĐč ŃабŃŃ ĐČ Đ±ŃĐŽŃŃĐ”ĐŒ ŃĐ”ĐșĐŸĐŒĐ”ĐœĐŽŃĐ”ĐŒ ĐŸĐ±ĐœĐŸĐČĐžŃŃ ĐČĐ°Ń Đ ĐĐ ĐŽĐŸ ŃŃĐŸĐč ĐČĐ”ŃŃОО ŃĐ”ĐčŃĐ°Ń!',
+ 'Cannot open external URLs' => 'ĐĐ”ĐČĐŸĐ·ĐŒĐŸĐ¶ĐœĐŸ пДŃĐ”Ń
ĐŸĐŽĐžŃŃ ĐœĐ° ĐČĐœĐ”ŃĐœĐžĐ” URLs',
+ 'PHP register_globals option is enabled' => 'ĐĐ°ŃŃŃĐŸĐčĐșĐ° PHP ĐżĐŸĐŽ ĐœĐ°Đ·ĐČĐ°ĐœĐžĐ”ĐŒ register_globals ĐœĐ°Ń
ĐŸĐŽĐžŃŃŃ ĐČ ŃĐŸŃŃĐŸŃĐœĐžĐž ŃĐ°Đ·ŃĐ”ŃĐ”ĐœĐŸ',
+ 'GZIP compression is not activated' => 'ХжаŃОД GZIP ĐœĐ” Đ°ĐșŃĐžĐČĐžŃĐŸĐČĐ°ĐœĐŸ',
+ 'Mcrypt extension is not enabled' => 'Đ Đ°ŃŃĐžŃĐ”ĐœĐžĐ” mcrypt ĐœĐ” Đ°ĐșŃĐžĐČĐžŃĐŸĐČĐ°ĐœĐŸ',
+ 'Mbstring extension is not enabled' => 'Đ Đ°ŃŃĐžŃĐ”ĐœĐžĐ” mbstring ĐœĐ” Đ°ĐșŃĐžĐČĐžŃĐŸĐČĐ°ĐœĐŸ',
+ 'PHP magic quotes option is enabled' => 'ĐĐżŃĐžŃ "PHP magic quotes" Đ°ĐșŃĐžĐČĐžŃĐŸĐČĐ°ĐœĐ°',
+ 'Dom extension is not loaded' => 'Đ Đ°ŃŃĐžŃĐ”ĐœĐžĐ” Dom ĐœĐ” ŃŃŃĐ°ĐœĐŸĐČĐ»Đ”ĐœĐŸ',
+ 'PDO MySQL extension is not loaded' => 'Đ Đ°ŃŃĐžŃĐ”ĐœĐžĐ” PDO MySQL ĐœĐ” ŃŃŃĐ°ĐœĐŸĐČĐ»Đ”ĐœĐŸ',
+ 'Server name is not valid' => 'ĐĐ”ĐČĐ”ŃĐœĐŸĐ” ĐžĐŒŃ ŃĐ”ŃĐČĐ”ŃĐ°',
+ 'You must enter a database name' => 'ĐĐČДЎОŃĐ” ĐœĐ°Đ·ĐČĐ°ĐœĐžĐ” Đ±Đ°Đ·Ń ĐŽĐ°ĐœĐœŃŃ
',
+ 'You must enter a database login' => 'ĐĐČДЎОŃĐ” паŃĐŸĐ»Ń ĐŽĐ»Ń Đ±Đ°Đ·Ń ĐŽĐ°ĐœĐœŃŃ
',
+ 'Tables prefix is invalid' => 'ĐĐ”ĐČĐ”ŃĐœŃĐč ĐżŃĐ”ŃĐžĐșŃ ŃаблОŃ',
+ 'Cannot convert database data to utf-8' => 'ĐĐ”ĐČĐŸĐ·ĐŒĐŸĐ¶ĐœĐŸ ĐșĐŸĐœĐČĐ”ŃŃĐžŃĐŸĐČĐ°ŃŃ Đ±Đ°Đ·Ń ĐŽĐ°ĐœĐœŃŃ
ĐČ utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'ĐĐ°ĐčĐŽĐ”ĐœĐ° ĐșĐ°Đș ĐŒĐžĐœĐžĐŒŃĐŒ ĐŸĐŽĐœĐ° ŃаблОŃĐ° Ń ŃĐ°ĐșĐžĐŒ ĐżŃĐ”ŃĐžĐșŃĐŸĐŒ. ĐĐ·ĐŒĐ”ĐœĐžŃĐ” ĐżŃĐ”ŃĐžĐșŃ ĐžĐ»Đž пДŃĐ”ĐœĐ”ŃĐžŃĐ” Đ±Đ°Đ·Ń ĐŽĐ°ĐœĐœŃŃ
',
+ 'The values of auto_increment increment and offset must be set to 1' => 'ĐĐœĐ°ŃĐ”ĐœĐžŃ auto_increment ĐżŃĐžŃĐ°ŃĐ”ĐœĐžŃ Đž ŃĐŒĐ”ŃĐ”ĐœĐžŃ ĐŽĐŸĐ»Đ¶ĐœŃ Đ±ŃŃŃ ŃĐ°ĐČĐœŃ 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'ĐĄĐ”ŃĐČĐ”Ń Đ±Đ°Đ·Ń ĐŽĐ°ĐœĐœŃŃ
ĐœĐ” ĐœĐ°ĐčĐŽĐ”Đœ. УбДЎОŃĐ”ŃŃ, ŃŃĐŸ ĐŃ ĐżŃĐ°ĐČОлŃĐœĐŸ ŃĐșазалО Đ»ĐŸĐłĐžĐœ, паŃĐŸĐ»Ń Đž Đ°ĐŽŃĐ”Ń ŃĐ”ŃĐČĐ”ŃĐ°',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'ĐŁŃпДŃĐœĐŸĐ” ĐżĐŸĐŽĐșĐ»ŃŃĐ”ĐœĐžĐ” Đș ŃĐ”ŃĐČĐ”ŃŃ MySQL, ĐœĐŸ база ĐŽĐ°ĐœĐœŃŃ
"%s" ĐœĐ” ĐœĐ°ĐčĐŽĐ”ĐœĐ°',
+ 'Attempt to create the database automatically' => 'ĐĐŸĐżŃŃĐșĐ° Đ°ĐČŃĐŸĐŒĐ°ŃĐžŃĐ”ŃĐșĐŸĐłĐŸ ŃĐŸĐ·ĐŽĐ°ĐœĐžŃ Đ±Đ°Đ·Ń ĐŽĐ°ĐœĐœŃŃ
',
+ '%s file is not writable (check permissions)' => 'ĐĐ”ĐČĐŸĐ·ĐŒĐŸĐ¶ĐœĐ° запОŃŃ ĐČ ŃĐ°ĐčĐ» %s (ĐżŃĐŸĐČĐ”ŃŃŃĐ” ŃĐ°Đ·ŃĐ”ŃĐ”ĐœĐžŃ)',
+ '%s folder is not writable (check permissions)' => 'ĐĐ”ĐČĐŸĐ·ĐŒĐŸĐ¶ĐœĐ° запОŃŃ ĐČ ĐŽĐžŃĐ”ĐșŃĐŸŃĐžŃ %s (ĐżŃĐŸĐČĐ”ŃŃŃĐ” ŃĐ°Đ·ŃĐ”ŃĐ”ĐœĐžŃ)',
+ 'Cannot write settings file' => 'ĐапОŃŃ ĐČ ŃĐ°ĐčĐ» ĐœĐ°ŃŃŃĐŸĐ”Đș ĐœĐ”ĐČĐŸĐ·ĐŒĐŸĐ¶ĐœĐ°',
+ 'Database structure file not found' => 'ЀаĐčĐ» ŃŃŃŃĐșŃŃŃŃ Đ±Đ°Đ·Ń ĐŽĐ°ĐœĐœŃŃ
ĐœĐ” ĐœĐ°ĐčĐŽĐ”Đœ',
+ 'Cannot create group shop' => 'ĐĐ”ĐČĐŸĐ·ĐŒĐŸĐ¶ĐœĐŸ ŃĐŸĐ·ĐŽĐ°ŃŃ ĐŒŃĐ»ŃŃĐžĐŒĐ°ĐłĐ°Đ·ĐžĐœ',
+ 'Cannot create shop' => 'ĐĐ”ĐČĐŸĐ·ĐŒĐŸĐ¶ĐœĐŸ ŃĐŸĐ·ĐŽĐ°ŃŃ ĐŒĐ°ĐłĐ°Đ·ĐžĐœ',
+ 'Cannot create shop URL' => 'ĐĐ”ĐČĐŸĐ·ĐŒĐŸĐ¶ĐœĐŸ ŃĐŸĐ·ĐŽĐ°ŃŃ URL ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°',
+ 'File "language.xml" not found for language iso "%s"' => 'ЀаĐčĐ» "language.xml" ĐœĐ” ĐœĐ°ĐčĐŽĐ”Đœ ĐŽĐ»Ń ŃĐ·ŃĐșĐ° Ń ĐșĐŸĐŽĐŸĐŒ iso "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'ЀаĐčĐ» "language.xml" ĐœĐ”ĐČĐ”ŃĐ”Đœ ĐŽĐ»Ń ŃĐ·ŃĐșĐ° Ń ĐșĐŸĐŽĐŸĐŒ iso "%s"',
+ 'Cannot install language "%s"' => 'ĐĐ”ĐČĐŸĐ·ĐŒĐŸĐ¶ĐœĐŸ ŃŃŃĐ°ĐœĐŸĐČĐžŃŃ ŃĐ·ŃĐș "%s"',
+ 'Cannot copy flag language "%s"' => 'ĐĐ”ĐČĐŸĐ·ĐŒĐŸĐ¶ĐœĐŸ ŃĐșĐŸĐżĐžŃĐŸĐČĐ°ŃŃ ŃĐ·ŃĐș "%s"',
+ 'Cannot create admin account' => 'ĐĐ”ĐČĐŸĐ·ĐŒĐŸĐ¶ĐœĐŸ ŃĐŸĐ·ĐŽĐ°ŃŃ ŃŃŃŃĐœŃŃ Đ·Đ°ĐżĐžŃŃ Đ°ĐŽĐŒĐžĐœĐžŃŃŃĐ°ŃĐŸŃĐ°',
+ 'Cannot install module "%s"' => 'ĐĐ”ĐČĐŸĐ·ĐŒĐŸĐ¶ĐœĐŸ ŃŃŃĐ°ĐœĐŸĐČĐžŃŃ ĐŒĐŸĐŽŃĐ»Ń "%s"',
+ 'Fixtures class "%s" not found' => 'ĐŃĐŸĐ±ŃĐ°Đ¶Đ”ĐœĐžĐ” ĐșлаŃŃĐ° "%s"ĐœĐ” ĐœĐ°ĐčĐŽĐ”ĐœĐŸ',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" ĐŽĐŸĐ»Đ¶Đ”Đœ бŃŃŃ ŃĐșĐ·Đ”ĐŒĐżĐ»ŃŃĐŸĐŒ "InstallXmlLoader"',
+ 'Information about your Store' => 'ĐĐœŃĐŸŃĐŒĐ°ŃĐžŃ ĐŸ ĐĐ°ŃĐ”ĐŒ ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ”',
+ 'Shop name' => 'ĐĐ°Đ·ĐČĐ°ĐœĐžĐ” ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°',
+ 'Main activity' => 'ĐŃĐœĐŸĐČĐœĐ°Ń ĐŽĐ”ŃŃДлŃĐœĐŸŃŃŃ',
+ 'Please choose your main activity' => 'ĐŃбДŃĐžŃĐ” ĐĐ°ŃŃ ĐŸŃĐœĐŸĐČĐœŃŃ ĐŽĐ”ŃŃДлŃĐœĐŸŃŃŃ',
+ 'Other activity...' => 'ĐŃŃĐłĐ°Ń ĐŽĐ”ŃŃДлŃĐœĐŸŃŃŃ....',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Đ Đ°ŃŃĐșажОŃĐ” ĐœĐ°ĐŒ ĐżĐŸĐ±ĐŸĐ»ŃŃĐ” ĐŸ ĐĐ°ŃĐ”ĐŒ ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ”, Đž ĐŒŃ ĐżĐŸŃŃĐ°ŃĐ°Đ”ĐŒŃŃ ĐżŃĐ”ĐŽĐŸŃŃĐ°ĐČĐžŃŃ ĐĐ°ĐŒ ĐœĐ°ĐžĐ»ŃŃŃĐžĐč ŃĐ”ŃĐČĐžŃ!',
+ 'Install demo products' => 'ĐŁŃŃĐ°ĐœĐŸĐČĐžŃŃ ĐŽĐ”ĐŒĐŸĐœŃŃŃĐ°ŃĐžĐŸĐœĐœŃĐ” ĐŽĐ°ĐœĐœŃĐ”',
+ 'Yes' => 'ĐĐ°',
+ 'No' => 'ĐĐ”Ń',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'ĐĐ”ĐŒĐŸ-ĐŽĐ°ĐœĐœŃĐ” - ŃŃĐŸ Ń
ĐŸŃĐŸŃĐžĐč ŃĐżĐŸŃĐŸĐ± ĐœĐ°ŃŃĐžŃŃŃŃ ŃĐ°Đ±ĐŸŃĐ” Ń PrestaShop, Đ”ŃлО Ń ĐĐ°Ń ĐŒĐ°Đ»ĐŸ ĐŸĐżŃŃĐ°.',
+ 'Country' => 'ĐĄŃŃĐ°ĐœĐ°',
+ 'Select your country' => 'ĐŃбДŃĐžŃĐ” ĐĐ°ŃŃ ŃŃŃĐ°ĐœŃ',
+ 'Shop timezone' => 'ЧаŃĐŸĐČĐŸĐč ĐżĐŸŃŃ ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°',
+ 'Select your timezone' => 'ĐŃбДŃĐžŃĐ” ĐĐ°Ń ŃĐ°ŃĐŸĐČĐŸĐč ĐżĐŸŃŃ',
+ 'Shop logo' => 'ĐĐŸĐłĐŸŃОп ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°',
+ 'Optional - You can add you logo at a later time.' => 'ĐĐ”ĐŸĐ±ŃĐ·Đ°ŃДлŃĐœĐŸ - ĐŃ ĐŒĐŸĐ¶Đ”ŃĐ” ĐŽĐŸĐ±Đ°ĐČĐžŃŃ Đ»ĐŸĐłĐŸŃОп ĐżĐŸĐ·Đ¶Đ”.',
+ 'Your Account' => 'ĐĐ°ŃĐ° ŃŃĐ”ŃĐœĐ°Ń Đ·Đ°ĐżĐžŃŃ',
+ 'First name' => 'ĐĐŒŃ',
+ 'Last name' => 'Đ€Đ°ĐŒĐžĐ»ĐžŃ',
+ 'E-mail address' => 'ĐĐŽŃĐ”Ń ŃлДĐșŃŃĐŸĐœĐœĐŸĐč ĐżĐŸŃŃŃ',
+ 'This email address will be your username to access your store\'s back office.' => 'ĐŃĐŸŃ Đ°ĐŽŃĐ”Ń ŃлДĐșŃŃĐŸĐœĐœĐŸĐč ĐżĐŸŃŃŃ Đ±ŃĐŽĐ”Ń ĐĐ°ŃĐžĐŒ ĐžĐŒĐ”ĐœĐ”ĐŒ ĐżĐŸĐ»ŃĐ·ĐŸĐČĐ°ŃĐ”Đ»Ń Đž бŃĐŽĐ”Ń ŃĐ»ŃжОŃŃ ĐŽĐ»Ń ĐČŃ
ĐŸĐŽĐ° ĐČ ĐĐ°Ń Đ±ŃĐș-ĐŸŃĐžŃ',
+ 'Shop password' => 'ĐĐ°ŃĐŸĐ»Ń ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°',
+ 'Must be at least 8 characters' => 'ĐĐžĐœĐžĐŒŃĐŒ 8 ŃĐžĐŒĐČĐŸĐ»ĐŸĐČ',
+ 'Re-type to confirm' => 'ĐĐŸĐŽŃĐČĐ”ŃĐŽĐžŃĐ” паŃĐŸĐ»Ń',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'ĐŃŃ ĐżĐ”ŃДЎаĐČĐ°Đ”ĐŒĐ°Ń ĐČĐ°ĐŒĐž ĐžĐœŃĐŸŃĐŒĐ°ŃĐžŃ ĐžŃĐżĐŸĐ»ŃĐ·ŃĐ”ŃŃŃ ĐœĐ°ĐŒĐž ĐŽĐ»Ń Đ°ĐœĐ°Đ»ĐžĐ·Đ° ĐŽĐ°ĐœĐœŃŃ
Đž ŃŃĐ°ŃĐžŃŃĐžŃĐ”ŃĐșĐŸĐč ĐŸĐ±ŃĐ°Đ±ĐŸŃĐșĐž, ĐŸĐœĐ° ĐœŃĐ¶ĐœĐ° ŃĐ°Đ±ĐŸŃĐœĐžĐșĐ°ĐŒ PrestaShop ĐŽĐ»Ń ĐŸŃĐČĐ”ĐŸĐČ ĐœĐ° ĐČĐ°ŃĐž Đ·Đ°ĐżŃĐŸŃŃ. ĐĐ°ŃĐž пДŃŃĐŸĐœĐ°Đ»ŃĐœŃĐ” ĐŽĐ°ĐœĐœŃĐ” ĐŒĐŸĐłŃŃ ĐżĐ”ŃДЎаĐČĐ°ŃŃŃŃ ĐżĐŸŃŃĐ°ĐČŃĐžĐșĐ°ĐŒ ŃŃĐ»ŃĐł Đž паŃŃĐœŃŃĐ°ĐŒ ĐČ ŃĐ°ĐŒĐșĐ°Ń
паŃŃĐœŃŃŃĐșĐžŃ
ŃĐŸĐłĐ»Đ°ŃĐ”ĐœĐžĐč. ĐĄĐŸĐłĐ»Đ°ŃĐœĐŸ ĐŽĐ”ĐčŃŃĐČŃŃŃĐ”ĐŒŃ Đ·Đ°ĐșĐŸĐœŃ "Act on Data Processing, Data Files and Individual Liberties" Ń ĐČĐ°Ń Đ”ŃŃŃ ĐżŃĐ°ĐČĐŸ ĐŽĐŸŃŃŃпа, ĐžĐ·ĐŒĐ”ĐœĐ”ĐœĐžŃ ĐžĐ»Đž Đ·Đ°ĐșŃŃŃĐžŃ ĐżĐ”ŃŃĐŸĐœĐ°Đ»ŃĐœŃŃ
ĐŽĐ°ĐœĐœŃŃ
ĐżĐŸ ŃŃĐŸĐč ŃŃŃĐ»ĐșĐ” .',
+ 'Configure your database by filling out the following fields' => 'ĐĐ°ĐżĐŸĐ»ĐœĐžŃĐ” ĐżĐŸĐ»Ń ĐœĐžĐ¶Đ” ĐŽĐ»Ń ĐșĐŸĐœŃОгŃŃĐ°ŃОО ĐĐ°ŃĐ”Đč Đ±Đ°Đ·Ń ĐŽĐ°ĐœĐœŃŃ
',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'ĐĐ»Ń ĐžŃĐżĐŸĐ»ŃĐ·ĐŸĐČĐ°ĐœĐžŃ PrestaShop ĐŃ ĐŽĐŸĐ»Đ¶ĐœŃ ŃĐŸĐ·ĐŽĐ°ŃŃ Đ±Đ°Đ·Ń ĐŽĐ°ĐœĐœŃŃ
ĐŽĐ»Ń ŃĐ±ĐŸŃĐ° запОŃĐ”Đč ĐŸĐ±ĐŸ ĐČŃĐ”Ń
ĐŽĐ”ĐčŃŃĐČĐžŃŃ
Ń ĐŽĐ°ĐœĐœŃĐŒĐž ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'ĐĐ°ĐżĐŸĐ»ĐœĐžŃĐ” ĐżĐŸĐ»Ń ĐœĐžĐ¶Đ”, ŃŃĐŸĐ±Ń PrestaShop ŃĐŒĐŸĐł ŃŃŃĐ°ĐœĐŸĐČĐžŃŃ ŃĐŸĐ”ĐŽĐžĐœĐ”ĐœĐžĐ” Ń ĐĐ°ŃĐ”Đč Ń Đ±Đ°Đ·ĐŸĐč ĐŽĐ°ĐœĐœŃŃ
.',
+ 'Database server address' => 'ĐĐŽŃĐ”Ń ŃĐ”ŃĐČĐ”ŃĐ° Đ±Đ°Đ·Ń ĐŽĐ°ĐœĐœŃŃ
',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'ĐĄŃĐ°ĐœĐŽĐ°ŃŃĐœŃĐč ĐżĐŸŃŃ - 3306. ĐŃлО ĐŃ ĐžŃĐżĐŸĐ»ŃĐ·ŃĐ”ŃĐ” ĐŽŃŃĐłĐŸĐč ĐżĐŸŃŃ, ŃĐșажОŃĐ” Đ”ĐłĐŸ ĐČ ĐșĐŸĐœŃĐ” Đ°ĐŽŃĐ”ŃĐ° ĐĐ°ŃĐ”ĐłĐŸ ŃĐ”ŃĐČĐ”ŃĐ°. ĐżŃĐžĐŒĐ”Ń: ":4242".',
+ 'Database name' => 'ĐĐ°Đ·ĐČĐ°ĐœĐžĐ” Đ±Đ°Đ·Ń ĐŽĐ°ĐœĐœŃŃ
',
+ 'Database login' => 'ĐĐŸĐłĐžĐœ Đ±Đ°Đ·Ń ĐŽĐ°ĐœĐœŃŃ
',
+ 'Database password' => 'ĐĐ°ŃĐŸĐ»Ń Đ±Đ°Đ·Ń ĐŽĐ°ĐœĐœŃŃ
',
+ 'Database Engine' => 'ĐĐ°Đ·Đ° ĐŽĐ°ĐœĐœŃŃ
ĐŽĐČОжĐșĐ°',
+ 'Tables prefix' => 'ĐŃĐ”ŃĐžĐșŃ ŃаблОŃ',
+ 'Drop existing tables (mode dev)' => 'УЎалОŃŃ ŃŃŃĐ”ŃŃĐČŃŃŃОД ŃаблОŃŃ (ŃĐ”Đ¶ĐžĐŒ dev)',
+ 'Test your database connection now!' => 'ĐŃĐŸĐČĐ”ŃĐžŃŃ ŃĐŸĐ”ĐŽĐžĐœĐ”ĐœĐžĐ” Ń Đ±Đ°Đ·ĐŸĐč ĐŽĐ°ĐœĐœŃŃ
!',
+ 'Next' => 'ĐпДŃДЎ',
+ 'Back' => 'ĐĐ°Đ·Đ°ĐŽ',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'ĐŃлО ĐĐ°ĐŒ ŃŃДбŃĐ”ŃŃŃ ĐżĐŸĐŒĐŸŃŃ, Đ”Ń ĐŒĐŸĐ¶ĐœĐŸ ĐżĐŸĐ»ŃŃĐžŃŃ ĐŸŃ ĐœĐ°ŃĐ”Đč ĐșĐŸĐŒĐ°ĐœĐŽŃ ĐżĐŸĐŽĐŽĐ”ŃжĐșĐž. йаĐșжД ĐŒĐŸĐ¶ĐœĐŸ ĐČĐŸŃĐżĐŸĐ»ŃĐ·ĐŸĐČĐ°ŃŃŃŃ ĐŸŃĐžŃОалŃĐœĐŸĐč ĐŽĐŸĐșŃĐŒĐ”ĐœŃĐ°ŃОДĐč .',
+ 'Official forum' => 'ĐŃĐžŃОалŃĐœŃĐč ŃĐŸŃŃĐŒ',
+ 'Support' => 'ĐĐŸĐŽĐŽĐ”ŃжĐșĐ°',
+ 'Documentation' => 'ĐĐŸĐșŃĐŒĐ”ĐœŃĐ°ŃĐžŃ',
+ 'Contact us' => 'ĐĄĐČŃжОŃĐ”ŃŃ Ń ĐœĐ°ĐŒĐž',
+ 'PrestaShop Installation Assistant' => 'ĐĐŸĐŒĐŸŃĐœĐžĐș ŃŃŃĐ°ĐœĐŸĐČĐșĐž PrestaShop',
+ 'Forum' => 'Đ€ĐŸŃŃĐŒ',
+ 'Blog' => 'ĐĐ»ĐŸĐł',
+ 'Contact us!' => 'ĐĄĐČŃжОŃĐ”ŃŃ Ń ĐœĐ°ĐŒĐž!',
+ 'menu_welcome' => 'ĐŃĐ±ĐŸŃ ŃĐ·ŃĐșĐ°',
+ 'menu_license' => 'ĐĐžŃĐ”ĐœĐ·ĐžĐŸĐœĐœŃĐ” ŃĐŸĐłĐ»Đ°ŃĐ”ĐœĐžŃ',
+ 'menu_system' => 'ĐĄĐŸĐČĐŒĐ”ŃŃĐžĐŒĐŸŃŃŃ ŃĐžŃŃĐ”ĐŒŃ',
+ 'menu_configure' => 'ĐĐœŃĐŸŃĐŒĐ°ŃĐžŃ ĐŸ ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ”',
+ 'menu_database' => 'ĐĐŸĐœŃОгŃŃĐ°ŃĐžŃ ŃĐžŃŃĐ”ĐŒŃ',
+ 'menu_process' => 'ĐŁŃŃĐ°ĐœĐŸĐČĐșĐ° ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°',
+ 'Installation Assistant' => 'ĐĐŸĐŒĐŸŃĐœĐžĐș ŃŃŃĐ°ĐœĐŸĐČĐșĐž',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'ЧŃĐŸĐ±Ń ŃŃŃĐ°ĐœĐŸĐČĐžŃŃ PrestaShop, ĐĐ°ĐŒ ĐœŃĐ¶ĐœĐŸ ĐČĐșĐ»ŃŃĐžŃŃ JavaScript ĐČ ĐĐ°ŃĐ”ĐŒ бŃĐ°ŃĐ·Đ”ŃĐ”.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/ru/',
+ 'License Agreements' => 'ĐĐžŃĐ”ĐœĐ·ĐžĐŸĐœĐœŃĐ” ŃĐŸĐłĐ»Đ°ŃĐ”ĐœĐžŃ',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'ЧŃĐŸĐ±Ń ĐżĐŸĐ»ŃĐ·ĐŸĐČĐ°ŃŃŃŃ ĐČŃĐ”ĐŒ ŃŃĐœĐșŃĐžĐŸĐœĐ°Đ»ĐŸĐŒ PrestaShop, ĐżŃĐŸŃŃĐžŃĐ” лОŃĐ”ĐœĐ·ĐžĐŸĐœĐœĐŸĐ” ŃĐŸĐłĐ»Đ°ŃĐ”ĐœĐžĐ”. ĐŻĐŽŃĐŸ PrestaShop лОŃĐ”ĐœĐ·ĐžŃĐŸĐČĐ°ĐœĐŸ ĐżĐŸĐŽ OSL 3.0, ĐŒĐŸĐŽŃлО Đž ŃĐ°Đ±Đ»ĐŸĐœŃ - ĐżĐŸĐŽ AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'ĐŻ ĐżŃĐžĐœĐžĐŒĐ°Ń ĐżŃĐ°ĐČОла Đž ŃŃĐ»ĐŸĐČĐžŃ.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'ĐĐœĐ”ŃŃĐž ŃĐČĐŸĐč ĐČĐșлаЎ ĐČ ŃĐ»ŃŃŃĐ”ĐœĐžĐ” ĐżŃĐŸĐłŃĐ°ĐŒĐŒĐœĐŸĐłĐŸ ĐŸĐ±Đ”ŃпДŃĐ”ĐœĐžŃ, ĐŸŃŃĐ°ĐČĐžĐČ Đ°ĐœĐŸĐœĐžĐŒĐœĐŸĐ” ŃĐŸĐŸĐ±ŃĐ”ĐœĐ” ĐŸ ĐĐ°ŃĐ”Đč ĐșĐŸĐœŃĐłŃŃĐ°ŃОО.',
+ 'Done!' => 'ĐĐŸŃĐŸĐČĐŸ!',
+ 'An error occurred during installation...' => 'ĐĐŸ ĐČŃĐ”ĐŒŃ ĐžĐœŃŃаллŃŃОО ĐżŃĐŸĐžĐ·ĐŸŃла ĐŸŃОбĐșĐ°...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'ĐŃ ĐŒĐŸĐ¶Đ”ŃĐ” ĐžŃĐżĐŸĐ»ŃĐ·ĐŸĐČĐ°ŃŃ ŃŃŃĐ»ĐșĐž лДĐČĐŸĐč ĐșĐŸĐ»ĐŸĐœĐșĐž ĐŽĐ»Ń ĐżĐ”ŃĐ”Ń
ĐŸĐŽĐ° Đș ĐżŃДЎŃĐŽŃŃĐžĐŒ ŃŃĐ°ĐżĐ°ĐŒ ОлО жД ĐœĐ°ŃĐ°ŃŃ ŃŃŃĐ°ĐœĐŸĐČĐșŃ Đ·Đ°ĐœĐŸĐČĐŸ, ĐșлОĐșĐœŃĐČ Đ·ĐŽĐ”ŃŃ .',
+ 'Your installation is finished!' => 'ĐŃĐŸŃĐ”ŃŃ ŃŃŃĐ°ĐœĐŸĐČĐșĐž ŃпДŃĐœĐŸ Đ·Đ°ĐČĐ”ŃŃĐ”Đœ',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'ĐŁŃŃĐ°ĐœĐŸĐČĐșĐ° ĐĐ°ŃĐ”ĐłĐŸ ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ° ŃŃпДŃĐœĐŸ Đ·Đ°ĐČĐ”ŃŃĐ”ĐœĐ°. ХпаŃĐžĐ±ĐŸ, ŃŃĐŸ ĐŃ ĐČŃбŃалО PrestaShop!',
+ 'Please remember your login information:' => 'ĐĐ°ĐżĐŸĐŒĐœĐžŃĐ”, ĐżĐŸĐ¶Đ°Đ»ŃĐčŃŃĐ°, ĐĐ°ŃĐž ĐžĐŽĐ”ĐœŃĐžŃĐžĐșĐ°ŃĐžĐŸĐœĐœŃĐ” ĐŽĐ°ĐœĐœŃĐ”:',
+ 'E-mail' => 'E-mail',
+ 'Print my login information' => 'Đ Đ°ŃпДŃĐ°ŃĐ°ŃŃ ĐžĐœŃĐŸŃĐŒĐ°ŃĐžŃ ĐŸ ĐŒĐŸĐ”Đč ŃŃĐ”ŃĐœĐŸĐč запОŃĐž',
+ 'Password' => 'ĐĐ°ŃĐŸĐ»Ń',
+ 'Display' => 'ĐĐŸĐșĐ°Đ·Đ°ŃŃ',
+ 'For security purposes, you must delete the "install" folder.' => 'Đ ŃДлŃŃ
Đ±Đ”Đ·ĐŸĐżĐ°ŃĐœĐŸŃŃĐž, ŃЎалОŃĐ” папĐșŃ "install\'.',
+ 'Back Office' => 'ĐĐŽĐŒĐžĐœĐžŃŃŃĐ°ŃĐžĐČĐœĐ°Ń ŃĐ°ŃŃŃ',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'ĐĐ°ĐłĐ°Đ·ĐžĐœ ŃĐżŃĐ°ĐČĐ»ŃĐ”ŃŃŃ ĐžĐ· ĐĐ°ĐœĐ”Đ»Đž ŃĐżŃĐ°ĐČĐ»Đ”ĐœĐžŃ. ĐŁĐżŃĐ°ĐČĐ»ŃĐčŃĐ” Đ·Đ°ĐșĐ°Đ·Đ°ĐŒĐž Đž ĐșĐ»ĐžĐ”ĐœŃĐ°ĐŒĐž, ĐŽĐŸĐ±Đ°ĐČĐ»ŃĐčŃĐ” ĐŒĐŸĐŽŃлО, ĐŒĐ”ĐœŃĐčŃĐ” ŃĐ°Đ±Đ»ĐŸĐœŃ Đž Ń.ĐŽ.',
+ 'Manage your store' => 'ĐŁĐżŃĐ°ĐČĐ»Đ”ĐœĐžĐ” ĐĐ°ŃĐžĐŒ ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐŸĐŒ',
+ 'Front Office' => 'ĐĐ»ĐžĐ”ĐœŃŃĐșĐ°Ń ŃĐ°ŃŃŃ',
+ 'Discover your store as your future customers will see it!' => 'ĐŃĐŸŃĐŒĐŸŃŃĐžŃĐ” ĐŒĐ°ĐłĐ°Đ·ĐžĐœ ŃĐ°ĐșĐžĐŒ, ĐșĐ°ĐșĐžĐŒ Đ”ĐłĐŸ ŃĐČОЎŃŃ ĐĐ°ŃĐž ĐșĐ»ĐžĐ”ĐœŃŃ!',
+ 'Discover your store' => 'ĐĐžŃŃĐžĐœĐ° ĐĐ°ŃĐ”ĐłĐŸ ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°',
+ 'Share your experience with your friends!' => 'ĐĐŸĐŽĐ”Đ»ĐžŃĐ”ŃŃ ĐŸĐżŃŃĐŸĐŒ Ń ĐŽŃŃĐ·ŃŃĐŒĐž!',
+ 'I just built an online store with PrestaShop!' => 'ĐŻ ŃĐŸĐ»ŃĐșĐŸ ŃŃĐŸ ŃĐŸĐ·ĐŽĐ°Đ» ĐžĐœŃĐ”ŃĐœĐ”Ń-ĐŒĐ°ĐłĐ°Đ·ĐžĐœ ĐœĐ° базД PrestaShop!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'ĐĐ·ĐœĐ°ĐșĐŸĐŒŃŃĐ”ŃŃ Ń ĐČĐžĐŽĐ”ĐŸĐżŃĐ”Đ·Đ”ĐœŃĐ°ŃОДĐč: http://vimeo.com/89298199',
+ 'Tweet' => 'ĐąĐČĐžŃ',
+ 'Share' => 'ĐĐŸĐŽĐ”Đ»ĐžŃŃŃŃ',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'ĐзглŃĐœĐžŃĐ” ĐœĐ° ĐŽĐŸĐżĐŸĐ»ĐœĐ”ĐœĐžŃ Đș PrestaShop, ĐŸĐœĐž ĐżĐŸĐ·ĐČĐŸĐ»ŃŃŃ Đ”ŃĐ” Đ±ĐŸĐ»Đ”Đ” ŃĐ°ŃŃĐžŃĐžŃŃ ŃŃĐœĐșŃОО ĐČĐ°ŃĐ”ĐłĐŸ ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'ĐŃĐŸĐČĐ”ŃŃĐ”ŃŃŃ ŃĐŸĐČĐŒĐ”ŃŃĐžĐŒĐŸŃŃŃ PrestaShop Ń ĐĐ°ŃĐ”Đč ŃĐžŃŃĐ”ĐŒĐŸĐč',
+ 'If you have any questions, please visit our documentation and community forum .' => 'ĐŃлО Ń ĐĐ°Ń ĐČĐŸĐ·ĐœĐžĐșĐœŃŃ ĐČĐŸĐżŃĐŸŃŃ, ĐŃ ŃĐŒĐŸĐ¶Đ”ŃĐ” ĐœĐ°ĐčŃĐž ĐŸŃĐČĐ”ŃŃ ĐœĐ° ĐœĐžŃ
ĐČ ĐœĐ°ŃĐ”Đč ĐŽĐŸĐșŃĐŒĐ”ĐœŃĐ°ŃОО Đž ĐœĐ° ŃĐŸŃŃĐŒĐ” ŃĐŸĐŸĐ±ŃĐ”ŃŃĐČĐ° .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'ĐĐ°ŃĐ° ŃĐžŃŃĐ”ĐŒĐ° ĐżĐŸĐ»ĐœĐŸŃŃŃŃ ĐłĐŸŃĐŸĐČĐ° Đș ŃŃŃĐ°ĐœĐŸĐČĐșĐ” PrestaShop!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'ĐĐč! ĐŃĐżŃĐ°ĐČŃŃĐ” ĐœĐ°ŃŃŃĐŸĐčĐșĐž ĐČŃŃĐ” Đž ĐœĐ°Đ¶ĐŒĐžŃĐ” "ĐĐŸĐČŃĐŸŃĐœĐ°Ń ĐżŃĐŸĐČĐ”ŃĐșĐ°", ŃŃĐŸĐ±Ń ĐżŃĐŸĐČĐ”ŃĐžŃŃ ŃĐŸĐČĐŒĐ”ŃŃĐžĐŒĐŸŃŃŃ Ń ĐĐ°ŃĐ”Đč ŃĐžŃŃĐ”ĐŒĐŸĐč.',
+ 'Refresh these settings' => 'ĐĐŸĐČŃĐŸŃĐœĐŸ ĐżŃĐŸĐČĐ”ŃĐžŃŃ ŃŃĐž ŃŃŃĐ°ĐœĐŸĐČĐșĐž',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop ŃŃДбŃĐ”Ń ĐżĐŸ ĐŒĐ”ĐœŃŃĐ”Đč ĐŒĐ”ŃĐ” 32 Đб ĐżĐ°ĐŒŃŃĐž ĐŽĐ»Ń Đ·Đ°ĐżŃŃĐșĐ°: ĐżĐŸĐ¶Đ°Đ»ŃĐčŃŃĐ°, ĐżŃĐŸĐČĐ”ŃŃŃĐ” "memory_limit" ĐœĐ°ĐżŃŃĐŒŃŃ ĐČ ŃĐ°ĐčлД php.ini ОлО ŃĐČŃжОŃĐ”ŃŃ Ń ĐĐ°ŃĐžĐŒ Ń
ĐŸŃŃĐžĐœĐł-ĐżŃĐŸĐČĐ°ĐčĐŽĐ”ŃĐŸĐŒ.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'ĐĐœĐžĐŒĐ°ĐœĐžĐ”: ĐŃ Đ±ĐŸĐ»ŃŃĐ” ĐœĐ” ĐŒĐŸĐ¶Đ”ŃĐ” ĐžŃĐżĐŸĐ»ŃĐ·ĐŸĐČĐ°ŃŃ ŃŃĐŸŃ ĐžĐœŃŃŃŃĐŒĐ”ĐœŃ ĐŽĐ»Ń ĐŸĐ±ĐœĐŸĐČĐ»Đ”ĐœĐžŃ ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°. ĐŁ ĐĐ°Ń ŃжД ŃŃŃĐ°ĐœĐŸĐČĐ»Đ”ĐœĐ° ĐČĐ”ŃŃĐžŃ %1$s PrestaShop . ĐŃлО ĐŃ Ń
ĐŸŃĐžŃĐ” ĐŸĐ±ĐœĐŸĐČĐžŃŃ ĐŽĐŸ ĐżĐŸŃĐ»Đ”ĐŽĐœĐ”Đč ĐČĐ”ŃŃОО, ĐżĐŸĐ¶Đ°Đ»ŃĐčŃŃĐ°, ŃĐžŃĐ°ĐčŃĐ” ĐœĐ°ŃŃ ĐŽĐŸĐșŃĐŒĐ”ĐœŃĐ°ŃĐžŃ: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'ĐĐŸĐ±ŃĐŸ ĐżĐŸĐ¶Đ°Đ»ĐŸĐČĐ°ŃŃ ĐČ ĐĐŸĐŒĐŸŃĐœĐžĐș ŃŃŃĐ°ĐœĐŸĐČĐșĐž! ĐŃ ŃŃŃĐ°ĐœĐ°ĐČлОĐČĐ°Đ”ŃĐ” PrestaShop ĐČĐ”ŃŃОО %s',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'ĐŁŃŃĐ°ĐœĐŸĐČĐșĐ° PrestaShop лДгĐșĐ°Ń Đž ĐœĐ” Đ·Đ°ĐœĐžĐŒĐ°Đ”Ń ĐŒĐœĐŸĐłĐŸ ĐČŃĐ”ĐŒĐ”ĐœĐž. ĐŃĐșĐŸŃĐ” ĐŃ ŃŃĐ°ĐœĐ”ŃĐ” ŃĐ°ŃŃŃŃ ŃĐŸĐŸĐ±ŃĐ”ŃŃĐČĐ°, ŃĐŸŃŃĐŸŃŃĐ”ĐłĐŸ Оз Đ±ĐŸĐ»Đ”Đ” ŃĐ”ĐŒ 230 000 ŃŃĐ°ŃŃĐœĐžĐșĐŸĐČ. ĐŃ ĐœĐ°Ń
ĐŸĐŽĐžŃĐ”ŃŃ ĐœĐ° ĐżŃŃĐž Đș ŃĐŸĐ·ĐŽĐ°ĐœĐžŃ ŃĐČĐŸĐ”ĐłĐŸ ŃĐŸĐ±ŃŃĐČĐ”ĐœĐœĐŸĐłĐŸ ŃĐœĐžĐșĐ°Đ»ŃĐœĐŸĐłĐŸ ĐžĐœŃĐ”ŃĐœĐ”Ń-ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°, ĐșĐŸŃĐŸŃŃĐŒ лДгĐșĐŸ ŃĐżŃĐ°ĐČĐ»ŃŃŃ, ĐŽĐ”ĐœŃ Đ·Đ° ĐŽĐœĐ”ĐŒ.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'ĐŃлО ĐĐ°ĐŒ ŃŃДбŃĐ”ŃŃŃ ĐżĐŸĐŒĐŸŃŃ, ĐœĐ” ŃŃĐ”ŃĐœŃĐčŃĐ”ŃŃ Đ·Đ°ĐłĐ»ŃĐŽŃĐČĐ°ŃŃ ĐČ ŃŃĐŸ ŃŃĐșĐŸĐČĐŸĐŽŃŃĐČĐŸ ОлО ĐČ ĐŸŃĐžŃОалŃĐœŃŃ ĐŽĐŸĐșŃĐŒĐ”ĐœŃĐ°ŃĐžŃ .',
+ 'Continue the installation in:' => 'ĐŃĐŸĐŽĐŸĐ»Đ¶ĐžŃŃ ŃŃŃĐ°ĐœĐŸĐČĐșŃ ĐœĐ° ŃĐ·ŃĐșĐ”:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'ĐŃбŃĐ°ĐœĐœŃĐč ĐĐ°ĐŒĐž ŃĐ·ŃĐș бŃĐŽĐ”Ń ĐžŃĐżĐŸĐ»ŃĐ·ĐŸĐČĐ°Đœ ŃĐŸĐ»ŃĐșĐŸ ĐČ ĐĐŸĐŒĐŸŃĐœĐžĐșĐ” ŃŃŃĐ°ĐœĐŸĐČĐșĐž. ĐĐŸ ĐŸĐșĐŸĐœŃĐ°ĐœĐžĐž ŃŃŃĐ°ĐœĐŸĐČĐșĐž ĐŃ ĐŒĐŸĐ¶Đ”ŃĐ” ĐČŃбŃĐ°ŃŃ Đ»ŃĐ±ĐŸĐč Оз %d бДŃплаŃĐœŃŃ
пДŃĐ”ĐČĐŸĐŽĐŸĐČ!',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'ĐŁŃŃĐ°ĐœĐŸĐČĐșĐ° PrestaShop лДгĐșĐ°Ń Đž ĐœĐ” Đ·Đ°ĐœĐžĐŒĐ°Đ”Ń ĐŒĐœĐŸĐłĐŸ ĐČŃĐ”ĐŒĐ”ĐœĐž. ĐŃĐșĐŸŃĐ” ĐŃ ŃŃĐ°ĐœĐ”ŃĐ” ŃĐ°ŃŃŃŃ ŃĐŸĐŸĐ±ŃĐ”ŃŃĐČĐ°, ŃĐŸŃŃĐŸŃŃĐ”ĐłĐŸ Оз Đ±ĐŸĐ»Đ”Đ” ŃĐ”ĐŒ 250 000 ŃŃĐ°ŃŃĐœĐžĐșĐŸĐČ. ĐŃ ĐœĐ°Ń
ĐŸĐŽĐžŃĐ”ŃŃ ĐœĐ° ĐżŃŃĐž Đș ŃĐŸĐ·ĐŽĐ°ĐœĐžŃ ŃĐČĐŸĐ”ĐłĐŸ ŃĐŸĐ±ŃŃĐČĐ”ĐœĐœĐŸĐłĐŸ ŃĐœĐžĐșĐ°Đ»ŃĐœĐŸĐłĐŸ ĐžĐœŃĐ”ŃĐœĐ”Ń-ĐŒĐ°ĐłĐ°Đ·ĐžĐœĐ°, ĐșĐŸŃĐŸŃŃĐŒ лДгĐșĐŸ ŃĐżŃĐ°ĐČĐ»ŃŃŃ, ĐŽĐ”ĐœŃ Đ·Đ° ĐŽĐœĐ”ĐŒ.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/ru/language.xml b/_install/langs/ru/language.xml
new file mode 100644
index 00000000..48ef9a1a
--- /dev/null
+++ b/_install/langs/ru/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ ru-ru
+ m/j/Y
+ m/j/Y H:i:s
+ false
+
diff --git a/_install/langs/ru/mail_identifiers.txt b/_install/langs/ru/mail_identifiers.txt
new file mode 100644
index 00000000..7915e5aa
--- /dev/null
+++ b/_install/langs/ru/mail_identifiers.txt
@@ -0,0 +1,10 @@
+ĐĐŽŃĐ°ĐČŃŃĐČŃĐčŃĐ”, {firstname} {lastname},
+
+ĐĐ°ŃĐž пДŃŃĐŸĐœĐ°Đ»ŃĐœŃĐ” ĐŽĐ°ĐœĐœŃĐ” ĐŽĐ»Ń ĐČŃ
ĐŸĐŽĐ° ĐČ {shop_name}:
+
+ĐлДĐșŃŃĐŸĐœĐœĐ°Ń ĐżĐŸŃŃĐ°: {email}
+ĐĐ°ŃĐŸĐ»Ń: {passwd}
+
+{shop_name} - {shop_url}
+
+{shop_url} ĐżĐŸĐŽ ŃĐżŃĐ°ĐČĐ»Đ”ĐœĐžĐ”ĐŒ PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/si/data/carrier.xml b/_install/langs/si/data/carrier.xml
new file mode 100644
index 00000000..343fa6f5
--- /dev/null
+++ b/_install/langs/si/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Pick up in-store
+
+
diff --git a/_install/langs/si/data/category.xml b/_install/langs/si/data/category.xml
new file mode 100644
index 00000000..87b90b95
--- /dev/null
+++ b/_install/langs/si/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Root
+
+ root
+
+
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/si/data/cms.xml b/_install/langs/si/data/cms.xml
new file mode 100644
index 00000000..862d84ff
--- /dev/null
+++ b/_install/langs/si/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ю</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ю</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/_install/langs/si/data/cms_category.xml b/_install/langs/si/data/cms_category.xml
new file mode 100644
index 00000000..ceb8cf49
--- /dev/null
+++ b/_install/langs/si/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/si/data/configuration.xml b/_install/langs/si/data/configuration.xml
new file mode 100644
index 00000000..b4bf4ef6
--- /dev/null
+++ b/_install/langs/si/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/_install/langs/si/data/contact.xml b/_install/langs/si/data/contact.xml
new file mode 100644
index 00000000..bdc0b24d
--- /dev/null
+++ b/_install/langs/si/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/_install/langs/si/data/country.xml b/_install/langs/si/data/country.xml
new file mode 100644
index 00000000..d57ea1e3
--- /dev/null
+++ b/_install/langs/si/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
+
+
+ Andorra
+
+
+ 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/_install/langs/si/data/gender.xml b/_install/langs/si/data/gender.xml
new file mode 100644
index 00000000..2b2a4aa5
--- /dev/null
+++ b/_install/langs/si/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/si/data/group.xml b/_install/langs/si/data/group.xml
new file mode 100644
index 00000000..2d1b7093
--- /dev/null
+++ b/_install/langs/si/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/si/data/index.php b/_install/langs/si/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/si/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/si/data/meta.xml b/_install/langs/si/data/meta.xml
new file mode 100644
index 00000000..f5e49496
--- /dev/null
+++ b/_install/langs/si/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
+
+
+
+ Shop powered by PrestaShop
+
+
+
+
+ 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/_install/langs/si/data/order_return_state.xml b/_install/langs/si/data/order_return_state.xml
new file mode 100644
index 00000000..37ad31de
--- /dev/null
+++ b/_install/langs/si/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ Waiting for confirmation
+
+
+ Waiting for package
+
+
+ Package received
+
+
+ Return denied
+
+
+ Return completed
+
+
diff --git a/_install/langs/si/data/order_state.xml b/_install/langs/si/data/order_state.xml
new file mode 100644
index 00000000..df07fb2e
--- /dev/null
+++ b/_install/langs/si/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ Awaiting check payment
+ cheque
+
+
+ Payment accepted
+ payment
+
+
+ Processing in progress
+ preparation
+
+
+ Shipped
+ shipped
+
+
+ Delivered
+
+
+
+ Canceled
+ order_canceled
+
+
+ Refund
+ refund
+
+
+ Payment error
+ payment_error
+
+
+ On backorder (paid)
+ outofstock
+
+
+ On backorder (not paid)
+ outofstock
+
+
+ Awaiting bank wire payment
+ bankwire
+
+
+ Awaiting PayPal payment
+
+
+
+ Remote payment accepted
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/si/data/profile.xml b/_install/langs/si/data/profile.xml
new file mode 100644
index 00000000..7352a78c
--- /dev/null
+++ b/_install/langs/si/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/si/data/quick_access.xml b/_install/langs/si/data/quick_access.xml
new file mode 100644
index 00000000..72e5a5b9
--- /dev/null
+++ b/_install/langs/si/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/si/data/risk.xml b/_install/langs/si/data/risk.xml
new file mode 100644
index 00000000..bb8bf6dd
--- /dev/null
+++ b/_install/langs/si/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/si/data/stock_mvt_reason.xml b/_install/langs/si/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..e04ec4eb
--- /dev/null
+++ b/_install/langs/si/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Increase
+
+
+ Decrease
+
+
+ Customer Order
+
+
+ Regulation following an inventory of stock
+
+
+ Regulation following an inventory of stock
+
+
+ Transfer to another warehouse
+
+
+ Transfer from another warehouse
+
+
+ Supply Order
+
+
diff --git a/_install/langs/si/data/supplier_order_state.xml b/_install/langs/si/data/supplier_order_state.xml
new file mode 100644
index 00000000..dfc4ce42
--- /dev/null
+++ b/_install/langs/si/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/si/data/supply_order_state.xml b/_install/langs/si/data/supply_order_state.xml
new file mode 100644
index 00000000..1e8903f0
--- /dev/null
+++ b/_install/langs/si/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Creation in progress
+
+
+ 2 - Order validated
+
+
+ 3 - Pending receipt
+
+
+ 4 - Order received in part
+
+
+ 5 - Order received completely
+
+
+ 6 - Order canceled
+
+
diff --git a/_install/langs/si/data/tab.xml b/_install/langs/si/data/tab.xml
new file mode 100644
index 00000000..cdf7eac6
--- /dev/null
+++ b/_install/langs/si/data/tab.xml
@@ -0,0 +1,102 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/si/flag.jpg b/_install/langs/si/flag.jpg
new file mode 100644
index 00000000..1d84e0f2
Binary files /dev/null and b/_install/langs/si/flag.jpg differ
diff --git a/_install/langs/si/img/index.php b/_install/langs/si/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/si/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/si/img/si-default-category.jpg b/_install/langs/si/img/si-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/si/img/si-default-category.jpg differ
diff --git a/_install/langs/si/img/si-default-home.jpg b/_install/langs/si/img/si-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/si/img/si-default-home.jpg differ
diff --git a/_install/langs/si/img/si-default-large.jpg b/_install/langs/si/img/si-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/si/img/si-default-large.jpg differ
diff --git a/_install/langs/si/img/si-default-large_scene.jpg b/_install/langs/si/img/si-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/si/img/si-default-large_scene.jpg differ
diff --git a/_install/langs/si/img/si-default-medium.jpg b/_install/langs/si/img/si-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/si/img/si-default-medium.jpg differ
diff --git a/_install/langs/si/img/si-default-small.jpg b/_install/langs/si/img/si-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/si/img/si-default-small.jpg differ
diff --git a/_install/langs/si/img/si-default-thickbox.jpg b/_install/langs/si/img/si-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/si/img/si-default-thickbox.jpg differ
diff --git a/_install/langs/si/img/si-default-thumb_scene.jpg b/_install/langs/si/img/si-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/si/img/si-default-thumb_scene.jpg differ
diff --git a/_install/langs/si/img/si.jpg b/_install/langs/si/img/si.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/si/img/si.jpg differ
diff --git a/_install/langs/si/index.php b/_install/langs/si/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/si/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/si/install.php b/_install/langs/si/install.php
new file mode 100644
index 00000000..3fe7749c
--- /dev/null
+++ b/_install/langs/si/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'PriĆĄlo je do SQL napake za entiteto %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'Ne morem ustvariti slike "%1$s" za entiteto "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Ne morem ustvariti slike "%1$s" (nezadostne pravice za mapo "%2$s")',
+ 'Cannot create image "%s"' => 'Ne morem ustvariti slike "%s"',
+ 'SQL error on query %s ' => 'SQL napaka za poizvedbo %s ',
+ '%s Login information' => '%s Podatki za prijavo',
+ 'Field required' => 'Zahtevano polje',
+ 'Invalid shop name' => 'Neveljavno ime trgovine',
+ 'The field %s is limited to %d characters' => 'Polje %s je omejeno na %d znakov',
+ 'Your firstname contains some invalid characters' => 'VaĆĄe ime vsebuje neveljavne znake',
+ 'Your lastname contains some invalid characters' => 'VaĆĄ priimek vsebuje neveljavne znake',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Geslo je neveljavno (alfanumeriÄni niz z vsaj 8 znaki)',
+ 'Password and its confirmation are different' => 'Geslo in potrditev gesla sta razliÄni',
+ 'This e-mail address is invalid' => 'E-poĆĄtni naslov je napaÄen!',
+ 'Image folder %s is not writable' => 'Mapa slik %s ni zapisljiva',
+ 'An error occurred during logo copy.' => 'PriĆĄlo je do napake pri kopiranju logotipa.',
+ 'An error occurred during logo upload.' => 'PriĆĄlo je do napake pri prenaĆĄanju logotipa.',
+ 'Lingerie and Adult' => 'Perilo in Odrasli',
+ 'Animals and Pets' => 'Ćœivali in ljubljenÄki',
+ 'Art and Culture' => 'Umetnost in kultura',
+ 'Babies' => 'DojenÄki',
+ 'Beauty and Personal Care' => 'Lepota in osebna nega',
+ 'Cars' => 'Avtomobili',
+ 'Computer Hardware and Software' => 'RaÄunalniĆĄka in programska oprema',
+ 'Download' => 'NaloĆŸi',
+ 'Fashion and accessories' => 'Moda in modni dodatki',
+ 'Flowers, Gifts and Crafts' => 'RoĆŸe, darila in umetnine',
+ 'Food and beverage' => 'Hrana in pjaÄa',
+ 'HiFi, Photo and Video' => 'Hifi, slike in video',
+ 'Home and Garden' => 'Dom in vrt',
+ 'Home Appliances' => 'Gospodinjski aparati',
+ 'Jewelry' => 'Nakit',
+ 'Mobile and Telecom' => 'Telefoni in telefonija',
+ 'Services' => 'Storitve',
+ 'Shoes and accessories' => 'Äevlji in dodatki',
+ 'Sports and Entertainment' => 'Ć port in zabava',
+ 'Travel' => 'Potovanje',
+ 'Database is connected' => 'Podatkovna baza je povezana',
+ 'Database is created' => 'Podatkovna baza je ustvarjena',
+ 'Cannot create the database automatically' => 'Ne morem avtomatsko ustvariti podatkovne baze',
+ 'Create settings.inc file' => 'Ustvarjam settings.inc datoteko',
+ 'Create database tables' => 'Ustvarjam tabele podatkovne baze',
+ 'Create default shop and languages' => 'Ustvarjam privzeto trgovino in jezike',
+ 'Populate database tables' => 'Polnim podatkovne baze',
+ 'Configure shop information' => 'Konfiguriram podatke o trgovini',
+ 'Install demonstration data' => 'Nalagam demo podatke',
+ 'Install modules' => 'NameĆĄÄam module',
+ 'Install Addons modules' => 'NameĆĄÄam dodatne module',
+ 'Install theme' => 'NameĆĄÄam predlogo',
+ 'Required PHP parameters' => 'Zahtevani PHP parametri',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 ali novejĆĄi ni omogoÄen',
+ 'Cannot upload files' => 'Ne morem naloĆŸiti datotek',
+ 'Cannot create new files and folders' => 'Ne morem ustvariti novih datotek in map',
+ 'GD library is not installed' => 'GD knjiĆŸnica ni nameĆĄÄena',
+ 'MySQL support is not activated' => 'MySQL podpora ni aktivirana',
+ 'Files' => 'Datoteke',
+ 'Not all files were successfully uploaded on your server' => 'Vse datoteke niso bile uspeĆĄno nameĆĄÄene na streĆŸnik',
+ 'Permissions on files and folders' => 'Dovoljenja za datoteke in mape',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Rekurzivna dovoljenja zapisa za %1$s uporabnika na %2$s',
+ 'Recommended PHP parameters' => 'PriporoÄeni PHP parametri',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => 'Uporabljate PHP verzijo %s . Kmalu bo zadnja PHP verzija podprta od PrestaShop PHP 5.4. Da boste priprvaljeni za prihodnost, vam priporoÄamo, da sedaj posodobite na PHP 5.4 verzijo!',
+ 'Cannot open external URLs' => 'Ne morem odpreti zunanjih URL-jev',
+ 'PHP register_globals option is enabled' => 'PHP register_globals opcija je omogoÄena',
+ 'GZIP compression is not activated' => 'GZIP compression ni aktivirana',
+ 'Mcrypt extension is not enabled' => 'Mcrypt ni omogoÄen',
+ 'Mbstring extension is not enabled' => 'Mbstring ni omogoÄen',
+ 'PHP magic quotes option is enabled' => 'PHP magic quotes opcija je omogoÄena',
+ 'Dom extension is not loaded' => 'Dom ni naloĆŸen',
+ 'PDO MySQL extension is not loaded' => 'PDO MySQL extension ni naloĆŸen',
+ 'Server name is not valid' => 'Ime streĆŸnika je neveljavno',
+ 'You must enter a database name' => 'Vnesti morate ime podatkovne baze',
+ 'You must enter a database login' => 'Vnesti morate uporabnika podatkovne baze',
+ 'Tables prefix is invalid' => 'Predpona tabel ni veljavna',
+ 'Cannot convert database data to utf-8' => 'Ne morem spremeniti podatkov baze v utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Vsaj ena tabela z isto predpono je najdena, prosimo spremenite predpono ali izpraznite podatkovno bazo',
+ 'The values of auto_increment increment and offset must be set to 1' => 'Vrednost auto_increment increment in offset mora biti nastavljeno na 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'Ne najdem streĆŸnika podatkovnih baz. Prosim preveri uporabnika, geslo in streĆŸniĆĄka polja',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'Povezava na MySQL streĆŸnik je bila uspeĆĄna vendar ne najdem podatkovne baze "%s"',
+ 'Attempt to create the database automatically' => 'Poizkus avtomatskega kreiranja podatkovne baze',
+ '%s file is not writable (check permissions)' => 'Datoteka %s ni zapisljiva (preveri dovoljenja)',
+ '%s folder is not writable (check permissions)' => 'Datoteka %s ni zapisljiva (preveri dovoljenja)',
+ 'Cannot write settings file' => 'Ne morem zapisati datoteke z nastavitvami',
+ 'Database structure file not found' => 'Ne najdem strukturne datoteke podatkovne baze',
+ 'Cannot create group shop' => 'Ne morem ustvariti skupine trgovin',
+ 'Cannot create shop' => 'Ne morem ustvariti trgovine',
+ 'Cannot create shop URL' => 'Ne morem ustvariti URL-ja trgovine',
+ 'File "language.xml" not found for language iso "%s"' => 'Ne najdem datoteke "language.xml" za jezik iso "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'Datoteka "language.xml" za jezik iso "%s" ni veljavna',
+ 'Cannot install language "%s"' => 'Ne morem namestiti jezika "%s"',
+ 'Cannot copy flag language "%s"' => 'Ne morem kopirati zastave jezika "%s"',
+ 'Cannot create admin account' => 'Ne morem ustvariti administratorskega raÄuna',
+ 'Cannot install module "%s"' => 'Ne morem namestiti modula "%s"',
+ 'Fixtures class "%s" not found' => 'Ne najdem razreda "%s"',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" mora biti primer od "InstallXmlLoader"',
+ 'Information about your Store' => 'Podatki o tvoji trgovini',
+ 'Shop name' => 'Ime trgovine',
+ 'Main activity' => 'Glavna aktivnost',
+ 'Please choose your main activity' => 'Prosimo, izberi glavno aktivnost',
+ 'Other activity...' => 'Druge aktivnosti...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Pomagaj nam izvedeti veÄ o tvoji trgovini, da ti lahko zagotovimo optimalne napotke in najboljĆĄe znaÄilnosti za tvoj posel!',
+ 'Install demo products' => 'Namesti demo izdelke',
+ 'Yes' => 'Da',
+ 'No' => 'Ne',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demo izdelki so dober naÄin za uÄenje delovanja PrestaShop-a. PriporoÄamo namestitev Äe ĆĄe niste seznanjeni z delovanjem.',
+ 'Country' => 'DrĆŸava',
+ 'Select your country' => 'Izberi drĆŸavo',
+ 'Shop timezone' => 'Äasovni pas trgovine',
+ 'Select your timezone' => 'Izberi tvoj Äasovni pas',
+ 'Shop logo' => 'Logo trgovine',
+ 'Optional - You can add you logo at a later time.' => 'Opcija - Logo lahko dodaĆĄ kasneje.',
+ 'Your Account' => 'VaĆĄ raÄun',
+ 'First name' => 'Ime',
+ 'Last name' => 'Priimek',
+ 'E-mail address' => 'E-naslov',
+ 'This email address will be your username to access your store\'s back office.' => 'Ta email naslov bo tvoje uporabniĆĄko ime za dostop do administracije trgovine.',
+ 'Shop password' => 'Geslo trgovine',
+ 'Must be at least 8 characters' => 'Mora vebovati vsaj 8 znakov',
+ 'Re-type to confirm' => 'Ponovno vpiĆĄi za potrditev',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'Vse informacije, ki nam jih posredujete se zberejo pri nas in so predmet obdelave podatkov in statistike, to je potrebno za Älane druĆŸbe PrestaShop, da se odzove na vaĆĄe zahteve. VaĆĄi osebni podatki se lahko sporoÄijo ponudnikom storitev in partnerjem v okviru partnerskih odnosov. V skladu s sedanjo "Zakon o obdelavi podatkov, podatkovnih zbirkah in posameznih svoboĆĄÄinah" imate pravico do dostopa, popraviti in nasprotovati obdelavi vaĆĄih osebnih podatkov preko te povezave .',
+ 'Configure your database by filling out the following fields' => 'Vzpostavi tvojo podatkovno bazo z vpisom podatkov v spodnja polja',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Za uporabo PrestaShop-a moraĆĄ ustvariti podatkovno bazo za zapis vseh podatkov trgovine.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Prosimo, izpolni spodnja polja, da se PrestaShop lahko poveĆŸe s tvojo podatkovno bazo. ',
+ 'Database server address' => 'Naslov streĆŸnika podatkovnih baz',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Privzeta vrata so 3306. Äe ĆŸelite uporabiti druga vrata, dodajte ĆĄtevilko vrat na konec naslova vaĆĄega streĆŸnika npr. ":4242".',
+ 'Database name' => 'Ime podatkovne baze',
+ 'Database login' => 'Uporabnik podatkovne baze',
+ 'Database password' => 'Geslo podatkovne baze',
+ 'Database Engine' => 'Pogon podatkovne baze',
+ 'Tables prefix' => 'Predpona tabel',
+ 'Drop existing tables (mode dev)' => 'IzbriĆĄi obstojeÄe tabele (mode dev)',
+ 'Test your database connection now!' => 'Testiraj povezavo s podatkovno bazo zdaj!',
+ 'Next' => 'Naprej',
+ 'Back' => 'Nazaj',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Äe potrebujete pomoÄ, lahko dobite prilagojeno pomoÄ od naĆĄe podpore. Uradna dokumentacija vam je tudi na voljo za pomoÄ.',
+ 'Official forum' => 'Uradni forum',
+ 'Support' => 'Podpora',
+ 'Documentation' => 'Dokumentacija',
+ 'Contact us' => 'Kontaktirajte nas',
+ 'PrestaShop Installation Assistant' => 'PomoÄnik za namestitev PrestaShop-a',
+ 'Forum' => 'Forum',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'Kontaktirajte nas!',
+ 'menu_welcome' => 'Izberite svoj jezik',
+ 'menu_license' => 'LicenÄna pogodba',
+ 'menu_system' => 'Kompatibilnost sistema',
+ 'menu_configure' => 'Podatki o trgovini',
+ 'menu_database' => 'Nastavitve sistema',
+ 'menu_process' => 'Namestitev trgovine',
+ 'Installation Assistant' => 'PomoÄnik za namestitev',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Za namestitev Prestashop-a mora biti omiogoÄen JavaScript v vaĆĄem brskalniku.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/',
+ 'License Agreements' => 'LicenÄna pogodba',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Za uporabo mnogih brezplaÄnih prednosti Prestashop-a, preberite LicenÄno pogodbo. Jedro Prestashop-a uporablja licenco OSL 3.0, medtem ko moduli in predloge uporabljajo licenco AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'Strinjam se zgornjimi termini in pogoji.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Strinjam se, da bom sodeloval pri izboljĆĄanju reĆĄitve s poĆĄiljanjem anonimnih podatkov o moji konfiguraciji.',
+ 'Done!' => 'KonÄano!',
+ 'An error occurred during installation...' => 'Med namestitvijo je priĆĄlo do napake...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'Za premik naprejĆĄnji korak lahko uporabite povezave v levem stolpcu ali ponovno zaĆŸenite namestitev s klikom tukaj .',
+ 'Your installation is finished!' => 'VaĆĄa namestitev je konÄana!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Pravkar ste konÄali namestitev vaĆĄe trgovine. Hvala ker uporabljate PrestaShop!',
+ 'Please remember your login information:' => 'Prosim zapomnite si vaĆĄe podatke za prijavo:',
+ 'E-mail' => 'E-naslov',
+ 'Print my login information' => 'Natisni moje prijavne podatke',
+ 'Password' => 'Geslo:',
+ 'Display' => 'Prikaz',
+ 'For security purposes, you must delete the "install" folder.' => 'Iz varnostnih razlogov morate izbrisati mapo "install".',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Administracija',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Upravljajte vaĆĄo trgovino v Administraciji. Upravljajte vaĆĄa naroÄila in kupce, dodajajte module, spreminjajte predloge itd.',
+ 'Manage your store' => 'Upravljajte vaĆĄo trgovino',
+ 'Front Office' => 'Trgovina',
+ 'Discover your store as your future customers will see it!' => 'Poglejte vaĆĄo trgovino, kot jo bodo videli vaĆĄi bodoÄi kupci!',
+ 'Discover your store' => 'Poglejte vaĆĄo trgovino',
+ 'Share your experience with your friends!' => 'Delite vaĆĄo izkuĆĄnjo s prijatelji!',
+ 'I just built an online store with PrestaShop!' => 'Pravkar sem postavil spletno trgovino s pomoÄjo PrestaShop-a!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Oglejte si to zanimivo izkuĆĄnjo na: http://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'Daj v skupno rabo',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Oglejte si PrestaShop dodatke, da dotane nekaj malega dodatkov v vaĆĄo trgovino!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'Preverjamo zdruĆŸljivost PrestaShop-a s tvojim sistemom',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Äe imaĆĄ vpraĆĄanja, prosim obiĆĄÄi naĆĄo dokumentacijo in forum skupnosti .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'ZdruĆŸljivost PrestaShop-a s tvojim sistemom je preverjena!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Prosimo, popravi spodnje postavke in klikni "OsveĆŸi podatke" za preverjanje zdruĆŸljivosti tvojega novega sistema.',
+ 'Refresh these settings' => 'OsveĆŸi te nastavitve',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop zahteva vsaj 32 MB spomina za delovanje: prosim preverite memory_limit directive v php.ini datoteki ali kontaktirajte vaĆĄega spletnega ponudnika.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Opozorilo: Ne morete veÄ uporabljat tega orodja za posodobitev trgovine. Ćœe imate nameĆĄÄeno PrestaShop verzijo %1$s . Äe ĆŸelite posodobit na zadnjo verzijo, preberite naĆĄo dokumentacijo: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'DobrodoĆĄli v namestitvi PrestaShop %s',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Namestitev PrestaShop je hitra in enostavna. V samo nekaj trenutkih boste postali del skupnosti, v kateri je ĆŸe veÄ kot 230,000 prodajalcev. Ste na poti, da ustavrite svojo unikatno internetno trgovino, ki jo lahko preprosto urejate vsak dan.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'Äe potrebujete pomoÄ, ne odlaĆĄajte z ogledom teh navodil , ali prebrskajte naĆĄo dokumentacijo .',
+ 'Continue the installation in:' => 'Nadaljuj namestitev v:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Zgornja izbira jezika je samo za namestitev. Ko je tvoja trgovina nameĆĄÄena, lahko izbereĆĄ jezik tvoje trgovine med veÄ kot %d prevodi, brezplaÄno!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Namestitev PrestaShop je hitra in enostavna. V samo nekaj trenutkih boste postali del skupnosti, v kateri je ĆŸe veÄ kot 250,000 prodajalcev. Ste na poti, da ustavrite svojo unikatno internetno trgovino, ki jo lahko preprosto urejate vsak dan.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/si/language.xml b/_install/langs/si/language.xml
new file mode 100644
index 00000000..49e74859
--- /dev/null
+++ b/_install/langs/si/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ sl-si
+ d/m/Y
+ d/m/Y H:i:s
+ false
+
diff --git a/_install/langs/si/mail_identifiers.txt b/_install/langs/si/mail_identifiers.txt
new file mode 100644
index 00000000..3f768acb
--- /dev/null
+++ b/_install/langs/si/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Hi {firstname} {lastname},
+
+Here is your personal login information for {shop_name}:
+
+Password: {passwd}
+E-mail address: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/sr/data/carrier.xml b/_install/langs/sr/data/carrier.xml
new file mode 100644
index 00000000..343fa6f5
--- /dev/null
+++ b/_install/langs/sr/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Pick up in-store
+
+
diff --git a/_install/langs/sr/data/category.xml b/_install/langs/sr/data/category.xml
new file mode 100644
index 00000000..87b90b95
--- /dev/null
+++ b/_install/langs/sr/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Root
+
+ root
+
+
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/sr/data/cms.xml b/_install/langs/sr/data/cms.xml
new file mode 100644
index 00000000..1e0d3501
--- /dev/null
+++ b/_install/langs/sr/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 Web site was created using <a href="http://www.prestashop.com">PrestaShop</a>™ open-source software.</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ю</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ю</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 mean
+ 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 services</p>
+ secure-payment
+
+
diff --git a/_install/langs/sr/data/cms_category.xml b/_install/langs/sr/data/cms_category.xml
new file mode 100644
index 00000000..ceb8cf49
--- /dev/null
+++ b/_install/langs/sr/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/sr/data/configuration.xml b/_install/langs/sr/data/configuration.xml
new file mode 100644
index 00000000..26e86e4f
--- /dev/null
+++ b/_install/langs/sr/data/configuration.xml
@@ -0,0 +1,24 @@
+
+
+
+ #IN
+
+
+ #DE
+
+
+ #RE
+
+
+
+
+
+ 0
+
+
+ Dear Customer,
+
+Regards,
+Customer service
+
+
diff --git a/_install/langs/sr/data/contact.xml b/_install/langs/sr/data/contact.xml
new file mode 100644
index 00000000..bdc0b24d
--- /dev/null
+++ b/_install/langs/sr/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/_install/langs/sr/data/country.xml b/_install/langs/sr/data/country.xml
new file mode 100644
index 00000000..d57ea1e3
--- /dev/null
+++ b/_install/langs/sr/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
+
+
+ Andorra
+
+
+ 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/_install/langs/sr/data/gender.xml b/_install/langs/sr/data/gender.xml
new file mode 100644
index 00000000..2b2a4aa5
--- /dev/null
+++ b/_install/langs/sr/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/sr/data/group.xml b/_install/langs/sr/data/group.xml
new file mode 100644
index 00000000..2d1b7093
--- /dev/null
+++ b/_install/langs/sr/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/sr/data/index.php b/_install/langs/sr/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/sr/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/sr/data/meta.xml b/_install/langs/sr/data/meta.xml
new file mode 100644
index 00000000..320b543b
--- /dev/null
+++ b/_install/langs/sr/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
+
+
+
+ Shop powered by PrestaShop
+
+
+
+
+ Manufacturers
+ Manufacturers list
+
+ manufacturers
+
+
+ New products
+ Our new products
+
+ new-products
+
+
+ Forgot your password
+ Enter your e-mail address used to register in goal to get e-mail with your 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
+
+
+ Order slip
+
+
+ order-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/_install/langs/sr/data/order_return_state.xml b/_install/langs/sr/data/order_return_state.xml
new file mode 100644
index 00000000..37ad31de
--- /dev/null
+++ b/_install/langs/sr/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ Waiting for confirmation
+
+
+ Waiting for package
+
+
+ Package received
+
+
+ Return denied
+
+
+ Return completed
+
+
diff --git a/_install/langs/sr/data/order_state.xml b/_install/langs/sr/data/order_state.xml
new file mode 100644
index 00000000..56ff7a1f
--- /dev/null
+++ b/_install/langs/sr/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ Awaiting cheque payment
+ cheque
+
+
+ Payment accepted
+ payment
+
+
+ Preparation in progress
+ preparation
+
+
+ Shipped
+ shipped
+
+
+ Delivered
+
+
+
+ Canceled
+ order_canceled
+
+
+ Refund
+ refund
+
+
+ Payment error
+ payment_error
+
+
+ On backorder (paid)
+ outofstock
+
+
+ On backorder (not paid)
+ outofstock
+
+
+ Awaiting bank wire payment
+ bankwire
+
+
+ Awaiting PayPal payment
+
+
+
+ Remote payment accepted
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/sr/data/profile.xml b/_install/langs/sr/data/profile.xml
new file mode 100644
index 00000000..7352a78c
--- /dev/null
+++ b/_install/langs/sr/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/sr/data/quick_access.xml b/_install/langs/sr/data/quick_access.xml
new file mode 100644
index 00000000..72e5a5b9
--- /dev/null
+++ b/_install/langs/sr/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/sr/data/risk.xml b/_install/langs/sr/data/risk.xml
new file mode 100644
index 00000000..bb8bf6dd
--- /dev/null
+++ b/_install/langs/sr/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/sr/data/stock_mvt_reason.xml b/_install/langs/sr/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..e04ec4eb
--- /dev/null
+++ b/_install/langs/sr/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Increase
+
+
+ Decrease
+
+
+ Customer Order
+
+
+ Regulation following an inventory of stock
+
+
+ Regulation following an inventory of stock
+
+
+ Transfer to another warehouse
+
+
+ Transfer from another warehouse
+
+
+ Supply Order
+
+
diff --git a/_install/langs/sr/data/supplier_order_state.xml b/_install/langs/sr/data/supplier_order_state.xml
new file mode 100644
index 00000000..dfc4ce42
--- /dev/null
+++ b/_install/langs/sr/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/sr/data/supply_order_state.xml b/_install/langs/sr/data/supply_order_state.xml
new file mode 100644
index 00000000..1e8903f0
--- /dev/null
+++ b/_install/langs/sr/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Creation in progress
+
+
+ 2 - Order validated
+
+
+ 3 - Pending receipt
+
+
+ 4 - Order received in part
+
+
+ 5 - Order received completely
+
+
+ 6 - Order canceled
+
+
diff --git a/_install/langs/sr/data/tab.xml b/_install/langs/sr/data/tab.xml
new file mode 100644
index 00000000..e4b584b9
--- /dev/null
+++ b/_install/langs/sr/data/tab.xml
@@ -0,0 +1,103 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/sr/flag.jpg b/_install/langs/sr/flag.jpg
new file mode 100644
index 00000000..552f27a0
Binary files /dev/null and b/_install/langs/sr/flag.jpg differ
diff --git a/_install/langs/sr/img/index.php b/_install/langs/sr/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/sr/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/sr/img/sr-default-category.jpg b/_install/langs/sr/img/sr-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/sr/img/sr-default-category.jpg differ
diff --git a/_install/langs/sr/img/sr-default-home.jpg b/_install/langs/sr/img/sr-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/sr/img/sr-default-home.jpg differ
diff --git a/_install/langs/sr/img/sr-default-large.jpg b/_install/langs/sr/img/sr-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/sr/img/sr-default-large.jpg differ
diff --git a/_install/langs/sr/img/sr-default-large_scene.jpg b/_install/langs/sr/img/sr-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/sr/img/sr-default-large_scene.jpg differ
diff --git a/_install/langs/sr/img/sr-default-medium.jpg b/_install/langs/sr/img/sr-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/sr/img/sr-default-medium.jpg differ
diff --git a/_install/langs/sr/img/sr-default-small.jpg b/_install/langs/sr/img/sr-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/sr/img/sr-default-small.jpg differ
diff --git a/_install/langs/sr/img/sr-default-thickbox.jpg b/_install/langs/sr/img/sr-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/sr/img/sr-default-thickbox.jpg differ
diff --git a/_install/langs/sr/img/sr-default-thumb_scene.jpg b/_install/langs/sr/img/sr-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/sr/img/sr-default-thumb_scene.jpg differ
diff --git a/_install/langs/sr/img/sr.jpg b/_install/langs/sr/img/sr.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/sr/img/sr.jpg differ
diff --git a/_install/langs/sr/index.php b/_install/langs/sr/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/sr/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/sr/install.php b/_install/langs/sr/install.php
new file mode 100644
index 00000000..48f9baec
--- /dev/null
+++ b/_install/langs/sr/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'SQL greĆĄka je uoÄena za entitet %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'Ne moĆŸe se kreirati slika "%1$s" za entitet "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Slika se ne moĆŸe kreirati "%1$s" (loĆĄe dozvole na folderu "%2$s")',
+ 'Cannot create image "%s"' => 'Slika se ne moĆŸe kreirati "%s"',
+ 'SQL error on query %s ' => 'SQL greĆĄka na upitu %s ',
+ '%s Login information' => '%s Informacije o prijavljivanju',
+ 'Field required' => 'Obavezna polja',
+ 'Invalid shop name' => 'PogreĆĄan naziv prodavnice',
+ 'The field %s is limited to %d characters' => 'Polje %s je ograniÄeno na %d znakova',
+ 'Your firstname contains some invalid characters' => 'VaĆĄe ime sadrĆŸi neke nevaĆŸeÄe znakove',
+ 'Your lastname contains some invalid characters' => 'VaĆĄe prezime sadrĆŸi neke nevaĆŸeÄe znakove',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Lozinka je netaÄna (slova i brojevi sa najmanje 8 karaktera)',
+ 'Password and its confirmation are different' => 'Lozinka i njena potvrda se razlikuju',
+ 'This e-mail address is invalid' => 'Ova e-mail adresa je pogreĆĄna!',
+ 'Image folder %s is not writable' => 'U folder slike %s nije moguÄe niĆĄta upisivati',
+ 'An error occurred during logo copy.' => 'DoĆĄlo je do greĆĄke prilikom kopiranja logoa.',
+ 'An error occurred during logo upload.' => 'DoĆĄlo je do greĆĄke prilikom postavljanja logoa.',
+ 'Lingerie and Adult' => 'Donji veĆĄ i za odrasle',
+ 'Animals and Pets' => 'Ćœivotinje i kuÄni ljubimci',
+ 'Art and Culture' => 'Umetnost i kultura',
+ 'Babies' => 'Bebe',
+ 'Beauty and Personal Care' => 'Lepota i liÄna nega',
+ 'Cars' => 'Automobili',
+ 'Computer Hardware and Software' => 'RaÄunari i softver',
+ 'Download' => 'Preuzimanje',
+ 'Fashion and accessories' => 'Moda i modni dodaci',
+ 'Flowers, Gifts and Crafts' => 'CveÄe, pokloni, rukotvorine',
+ 'Food and beverage' => 'Hrana i piÄe',
+ 'HiFi, Photo and Video' => 'Audio i video oprema',
+ 'Home and Garden' => 'Dom i baĆĄta',
+ 'Home Appliances' => 'KuÄni aprati',
+ 'Jewelry' => 'Nakit',
+ 'Mobile and Telecom' => 'Mobilni telefoni',
+ 'Services' => 'Usluge',
+ 'Shoes and accessories' => 'Cipele i pribor',
+ 'Sports and Entertainment' => 'Sport i zabava',
+ 'Travel' => 'Putovanje',
+ 'Database is connected' => 'Baza podataka je povezana',
+ 'Database is created' => 'Baza podataka je kreirana',
+ 'Cannot create the database automatically' => 'Baza podataka se ne moĆŸe napraviti automatski',
+ 'Create settings.inc file' => 'Kreiraj settings.inc fajl',
+ 'Create database tables' => 'Kreiraj tabele baze podataka',
+ 'Create default shop and languages' => 'Kreiraj podrazumevanu prodavnicu i jezike',
+ 'Populate database tables' => 'Popuni tabele baze podataka',
+ 'Configure shop information' => 'KonfiguriĆĄi informacije o prodavnici',
+ 'Install demonstration data' => 'Instaliraj demonstrantne podatke',
+ 'Install modules' => 'Instaliraj module',
+ 'Install Addons modules' => 'Instaliraj dodatne module',
+ 'Install theme' => 'Instaliraj temu',
+ 'Required PHP parameters' => 'Obavezni PHP parametri',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 ili noviji nije ukljuÄen',
+ 'Cannot upload files' => 'Fajlovi se ne mogu postaviti',
+ 'Cannot create new files and folders' => 'Novi fajlovi i folderi se ne mogu kreirati',
+ 'GD library is not installed' => 'GD Library nije instalirana',
+ 'MySQL support is not activated' => 'MySQL podrĆĄka nije aktivirana',
+ 'Files' => 'Datoteke',
+ 'Not all files were successfully uploaded on your server' => 'Nisu svi fajlovi uspeĆĄno prebaÄeni na vaĆĄ server',
+ 'Permissions on files and folders' => 'Dozvole na fajlovima folderima',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Rekurzivne dozvole pisanja za %1$s korisnika na %2$s',
+ 'Recommended PHP parameters' => 'PreporuÄljivi PHP parametri',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => '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!',
+ 'Cannot open external URLs' => 'Eksterni linkovi se ne mogu otvoriti',
+ 'PHP register_globals option is enabled' => 'opcija PHP register_globals je ukljuÄena',
+ 'GZIP compression is not activated' => 'GZIP kompresija nije aktivirana',
+ 'Mcrypt extension is not enabled' => 'Mcrypt ekstenzija nije ukljuÄena',
+ 'Mbstring extension is not enabled' => 'Mbstring ekstenzija nije ukljuÄena',
+ 'PHP magic quotes option is enabled' => 'Opcija PHP magiÄni navodnici je ukljuÄena',
+ 'Dom extension is not loaded' => 'Dom ekstenzija nije uÄitana',
+ 'PDO MySQL extension is not loaded' => 'PDO MySQL ekstenzija nije uÄitana',
+ 'Server name is not valid' => 'Naziv servesa je nevaĆŸeÄi',
+ 'You must enter a database name' => 'Morate uneti naziv baze podataka',
+ 'You must enter a database login' => 'Morate upisati prijavu baze podataka',
+ 'Tables prefix is invalid' => 'Prefiks tabeli je nevaĆŸeÄi',
+ 'Cannot convert database data to utf-8' => 'Podaci baze podataka se ne mogu prebaciti u utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'PronaÄena je najmanje jedna tabela sa istim prefiksom, promenite prefiks ili pustite vaĆĄu bazu podataka',
+ 'The values of auto_increment increment and offset must be set to 1' => 'The values of auto_increment increment and offset must be set to 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'Server baze bodataka nije pronaÄen. Potvrdite prijavu, lozinku i polja servera',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'Konekcija na MySQL server je bila uspeĆĄna, ali "%s" baza podataka nije pronaÄena',
+ 'Attempt to create the database automatically' => 'PokuĆĄaj da se baza podataka kreira automatski',
+ '%s file is not writable (check permissions)' => '%s fajl nije upisiv (proverite dozvole)',
+ '%s folder is not writable (check permissions)' => '%s folder nije upisiv (proverite dozvole)',
+ 'Cannot write settings file' => 'Ne moĆŸe se napisati fajl podeĆĄavanja',
+ 'Database structure file not found' => 'Fajl strukture baze podataka nije pronaÄen',
+ 'Cannot create group shop' => 'Grupa prodavnice se ne moĆŸe napraviti',
+ 'Cannot create shop' => 'Prodavnica se ne moĆŸe kreirati',
+ 'Cannot create shop URL' => 'Link prodavnice se ne moĆŸe kreirati',
+ 'File "language.xml" not found for language iso "%s"' => 'Fajl "language.xml" nije pronaÄen za iso jezika "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'Fajl "language.xml" nije validan za iso jezika "%s"',
+ 'Cannot install language "%s"' => 'Jezik "%s" se ne moĆŸe instalirati',
+ 'Cannot copy flag language "%s"' => 'Zastava jezika "%s" se ne moĆŸe kopirati',
+ 'Cannot create admin account' => 'Administratorski nalog se ne moĆŸe kreirati',
+ 'Cannot install module "%s"' => 'Modul "%s" se ne moĆŸe instalirati',
+ 'Fixtures class "%s" not found' => 'PredstojeÄa klasa "%s" nije pronaÄena',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s"mora biti primer od "InstallXmlLoader"',
+ 'Information about your Store' => 'Informacije o vaĆĄoj prodavnici',
+ 'Shop name' => 'Ime prodavnice',
+ 'Main activity' => 'Glavna aktivnost',
+ 'Please choose your main activity' => 'Odaberite vaĆĄu glavnu aktivnost',
+ 'Other activity...' => 'Ostale aktivnosti...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Pomozite nam da saznamo viĆĄe o vaĆĄoj radnji kako bi vam ponudili lakĆĄe rukovanje i najbolje funkcije za vaĆĄ posao!',
+ 'Install demo products' => 'Instaliraj demo proizvode',
+ 'Yes' => 'Da',
+ 'No' => 'Ne',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demo proizvodi su dobar naÄin da nauÄite kako se koristi PrestaShop. Treba da ih instalirate ako niste upoznati sa time.',
+ 'Country' => 'Zemlja',
+ 'Select your country' => 'Odaberite svoju drĆŸavu',
+ 'Shop timezone' => 'Vremenska zona prodavnice',
+ 'Select your timezone' => 'Odaberite vaĆĄu vremensku zonu',
+ 'Shop logo' => 'Logo prodavnice',
+ 'Optional - You can add you logo at a later time.' => 'Opciono - Kasnije moĆŸete dodati vaĆĄ logo.',
+ 'Your Account' => 'VaĆĄ nalog',
+ 'First name' => 'Ime',
+ 'Last name' => 'Prezime',
+ 'E-mail address' => 'Email adresa',
+ 'This email address will be your username to access your store\'s back office.' => 'Ovaj mejl Äe biti korisniÄno ime za pristup back office-u prodavnice.',
+ 'Shop password' => 'Lozinka prodavnice',
+ 'Must be at least 8 characters' => 'Mora imati najmanje 8 karaktera',
+ 'Re-type to confirm' => 'NapiĆĄite ponovo za potvrdu',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .',
+ 'Configure your database by filling out the following fields' => 'KonfiguriĆĄite vaĆĄu bazu podataka popunjavanjem ovih polja',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Za koriĆĄÄenje PrestaShop-a, morate da kreirate bazu podataka za prikupljanje podataka prodavnice i aktivnosti povezane sa podacima.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Popunite polja ispod kako bi se PrestaShop povezao na vaƥu bazu podataka. ',
+ 'Database server address' => 'Adrsa servera baze podataka',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Podrazumevani otvor je 3306. Za koriĆĄÄenje drugog ulaza, dodajte broj ulaza na kraju adrese servera, npr ":4242".',
+ 'Database name' => 'Naziv baze podataka',
+ 'Database login' => 'Prijava baze podataka',
+ 'Database password' => 'Lozinka baze podataka',
+ 'Database Engine' => 'Pogon baze podataka',
+ 'Tables prefix' => 'Prefiks tabele',
+ 'Drop existing tables (mode dev)' => 'Pusti sledeÄe tabele (reĆŸim dev)',
+ 'Test your database connection now!' => 'Testirajte vaĆĄu konekciju sa bazom podataka odmah!',
+ 'Next' => 'Dalje',
+ 'Back' => 'Nazad',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.',
+ 'Official forum' => 'ZvaniÄni forum',
+ 'Support' => 'PodrĆĄka',
+ 'Documentation' => 'Dokumentacija',
+ 'Contact us' => 'Kontaktirajte nas',
+ 'PrestaShop Installation Assistant' => 'PrestaShop pomoÄnik instalacije',
+ 'Forum' => 'Forum',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'Kontaktirajte nas!',
+ 'menu_welcome' => 'Odaberite vaĆĄ jezik',
+ 'menu_license' => 'Sporazumi licenciranja',
+ 'menu_system' => 'Sistemska kompitabilnost',
+ 'menu_configure' => 'Informacije prodavnice',
+ 'menu_database' => 'Sistemska konfiguracija',
+ 'menu_process' => 'Instalacija prodavnice',
+ 'Installation Assistant' => 'Asistent instalacije',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Za instaliranje PrestaShop-a, morate imati ukljuÄen JavaScript u vaĆĄem pretraĆŸivaÄu.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/',
+ 'License Agreements' => 'Sporazumi licenciranja',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Da bi ste imali viĆĄe funkcija koje nudi PrestaShop, proÄitajte uslove licenciranja ispod. Jezgro PrestaShop-a je licencirano pod OSL 3.0, dok su teme i moduli licensirani pod AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'SlaĆŸem se sa uslovima iznad.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'SlaĆŸem se da uÄestvujem u poboljĆĄanju reĆĄenja slanjem anonimnih informacija o mojoj konfiguraciji.',
+ 'Done!' => 'Gotovo!',
+ 'An error occurred during installation...' => 'DoĆĄlo je do greĆĄke prilikom instalacije...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'MoĆŸete koristiti linkove u levoj koloni za vraÄanje na ranije korake, ili ponovite proces instalacije klikom ovde .',
+ 'Your installation is finished!' => 'VaĆĄa instalacija je gotova!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Upravo ste zavrĆĄili instalaciju vaĆĄe prodavnice. Hvala vam ĆĄto koristite PrestaShop!',
+ 'Please remember your login information:' => 'Nemojte zaboraviti vaĆĄe informacije za prijavu',
+ 'E-mail' => 'E-poĆĄta',
+ 'Print my login information' => 'OdĆĄtampajte informacije za prijavu',
+ 'Password' => 'Ć ifra',
+ 'Display' => 'PrikaĆŸi',
+ 'For security purposes, you must delete the "install" folder.' => 'Iz bezdbenosnih razloga, morate obrisati folder "install".',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Administracija',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'UreÄujte vaĆĄu prodavnicu koristeÄi administraciju. Upravljajte porudĆŸbinama, kupcima, dodajte module, menjajte teme, itd.',
+ 'Manage your store' => 'Upravljajte vaĆĄom radnjom',
+ 'Front Office' => 'Front Office',
+ 'Discover your store as your future customers will see it!' => 'Pogledajte vaĆĄu radnju onako kako Äe je vaĆĄi buduÄi kupci videti!',
+ 'Discover your store' => 'IstraĆŸujte vaĆĄu radnju',
+ 'Share your experience with your friends!' => 'Podelite iskustva sa prijateljima!',
+ 'I just built an online store with PrestaShop!' => 'Upravo sam napravio prodavnicu uz PrestaShop!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Pogledaj ovo uzbudljivo iskustvo : http://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'Podeli',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Isprobaj PrestaShop dodatke i dodaj joĆĄ neĆĄto u svoju radnju!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'Trenutno proveravamo kompitabilnost PrestaShop-a sa vaĆĄim sistemskim ambijentom',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Ako imate bilo kakva pitanja, posette naĆĄu dokumentaciju i forum zajednice .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'Kompatibilnost PrestaShop-a sa vaĆĄim sistemskim ambijentom je potvrÄena!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Ups! Poravite stavke ispod, a onda kliknite "OsveĆŸi informacije" da proverite kompitabilnost vaĆĄeg novog sistema.',
+ 'Refresh these settings' => 'OsveĆŸi ove stranice',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop-u je potrebno najmanje 32M memorije za pokretanje, proverite memory_limit direkciju u php.ini ili kontaktirajte vaĆĄeg internet dobavljaÄa.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Upozorenje: Ne moĆŸete koristiti ovaj alat za nadogradnju vaĆĄe prodavnice. VeÄ imate instaliran PrestaShop, verzija %1$s . Ako ĆŸelite da nadogradite na najnoviju verziju, proÄitajte naĆĄu dokumentaciju: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'DobrodoĆĄli na PrestaShop %s instalaciju',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalacija PrestaShop-a je brza i jednostavna. Za par trenutaka, postaÄete deo zajednice u kojoj je viĆĄe od 230.000 prodavaca. Na putu ste da napravite vaĆĄu jedinstvenu onlajn prodavnicu koju moĆŸete ureÄivati jednostavno, i svakog dana.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .',
+ 'Continue the installation in:' => 'Nastavite instalaciju u:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Ova jeziÄka sekcija podrĆŸava samo pomoÄ za instalaciju. Kada instalirate prodavnicu, moĆŸete odabrati jezik prodavnice izmeÄu preko %d prevoda, besplatno!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalacija PrestaShop-a je brza i jednostavna. Za par trenutaka, postaÄete deo zajednice u kojoj je viĆĄe od 250.000 prodavaca. Na putu ste da napravite vaĆĄu jedinstvenu onlajn prodavnicu koju moĆŸete ureÄivati jednostavno, i svakog dana.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/sr/language.xml b/_install/langs/sr/language.xml
new file mode 100644
index 00000000..c4da95ae
--- /dev/null
+++ b/_install/langs/sr/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ sr-cs
+ d/m/Y
+ d/m/Y H:i:s
+ false
+
\ No newline at end of file
diff --git a/_install/langs/sr/mail_identifiers.txt b/_install/langs/sr/mail_identifiers.txt
new file mode 100644
index 00000000..3f768acb
--- /dev/null
+++ b/_install/langs/sr/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Hi {firstname} {lastname},
+
+Here is your personal login information for {shop_name}:
+
+Password: {passwd}
+E-mail address: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/sv/data/carrier.xml b/_install/langs/sv/data/carrier.xml
new file mode 100644
index 00000000..343fa6f5
--- /dev/null
+++ b/_install/langs/sv/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Pick up in-store
+
+
diff --git a/_install/langs/sv/data/category.xml b/_install/langs/sv/data/category.xml
new file mode 100644
index 00000000..87b90b95
--- /dev/null
+++ b/_install/langs/sv/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Root
+
+ root
+
+
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/sv/data/cms.xml b/_install/langs/sv/data/cms.xml
new file mode 100644
index 00000000..862d84ff
--- /dev/null
+++ b/_install/langs/sv/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ю</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ю</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/_install/langs/sv/data/cms_category.xml b/_install/langs/sv/data/cms_category.xml
new file mode 100644
index 00000000..ceb8cf49
--- /dev/null
+++ b/_install/langs/sv/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/sv/data/configuration.xml b/_install/langs/sv/data/configuration.xml
new file mode 100644
index 00000000..b4bf4ef6
--- /dev/null
+++ b/_install/langs/sv/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/_install/langs/sv/data/contact.xml b/_install/langs/sv/data/contact.xml
new file mode 100644
index 00000000..bdc0b24d
--- /dev/null
+++ b/_install/langs/sv/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/_install/langs/sv/data/country.xml b/_install/langs/sv/data/country.xml
new file mode 100644
index 00000000..d57ea1e3
--- /dev/null
+++ b/_install/langs/sv/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
+
+
+ Andorra
+
+
+ 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/_install/langs/sv/data/gender.xml b/_install/langs/sv/data/gender.xml
new file mode 100644
index 00000000..2b2a4aa5
--- /dev/null
+++ b/_install/langs/sv/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/sv/data/group.xml b/_install/langs/sv/data/group.xml
new file mode 100644
index 00000000..2d1b7093
--- /dev/null
+++ b/_install/langs/sv/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/sv/data/index.php b/_install/langs/sv/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/sv/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/sv/data/meta.xml b/_install/langs/sv/data/meta.xml
new file mode 100644
index 00000000..f5e49496
--- /dev/null
+++ b/_install/langs/sv/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
+
+
+
+ Shop powered by PrestaShop
+
+
+
+
+ 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/_install/langs/sv/data/order_return_state.xml b/_install/langs/sv/data/order_return_state.xml
new file mode 100644
index 00000000..37ad31de
--- /dev/null
+++ b/_install/langs/sv/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ Waiting for confirmation
+
+
+ Waiting for package
+
+
+ Package received
+
+
+ Return denied
+
+
+ Return completed
+
+
diff --git a/_install/langs/sv/data/order_state.xml b/_install/langs/sv/data/order_state.xml
new file mode 100644
index 00000000..df07fb2e
--- /dev/null
+++ b/_install/langs/sv/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ Awaiting check payment
+ cheque
+
+
+ Payment accepted
+ payment
+
+
+ Processing in progress
+ preparation
+
+
+ Shipped
+ shipped
+
+
+ Delivered
+
+
+
+ Canceled
+ order_canceled
+
+
+ Refund
+ refund
+
+
+ Payment error
+ payment_error
+
+
+ On backorder (paid)
+ outofstock
+
+
+ On backorder (not paid)
+ outofstock
+
+
+ Awaiting bank wire payment
+ bankwire
+
+
+ Awaiting PayPal payment
+
+
+
+ Remote payment accepted
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/sv/data/profile.xml b/_install/langs/sv/data/profile.xml
new file mode 100644
index 00000000..7352a78c
--- /dev/null
+++ b/_install/langs/sv/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/sv/data/quick_access.xml b/_install/langs/sv/data/quick_access.xml
new file mode 100644
index 00000000..72e5a5b9
--- /dev/null
+++ b/_install/langs/sv/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/sv/data/risk.xml b/_install/langs/sv/data/risk.xml
new file mode 100644
index 00000000..bb8bf6dd
--- /dev/null
+++ b/_install/langs/sv/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/sv/data/stock_mvt_reason.xml b/_install/langs/sv/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..e04ec4eb
--- /dev/null
+++ b/_install/langs/sv/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Increase
+
+
+ Decrease
+
+
+ Customer Order
+
+
+ Regulation following an inventory of stock
+
+
+ Regulation following an inventory of stock
+
+
+ Transfer to another warehouse
+
+
+ Transfer from another warehouse
+
+
+ Supply Order
+
+
diff --git a/_install/langs/sv/data/supplier_order_state.xml b/_install/langs/sv/data/supplier_order_state.xml
new file mode 100644
index 00000000..dfc4ce42
--- /dev/null
+++ b/_install/langs/sv/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/sv/data/supply_order_state.xml b/_install/langs/sv/data/supply_order_state.xml
new file mode 100644
index 00000000..1e8903f0
--- /dev/null
+++ b/_install/langs/sv/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Creation in progress
+
+
+ 2 - Order validated
+
+
+ 3 - Pending receipt
+
+
+ 4 - Order received in part
+
+
+ 5 - Order received completely
+
+
+ 6 - Order canceled
+
+
diff --git a/_install/langs/sv/data/tab.xml b/_install/langs/sv/data/tab.xml
new file mode 100644
index 00000000..81b2e8d6
--- /dev/null
+++ b/_install/langs/sv/data/tab.xml
@@ -0,0 +1,102 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/sv/flag.jpg b/_install/langs/sv/flag.jpg
new file mode 100644
index 00000000..95223c85
Binary files /dev/null and b/_install/langs/sv/flag.jpg differ
diff --git a/_install/langs/sv/img/index.php b/_install/langs/sv/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/sv/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/sv/img/sv-default-category.jpg b/_install/langs/sv/img/sv-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/sv/img/sv-default-category.jpg differ
diff --git a/_install/langs/sv/img/sv-default-home.jpg b/_install/langs/sv/img/sv-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/sv/img/sv-default-home.jpg differ
diff --git a/_install/langs/sv/img/sv-default-large.jpg b/_install/langs/sv/img/sv-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/sv/img/sv-default-large.jpg differ
diff --git a/_install/langs/sv/img/sv-default-large_scene.jpg b/_install/langs/sv/img/sv-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/sv/img/sv-default-large_scene.jpg differ
diff --git a/_install/langs/sv/img/sv-default-medium.jpg b/_install/langs/sv/img/sv-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/sv/img/sv-default-medium.jpg differ
diff --git a/_install/langs/sv/img/sv-default-small.jpg b/_install/langs/sv/img/sv-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/sv/img/sv-default-small.jpg differ
diff --git a/_install/langs/sv/img/sv-default-thickbox.jpg b/_install/langs/sv/img/sv-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/sv/img/sv-default-thickbox.jpg differ
diff --git a/_install/langs/sv/img/sv-default-thumb_scene.jpg b/_install/langs/sv/img/sv-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/sv/img/sv-default-thumb_scene.jpg differ
diff --git a/_install/langs/sv/img/sv.jpg b/_install/langs/sv/img/sv.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/sv/img/sv.jpg differ
diff --git a/_install/langs/sv/index.php b/_install/langs/sv/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/sv/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/sv/install.php b/_install/langs/sv/install.php
new file mode 100644
index 00000000..d59f5514
--- /dev/null
+++ b/_install/langs/sv/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'Ett SQL-fel uppstod för entitet %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'Kan inte skapa bild "%1$s för entitet "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Kan inte skapa bild "%1$s" (fel rÀttigheter för katalog "%2$s")',
+ 'Cannot create image "%s"' => 'Kan inte skapa bild "%s"',
+ 'SQL error on query %s ' => 'SQL-fel i query %s ',
+ '%s Login information' => '%s login information',
+ 'Field required' => 'Obligatoriskt fÀlt',
+ 'Invalid shop name' => 'Felaktigt butiksnamn',
+ 'The field %s is limited to %d characters' => 'FÀltet %s Àr begrÀnsat till %d tecken',
+ 'Your firstname contains some invalid characters' => 'Ditt förnamn innehÄller otillÄtna tecken',
+ 'Your lastname contains some invalid characters' => 'Ditt efternamn innehÄller otillÄtna tecken',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Ditt lösenord Àr felaktigt (skall innehÄlla minst 8 siffror/bokstÀver A-Z 0-9)',
+ 'Password and its confirmation are different' => 'Lösenorden stÀmmer inte överens',
+ 'This e-mail address is invalid' => 'Denna E-postadressen Àr felaktig!',
+ 'Image folder %s is not writable' => 'Bildkatalogen %s Àr inte skrivbar',
+ 'An error occurred during logo copy.' => 'Ett fel uppstod vid kopiering av logotyp.',
+ 'An error occurred during logo upload.' => 'Ett fel uppstod vid uppladdning av logotyp.',
+ 'Lingerie and Adult' => 'UnderklÀder och Vuxet innehÄll',
+ 'Animals and Pets' => 'Djur och husdjur',
+ 'Art and Culture' => 'Konst och kultur',
+ 'Babies' => 'Barn',
+ 'Beauty and Personal Care' => 'Skönhet och hÀlsa',
+ 'Cars' => 'Bilar',
+ 'Computer Hardware and Software' => 'DatorhÄrdvara och -mjukvara',
+ 'Download' => 'Ladda ner',
+ 'Fashion and accessories' => 'Mode och accessoarer',
+ 'Flowers, Gifts and Crafts' => 'Blommor, presenter och hantverk',
+ 'Food and beverage' => 'Mat och dryck',
+ 'HiFi, Photo and Video' => 'HiFi, foto och video',
+ 'Home and Garden' => 'Hem och trÀdgÄrd',
+ 'Home Appliances' => 'HushÄllsapparater',
+ 'Jewelry' => 'Smycken',
+ 'Mobile and Telecom' => 'Mobil och tele',
+ 'Services' => 'TjÀnster',
+ 'Shoes and accessories' => 'Skor och accessoarer',
+ 'Sports and Entertainment' => 'Sport och underhÄllning',
+ 'Travel' => 'Resor',
+ 'Database is connected' => 'Ansluten till databas',
+ 'Database is created' => 'Databasen Àr skapad',
+ 'Cannot create the database automatically' => 'Kan inte skapa databasen automatiskt',
+ 'Create settings.inc file' => 'Skapa filen settings.inc',
+ 'Create database tables' => 'Skapa databastabeller',
+ 'Create default shop and languages' => 'Skapa förvald butik och sprÄk',
+ 'Populate database tables' => 'Fyll databas',
+ 'Configure shop information' => 'Konfigurera butiksinformation',
+ 'Install demonstration data' => 'Installera demodata',
+ 'Install modules' => 'Installera moduler',
+ 'Install Addons modules' => 'Installera tillÀggsmoduler',
+ 'Install theme' => 'Installera tema',
+ 'Required PHP parameters' => 'Obligatoriska PHP-instÀllningar',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 eller senare Àr inte aktiverat',
+ 'Cannot upload files' => 'Kan inte ladda upp fil',
+ 'Cannot create new files and folders' => 'Kan inte skapa nya filer och kataloger',
+ 'GD library is not installed' => 'G-biblioteket Àr inte installerat',
+ 'MySQL support is not activated' => 'MySQL stöd Àr inte aktiverat',
+ 'Files' => 'Filer',
+ 'Not all files were successfully uploaded on your server' => 'Alla filer kunde inte laddas upp till din server',
+ 'Permissions on files and folders' => 'RĂ€ttigheter till filer och kataloger',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Rekursiva skrivrÀttigheter för anvÀndare %1$s till %2$s',
+ 'Recommended PHP parameters' => 'Rekommenderade PHP-instÀllningar',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => 'Du anvĂ€nder PHP version %s. Snart sĂ„ kommer den senaste versionen som stöds av PrestaShop att vara 5.4. Se till att uppgradera till version 5.4 för att vara redo för framtiden!',
+ 'Cannot open external URLs' => 'Kan inte öppna externa URLs',
+ 'PHP register_globals option is enabled' => 'PHP-instÀllningen register_globals Àr aktiverad',
+ 'GZIP compression is not activated' => 'GZIP-komprimering Àr inte aktiverad',
+ 'Mcrypt extension is not enabled' => 'Modulen Mcrypt Àr inte aktiverad',
+ 'Mbstring extension is not enabled' => 'Modulen Mbstring Àr inte aktiverad',
+ 'PHP magic quotes option is enabled' => 'PHP-instÀllningen magic quotes Àr aktiverad',
+ 'Dom extension is not loaded' => 'Modulen Dom Àr inte laddad',
+ 'PDO MySQL extension is not loaded' => 'Modulen PDO MySQL Àr inte laddad',
+ 'Server name is not valid' => 'Felaktigt servernamn',
+ 'You must enter a database name' => 'Du mÄste skriva in ett databasnamn',
+ 'You must enter a database login' => 'Du mÄste skriva in en databaslogin',
+ 'Tables prefix is invalid' => 'Tabellprefix Àr ogiltig',
+ 'Cannot convert database data to utf-8' => 'Kan inte konvertera data i databasen till utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Det finns redan minst en tabell med samma prefix, Àndra prefix eller ta bort din databas',
+ 'The values of auto_increment increment and offset must be set to 1' => 'VÀrdena pÄ auto_increment, increment och offset mÄste vara 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'Databasservern hittades inte. Verifiera fÀlten för login, lösenord och server',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'Anslutningen till MySQL-servern lyckades, men databas "%s" hittades inte',
+ 'Attempt to create the database automatically' => 'Försök att skapa databasen automatiskt',
+ '%s file is not writable (check permissions)' => 'Filen %s Àr inte skrivbar (kontrollera rÀttigheter)',
+ '%s folder is not writable (check permissions)' => 'Katalogen %s Àr inte skrivbar (kontrollera rÀttigheter)',
+ 'Cannot write settings file' => 'Kan inte skriva instÀllningsfil',
+ 'Database structure file not found' => 'Databasens strukturfil kunde inte hittas',
+ 'Cannot create group shop' => 'Kan inte skapa butikgrupp',
+ 'Cannot create shop' => 'Kan inte skapa butik',
+ 'Cannot create shop URL' => 'Kunde inte skapa butikens URL',
+ 'File "language.xml" not found for language iso "%s"' => 'Filen "language.xml" hittades inte för sprÄk med iso "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'Filen "language.xml" Àr inte giltig för sprÄk med iso "%s"',
+ 'Cannot install language "%s"' => 'Kan inte installera sprÄk "%s"',
+ 'Cannot copy flag language "%s"' => 'Kan inte kopiera flaggan för sprÄk "%s"',
+ 'Cannot create admin account' => 'Kan inte skapa administratörskonto',
+ 'Cannot install module "%s"' => 'Kan inte installera modul "%s"',
+ 'Fixtures class "%s" not found' => 'Klass "%s" kunde inte hittas',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" mÄste vara en instans av "InstallXmlLoader"',
+ 'Information about your Store' => 'Information om din butik',
+ 'Shop name' => 'Butik namn',
+ 'Main activity' => 'Huvudinriktning',
+ 'Please choose your main activity' => 'VĂ€lj din huvudinriktning',
+ 'Other activity...' => 'Annan inriktning...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'HjÀlp oss genom att tala om mer om din butik, sÄ att vi kan erbjuda en optimal guide och de bÀsta funktionerna för din verksamhet!',
+ 'Install demo products' => 'Installera demo produkter',
+ 'Yes' => 'Ja',
+ 'No' => 'Nej',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demoprodukter Àr ett bra sÀtt att lÀra sig att anvÀnda PrestaShop. Du bör installera dem om du inte redan har kunskap om PrestaShop.',
+ 'Country' => 'Land',
+ 'Select your country' => 'VĂ€lj ditt land',
+ 'Shop timezone' => 'Butikens tidzon',
+ 'Select your timezone' => 'VĂ€lj din tidzon',
+ 'Shop logo' => 'Butikens logotype',
+ 'Optional - You can add you logo at a later time.' => 'Valfri - Du kan lÀgga till en logotyp senare.',
+ 'Your Account' => 'Ditt konto',
+ 'First name' => 'Förnamn',
+ 'Last name' => 'Efternamn',
+ 'E-mail address' => 'E-postadress',
+ 'This email address will be your username to access your store\'s back office.' => 'Den hÀr mailadressen kommer att vara det anvÀndarnamn du loggar in med i administrationsdelen.',
+ 'Shop password' => 'Butikens lösenord',
+ 'Must be at least 8 characters' => 'MĂ„ste vara minst 8 tecken',
+ 'Re-type to confirm' => 'Skriv igen för att bekrÀfta',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'Alla uppgifter som ges till oss samlas in för att behandla data och statistik, det Àr nödvÀndigt för att medlemmar av PrestaShop\'s gemenskap ska fÄ besvarat sina Àrenden. Dina personliga uppgifter kan komma att lÀmnas till tjÀnsteleverantörer och partners. Enligt "Act on Data Processing, Data Files and Individual Liberties", sÄ har du rÀtt att fÄ tillgÄng till, rÀtta och motsÀtta dig behandlingen av din personliga data via denna lÀnk .',
+ 'Configure your database by filling out the following fields' => 'Konfigurera din databas genom att fylla i följande fÀlt',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'För att anvÀnda PrestaShop sÄ mÄste du skapa en databas för att lagra din butiks data.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'VÀnligen fyll i fÀlten nedan för att koppla PrestaShop till din databas. ',
+ 'Database server address' => 'Databasens serveradress',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Förvald port Àr 3306. För att anvÀnda en annan port, ange portnumret efter din serveradress, ex. ":4242".',
+ 'Database name' => 'Databas namn',
+ 'Database login' => 'Databasinloggning',
+ 'Database password' => 'Databas lösenord',
+ 'Database Engine' => 'Databasmotor',
+ 'Tables prefix' => 'Prefix för tabeller',
+ 'Drop existing tables (mode dev)' => 'Ta bort existerande tabeller (utv.lÀge)',
+ 'Test your database connection now!' => 'Testa din databaskoppling nu!',
+ 'Next' => 'NĂ€sta',
+ 'Back' => 'Tillbaka',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Om du behöver nÄgon hjÀlp, sÄ kan du fÄ anpassad hjÀlp frÄn vÄrt supportteam. Den officiella dokumentationen kan ocksÄ hjÀlpa dig.',
+ 'Official forum' => 'Officiellt forum',
+ 'Support' => 'Support',
+ 'Documentation' => 'Dokumentation',
+ 'Contact us' => 'Kontakta oss',
+ 'PrestaShop Installation Assistant' => 'PrestaShop Installationsassistent',
+ 'Forum' => 'Forum',
+ 'Blog' => 'Blogg',
+ 'Contact us!' => 'Kontakta oss!',
+ 'menu_welcome' => 'VÀlj ditt sprÄk',
+ 'menu_license' => 'Licensavtal',
+ 'menu_system' => 'Systemkompatibilitet',
+ 'menu_configure' => 'Butiksinformation',
+ 'menu_database' => 'Systemkonfiguration',
+ 'menu_process' => 'Butiksinstallation',
+ 'Installation Assistant' => 'Installationsassistenten',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Du mÄste ha JavaScript aktiverat i din webblÀsare för att kunna installera PrestaShop.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/',
+ 'License Agreements' => 'Licensavtal',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Innan du anvÀnder alla funktioner som erbjuds gratis av PrestaShop, vÀnligen lÀs licensavtalet nedan. PrestaShop licensieras under OSL 3.0, medan moduler och teman licensieras under AFL 3.0.',
+ 'I agree to the above terms and conditions.' => 'Jag godkÀnner ovanstÄende villkor.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Jag samtycker till att medverka till förbÀttringar genom att skicka anonym information om min konfiguration.',
+ 'Done!' => 'Klart!',
+ 'An error occurred during installation...' => 'Ett fel uppstod under installationen...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'Du kan anvÀnda lÀnkarna i vÀnsterkolumnen för att gÄ tillbaka till föregÄende steg, eller starta om installationen genom att klicka hÀr .',
+ 'Your installation is finished!' => 'Din installation Àr klar!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Du har precis installerat din butik. Tack för att du anvÀnder PrestaShop!',
+ 'Please remember your login information:' => 'Glöm inte dina inloggningsuppgifter:',
+ 'E-mail' => 'E-post',
+ 'Print my login information' => 'Skriv ut min inloggningsinformation',
+ 'Password' => 'Lösenord',
+ 'Display' => 'Visa',
+ 'For security purposes, you must delete the "install" folder.' => 'Av sÀkerhetsskÀl mÄste du ta bort katalogen "install".',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Back Office',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Hantera din butik via Back Office. Hantera dina order och kunder, lÀgg till modules, Àndra tema, etc.',
+ 'Manage your store' => 'Hantera din butik',
+ 'Front Office' => 'Front Office',
+ 'Discover your store as your future customers will see it!' => 'Visa din butik sÄ som dina kunder ser den!',
+ 'Discover your store' => 'Se din butik',
+ 'Share your experience with your friends!' => 'Dela din upplevelse med dina vÀnner!',
+ 'I just built an online store with PrestaShop!' => 'Jag har precis byggt en e-butik med PrestaShop!',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Se den hÀftiga upplevelsen: http://vimeo.com/89298199',
+ 'Tweet' => 'Twittra',
+ 'Share' => 'Dela',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Utforska PrestaShop Addons för att lÀgga till nÄgot extra till din butik!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'Vi kontrollerar om PrestaShop Àr kompatibel med din servermiljö',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Om du har frÄgor, besök vÄr dokumentation och forum .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'PrestaShop Àr kompatibelt med din servemiljö!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! VÀnligen rÀtta punkterna nedan, klicka sen pÄ "Uppdatera information" för att testa kompatibiliteten för ditt nya system.',
+ 'Refresh these settings' => 'Uppdatera instÀllningarna',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop behöver minst 32 Mb minne för att köras: kontrollera instÀllningen memory_limit i din php.ini eller kontakta ditt webbhotell för hjÀlp.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Varning: Du kan inte anvÀnda det hÀr verktyget lÀngre för att uppgradera din butik. Du har redan PrestaShop version %1$s installerad . Om du vill uppgradera till senaste version, lÀs vÄr dokumentation: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'VÀlkommen till installationen för PrestaShop %s',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Att installera PrestaShop gÄr snabbt och Àr enkelt. PÄ bara nÄgra fÄ steg blir du en del av communityt som bestÄr av mer Àn 230,000 e-handlare. Du Àr pÄ vÀg att skapa din egen unika e-butik som du enkelt administrerar varje dag.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'Om du behöver hjÀlp, tveka inte att titta pÄ den hÀr instruktionen , eller kolla vÄr dokumentation .',
+ 'Continue the installation in:' => 'FortsÀtt med installationen pÄ:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'SprÄkvalet ovan anvÀnds bara att installationsassistenten. NÀr din butik Àr installerad kan du vÀlja sprÄk till din butik frÄn över %d översÀttningar, alla gratis!',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Att installera PrestaShop gÄr snabbt och Àr enkelt. PÄ bara nÄgra fÄ steg blir du en del av communityt som bestÄr av mer Àn 250,000 e-handlare. Du Àr pÄ vÀg att skapa din egen unika e-butik som du enkelt administrerar varje dag.',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/sv/language.xml b/_install/langs/sv/language.xml
new file mode 100644
index 00000000..97792d0a
--- /dev/null
+++ b/_install/langs/sv/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ sv-se
+ d/m/Y
+ d/m/Y H:i:s
+ false
+
diff --git a/_install/langs/sv/mail_identifiers.txt b/_install/langs/sv/mail_identifiers.txt
new file mode 100644
index 00000000..3f768acb
--- /dev/null
+++ b/_install/langs/sv/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Hi {firstname} {lastname},
+
+Here is your personal login information for {shop_name}:
+
+Password: {passwd}
+E-mail address: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/tr/flag.jpg b/_install/langs/tr/flag.jpg
new file mode 100644
index 00000000..61101754
Binary files /dev/null and b/_install/langs/tr/flag.jpg differ
diff --git a/_install/langs/tr/img/index.php b/_install/langs/tr/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/tr/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/tr/img/tr-default-category.jpg b/_install/langs/tr/img/tr-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/tr/img/tr-default-category.jpg differ
diff --git a/_install/langs/tr/img/tr-default-home.jpg b/_install/langs/tr/img/tr-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/tr/img/tr-default-home.jpg differ
diff --git a/_install/langs/tr/img/tr-default-large.jpg b/_install/langs/tr/img/tr-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/tr/img/tr-default-large.jpg differ
diff --git a/_install/langs/tr/img/tr-default-large_scene.jpg b/_install/langs/tr/img/tr-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/tr/img/tr-default-large_scene.jpg differ
diff --git a/_install/langs/tr/img/tr-default-medium.jpg b/_install/langs/tr/img/tr-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/tr/img/tr-default-medium.jpg differ
diff --git a/_install/langs/tr/img/tr-default-small.jpg b/_install/langs/tr/img/tr-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/tr/img/tr-default-small.jpg differ
diff --git a/_install/langs/tr/img/tr-default-thickbox.jpg b/_install/langs/tr/img/tr-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/tr/img/tr-default-thickbox.jpg differ
diff --git a/_install/langs/tr/img/tr-default-thumb_scene.jpg b/_install/langs/tr/img/tr-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/tr/img/tr-default-thumb_scene.jpg differ
diff --git a/_install/langs/tr/img/tr.jpg b/_install/langs/tr/img/tr.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/tr/img/tr.jpg differ
diff --git a/_install/langs/tr/index.php b/_install/langs/tr/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/tr/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/tr/install.php b/_install/langs/tr/install.php
new file mode 100644
index 00000000..38654993
--- /dev/null
+++ b/_install/langs/tr/install.php
@@ -0,0 +1,210 @@
+
+ array (
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' =>
+ array (
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'Bir SQL varlık hatası oluĆtu %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'Varlık "%1$s" için "%2$s" imaj oluĆturulamıyor.',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'GörĂŒntĂŒ oluĆturulamıyor "%1$s" (klasör izinleri dĂŒzgĂŒn ayarlanmanÄ±Ć "%2$s")',
+ 'Cannot create image "%s"' => 'GörĂŒntĂŒ "%s" oluĆturulamıyor',
+ 'SQL error on query %s ' => 'SQL sorgu hatası %s ',
+ '%s Login information' => '%s GiriĆ Bilgileri',
+ 'Field required' => 'Alan gereklidir',
+ 'Invalid shop name' => 'Geçersiz dĂŒkkan ismi',
+ 'The field %s is limited to %d characters' => '%s Alan %d karakter ile sınırlıdır.',
+ 'Your firstname contains some invalid characters' => 'İlk isim bazı geçersiz karakterler içeriyor',
+ 'Your lastname contains some invalid characters' => 'Sizin soyadınız bazı geçersiz karakterler içeriyor',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Parola yanlÄ±Ć (en az 8 alfanĂŒmerik karakterden oluĆmalıdır) ',
+ 'Password and its confirmation are different' => 'Ćifre ve onay giriĆi birbirinden farklı.',
+ 'This e-mail address is invalid' => 'Bu e-mail adresi yanlÄ±Ć !',
+ 'Image folder %s is not writable' => 'Resim klasörĂŒ %s yazılabilir deÄil',
+ 'An error occurred during logo copy.' => 'Logo kopyalama sırasında bir hata meydana geldi.',
+ 'An error occurred during logo upload.' => 'Logo yĂŒkleme sırasında bir hata oluĆtu.',
+ 'Lingerie and Adult' => 'MĂŒcevher',
+ 'Animals and Pets' => 'Hayvanlar',
+ 'Art and Culture' => 'Sanat ve KĂŒltĂŒr',
+ 'Babies' => 'Bebek',
+ 'Beauty and Personal Care' => 'GĂŒzellik ve bakım ĂŒrĂŒnleri',
+ 'Cars' => 'Araba',
+ 'Computer Hardware and Software' => 'Bilgisayar donanım ve yazılım',
+ 'Download' => 'Program',
+ 'Fashion and accessories' => 'Moda ve Aksesuar',
+ 'Flowers, Gifts and Crafts' => 'Ăiçek, Hediyelik EĆya ve El Sanatları',
+ 'Food and beverage' => 'Gıda',
+ 'HiFi, Photo and Video' => 'FotoÄraf ve video',
+ 'Home and Garden' => 'Bahçe ve ev',
+ 'Home Appliances' => 'Ev Aletleri',
+ 'Jewelry' => 'DeÄerli Madenler',
+ 'Mobile and Telecom' => 'Gsm - Telefon',
+ 'Services' => 'Hizmet',
+ 'Shoes and accessories' => 'Ayakkabı ve aksesuarları',
+ 'Sports and Entertainment' => 'Spor ve EÄlence',
+ 'Travel' => 'Seyahat',
+ 'Database is connected' => 'Veritabanına baÄlandı.',
+ 'Database is created' => 'Veritabanı oluĆturuldu',
+ 'Cannot create the database automatically' => 'Otomatik veritabanı oluĆturulamıyor.',
+ 'Create settings.inc file' => 'Settings.inc dosyası oluĆturuluyor',
+ 'Create database tables' => 'Veritabanı tabloları oluĆturuluyor',
+ 'Create default shop and languages' => 'Varsayılan dĂŒkkan ve dil oluĆturuluyor',
+ 'Populate database tables' => 'Veritabanı dosyalarına popĂŒler veriler iĆleniyor',
+ 'Configure shop information' => 'DĂŒkkan bilgilerini yapılandırıyor',
+ 'Install demonstration data' => 'Tanıtım verileri yĂŒkleniyor',
+ 'Install modules' => 'ModĂŒller kuruluyor',
+ 'Install Addons modules' => 'ModĂŒl eklentileri kuruluyor',
+ 'Install theme' => 'Tema kuruluyor',
+ 'Required PHP parameters' => 'Gerekli PHP parametreleri',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 veya ĂŒstĂŒ etkinleĆtirilmemiĆtir',
+ 'Cannot upload files' => 'Dosyaları karĆıya yĂŒklenemiyor',
+ 'Cannot create new files and folders' => 'Yeni dosyalar ve klasörleri oluĆturamazsınız',
+ 'GD Library is not installed' => 'GD KĂŒtĂŒphanesi yĂŒklĂŒ deÄil',
+ 'MySQL support is not activated' => 'MySQL desteÄi aktif deÄil',
+ 'Files' => 'Dosyalar',
+ 'All files are not successfully uploaded on your server' => 'TĂŒm dosyalar baĆarıyla sunucuya yĂŒklenemedi',
+ 'Permissions on files and folders' => 'Dosyalar ve klasörler ĂŒzerindeki izinler',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Yazma izinlerini yenilemelisiniz %1$s kullanıcının %2$s',
+ 'Recommended PHP parameters' => 'Ănerilen PHP parametreleri',
+ 'Cannot open external URLs' => 'Harici URL ler açılamıyor',
+ 'PHP register_globals option is enabled' => 'PHP register_globals seçeneÄi etkinleĆtirildiÄinde',
+ 'GZIP compression is not activated' => 'GZIP sıkıĆtırma aktif deÄil',
+ 'Mcrypt extension is not enabled' => 'Mcrypt uzantısı etkinleĆtirilmemiĆtir',
+ 'Mbstring extension is not enabled' => 'Mbstrin uzantısı getkinleĆtirilmemiĆtir ',
+ 'PHP magic quotes option is enabled' => 'PHP sihirli tırnak seçeneÄi etkinse',
+ 'Dom extension is not loaded' => 'Dom eklenti yĂŒklĂŒ deÄil',
+ 'PDO MySQL extension is not loaded' => 'PDO MySQL eklentisi yĂŒklĂŒ deÄil',
+ 'Server name is not valid' => 'Sunucu adı geçerli deÄil',
+ 'You must enter a database name' => 'Bir veritabanı adı girmelisiniz',
+ 'You must enter a database login' => 'Bir veritabanı oturumu girmelisiniz',
+ 'Tables prefix is invalid' => 'Tablo öneki geçersiz',
+ 'Cannot convert database data to utf-8' => 'Utf-8 veritabanı verileri dönĂŒĆtĂŒrĂŒlemez',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Aynı önek ile en az bir tablo zaten bulundu, sizin öneki deÄiĆtiririn veya veritabanına bırakın lĂŒtfen',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'Veritabanı Sunucu bulunamadı. GiriĆ, parola ve sunucu alanlarını kontrol edin',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'MySQL sunucusuna baÄlantı baĆarılı, ancak veritabanı "%s" bulunamadı',
+ 'Attempt to create the database automatically' => 'Otomatik veritabanı oluĆturma giriĆiminde',
+ '%s file is not writable (check permissions)' => '%s dosyası yazılabilir deÄil (izinlerini kontrol ediniz)',
+ '%s folder is not writable (check permissions)' => '%s klasörĂŒ yazılabilir deÄil (izinleri kontrol ediniz)',
+ 'Cannot write settings file' => 'Ayarlar dosyasını yazamıyor',
+ 'Database structure file not found' => 'Veritabanı yapısı dosyası bulunamadı',
+ 'Cannot create group shop' => 'Grup dĂŒkkanı oluĆturulamıyor',
+ 'Cannot create shop' => 'DĂŒkkan oluĆturulamıyor',
+ 'Cannot create shop URL' => 'DĂŒkkan URL oluĆturulamıyor',
+ 'File "language.xml" not found for language iso "%s"' => 'Dosya "language.xml" iso dil dosyası bulunamadı "%s"',
+ 'File "language.xml" not valid for language iso "%s"' => 'Dosya "language.xml" iso dil dosyası geçersiz "%s"',
+ 'Cannot install language "%s"' => 'Dil yĂŒklenemiyor "%s"',
+ 'Cannot copy flag language "%s"' => 'Dil bayraÄı "%s" kopyalanamıyor',
+ 'Cannot create admin account' => 'Yönetici hesabı oluĆturulamıyor',
+ 'Cannot install module "%s"' => 'ModĂŒller yĂŒklenemiyor "%s"',
+ 'Fixtures class "%s" not found' => 'DemirbaĆlar sınıfı "%s" bulunamadı',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" "XmlLoader Kurulum" bir örneÄi olmalıdır',
+ 'Information about your Store' => 'Senin dĂŒkkanın hakkında bilgiler',
+ 'Shop name' => 'MaÄaza adı',
+ 'Main activity' => 'Ana faaliyet',
+ 'Please choose your main activity' => 'Ana faaliyeti seçiniz',
+ 'Other activity...' => 'DiÄer faaliyet...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Size iĆiniz için en uygun rehberlik ve en iyi özellikleri sunan, böylece bize maÄaza hakkında daha fazla bilgi edinmek için yardım!',
+ 'Install demo products' => 'Deneme ĂŒrĂŒnler yĂŒkleniyor',
+ 'Yes' => 'Evet',
+ 'No' => 'Hayır',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demo ĂŒrĂŒnler PrestaShop kullanmayı öÄrenmek için en iyi bir yoldur. EÄer aĆina deÄilseniz bunları yĂŒklemeniz gerekir.',
+ 'Country' => 'Ălke',
+ 'Select your country' => 'Ălkenizi seçin',
+ 'Shop timezone' => 'DĂŒkkan Zaman Dilimi',
+ 'Select your timezone' => 'Zaman dilimini seçin',
+ 'Shop logo' => 'DĂŒkkan Logo',
+ 'Optional - You can add you logo at a later time.' => 'Ä°steÄe baÄlı - bir baĆka zaman siz logo ekleyebilirsiniz.',
+ 'Your Account' => 'Hesabınız',
+ 'First name' => 'Adı',
+ 'Last name' => 'Soyadı',
+ 'E-mail address' => 'E-posta adresi',
+ 'This email address will be your username to access your store\'s back office.' => 'Bu e-posta adresi maÄazanın yönetim paneline girmek için kullanıcı adınızı olacaktır.',
+ 'Shop password' => 'DĂŒkkan Parolası',
+ 'Must be at least 8 characters' => 'En az 8 karakter olmalı',
+ 'Re-type to confirm' => 'Onaylamak için yeniden yazın',
+ 'Sign-up to the newsletter' => 'BĂŒltene kaydolma',
+ 'PrestaShop can provide you with guidance on a regular basis by sending you tips on how to optimize the management of your store which will help you grow your business. If you do not wish to receive these tips, please uncheck this box.' => 'PrestaShop size iĆinizi bĂŒyĂŒtmenize yardımcı olacak maÄaza yönetimini optimize etmeniz için dĂŒzenli ipuçları göndererek size rehberlik saÄlayabilir. Bu ipuçlarını almak istemiyorsanız, bu kutunun iĆaretini kaldırın lĂŒtfen.',
+ 'Configure your database by filling out the following fields' => 'AĆaÄıdaki alanları doldurarak veritabanını yapılandırın',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'PrestaShop kullanmak için yapmanız gereken Bir Veritabanı OluĆtur maÄazanın faaliyetleri ile ilgili tĂŒm verileri toplamak için.',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'PrestaShop veritabanına baÄlanmak için aĆaÄıdaki alanları doldurun.',
+ 'Database server address' => 'Veritabanı sunucusu adresi',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Varsayılan baÄlantı noktası 3306. Farklı bir port kullanmak için, sunucunuzun adresi ile sonuna port numarasını ekleyiniz "ĂrneÄin: 127.0.0.1:4242"',
+ 'Database name' => 'Veritabanı Adı',
+ 'Database login' => 'Veritabanı Kullanı Adı',
+ 'Database password' => 'Veritabanı Ćifresi',
+ 'Database Engine' => 'Veritabanı Motoru',
+ 'Tables prefix' => 'Tablolar için önad',
+ 'Drop existing tables (mode dev)' => 'Varolan tabloları olduÄu gibi bırak (mod dev)',
+ 'Test your database connection now!' => 'Ćimdi veritabanı baÄlantısını test edin!',
+ 'Next' => 'Sonraki',
+ 'Back' => 'Geri',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.',
+ 'Official forum' => 'Resmi Forum',
+ 'Support' => 'Destek',
+ 'Documentation' => 'Belgeleme',
+ 'Contact us' => 'Ä°letiĆim',
+ 'PrestaShop Installation Assistant' => 'PrestaShop Kurulum Asistanı',
+ 'Forum' => 'Forum',
+ 'Blog' => 'Blog',
+ 'Contact us!' => 'Bize UlaĆın!',
+ 'menu_welcome' => 'Dilinizi Seçin',
+ 'menu_license' => 'Lisans AnlaĆmaları',
+ 'menu_system' => 'Sistem UyumluluÄu',
+ 'menu_configure' => 'MaÄaza Bilgileri',
+ 'menu_database' => 'Sistem Yapılandırması',
+ 'menu_process' => 'MaÄaza Kurulumu',
+ 'Installation Assistant' => 'Kurulum Yardımcısı',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'PrestaShop yĂŒklemek için, JavaScript\'in tarayıcınızda etkinleĆtirilmiĆ olması gerekir.',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/tr/',
+ 'License Agreements' => 'Lisans SözleĆmeleri',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'PrestaShop tarafından ĂŒcretsiz olarak sunulan birçok özelliÄin tadını çıkarmak için, aĆaÄıdaki lisans koĆullarını okuyun. ModĂŒller ve temalar AFL 3.0 altında lisanslı ise PrestaShop çekirdek, OSL 3.0 altında lisanslıdır.',
+ 'I agree to the above terms and conditions.' => 'Ben yukarıdaki tĂŒm Ćartları ve koĆulları kabul ediyorum.',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Benim yapılandırmam hakkında anonim bilgi göndererek, çözĂŒm geliĆtirmesine katılmayı kabul ediyorum.',
+ 'Done!' => 'Bitti!',
+ 'An error occured during installation...' => 'YĂŒkleme sırasında bir hata oluĆtu...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'Ănceki adıma geri gidiniz, ya da Buraya Tıklayın . YĂŒkleme iĆlemini yeniden baĆlatmak için sol sĂŒtundaki linkleri kullanabilirsiniz.',
+ 'Your installation is finished!' => 'YĂŒkleme iĆleminiz Tamamlandı!',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Siz sadece dĂŒkkan yĂŒklemeyi bitirdiniz. PrestaShop kullandıÄınız için teĆekkĂŒr ederiz!',
+ 'Please remember your login information' => 'Oturum açma bilgilerinizi unutmayın',
+ 'E-mail' => 'E-Posta',
+ 'Print my login information' => 'Oturum açma bilgilerini yazdırın',
+ 'Password' => 'Parola',
+ 'Display' => 'Ekran',
+ 'For security purposes, you must delete the "install" folder.' => 'GĂŒvenlik amacıyla "install" klasörĂŒnĂŒ silmeniz gerekir.',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'Yönetim Paneli',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Sizin Yönetim panelini kullanarak maÄazayı yönetebilir. Emir ve mĂŒĆteri yönetmek, modĂŒlleri eklemek, temaları deÄiĆtirmek, vb.',
+ 'Manage your store' => 'MaÄazanızı Yönetin',
+ 'Front Office' => 'Ăn BĂŒro',
+ 'Discover your store as your future customers will see it!' => 'Gelecekte mĂŒĆterilerinizin göreceÄi Ćekilde bir hikaye keĆfedin!',
+ 'Discover your store' => 'MaÄazayı KeĆfedin',
+ 'Share your experience with your friends!' => 'ArkadaĆlarınızla deneyiminizi paylaĆın!',
+ 'I just built an online store with PrestaShop!' => 'Ben sadece PrestaShop ile çevrimiçi bir maÄaza zaten satın aldım!',
+ 'Look at this exhilarating experience : http://vimeo.com/89298199' => 'Heyecan verici bir deneyim için buraya bakın: http://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'PaylaĆ',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add the little something extra to your store!' => 'PrestaShop eklentilerinde maÄazanıza ekstra bir Ćeyler eklemek için ödeme yapınız!',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'Ću anda sistem ortam ile PrestaShop uyumluluÄu kontrol edilir',
+ 'If you have any questions, please visit our documentation and community forum .' => 'Herhangi bir sorunuz varsa, lĂŒtfen bizim DökĂŒmanlar and Topluluk Forumu .',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'Sistem ortamı ile PrestaShop uyumluluÄu doÄrulandı!',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Durrr! AĆaÄıdaki kalem(leri) dĂŒzeltin, ve sonra yeni sistem uyumluluÄunu test etmek için "Bilgi Yenile" ye tıklayın.',
+ 'Refresh these settings' => 'Bu Ayarları Yenile',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop çalıĆtırmak için en az 32 MB bellek gerektirir: php.ini dosyasında memory_limit yönergesini kontrol ediniz veya bu konuda host saÄlayıcınıza baĆvurunuz.',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'Uyarı:.. Siz maÄaza yĂŒkseltmek için artık bu aracı kullanamazsınız. Zaten var PrestaShop %1$s sĂŒrĂŒmĂŒ kurulu . EÄer en son sĂŒrĂŒme yĂŒkseltmek istiyorsanız bizim dökĂŒmanlarımızı okuyun lĂŒtfen: %2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'PrestaShop %s YĂŒkleyiciye HoĆgeldiniz',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'PrestaShop kurulumu hızlı ve kolaydır. Sadece birkaç dakika içinde, size 250.000 \'den fazla tĂŒccar oluĆan bir topluluÄun parçası haline gelecektir. Size her gĂŒn rahatlıkla yönetebileceÄiniz kendi özgĂŒn bir online maÄaza oluĆturmak için çalıĆılmaktadır.',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .',
+ 'Continue the installation in:' => 'Kurulum Devam Ediyor:',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Yukarıda dil seçimi yalnızca kurulum asistanı için geçerlidir. MaÄaza yĂŒklendikten sonra, tĂŒm ĂŒcretsiz, %d çeviriler bölĂŒmĂŒnden maÄaza dilinizi seçebilirsiniz!',
+ ),
+);
diff --git a/_install/langs/tr/language.xml b/_install/langs/tr/language.xml
new file mode 100644
index 00000000..2a5f14c1
--- /dev/null
+++ b/_install/langs/tr/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ tr-tr
+ m/j/Y
+ m/j/Y H:i:s
+ false
+
\ No newline at end of file
diff --git a/_install/langs/tr/mail_identifiers.txt b/_install/langs/tr/mail_identifiers.txt
new file mode 100644
index 00000000..3f768acb
--- /dev/null
+++ b/_install/langs/tr/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Hi {firstname} {lastname},
+
+Here is your personal login information for {shop_name}:
+
+Password: {passwd}
+E-mail address: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/langs/tw/data/carrier.xml b/_install/langs/tw/data/carrier.xml
new file mode 100644
index 00000000..e7105114
--- /dev/null
+++ b/_install/langs/tw/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ ć°ćșæèČš
+
+
diff --git a/_install/langs/tw/data/category.xml b/_install/langs/tw/data/category.xml
new file mode 100644
index 00000000..53f14132
--- /dev/null
+++ b/_install/langs/tw/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ æ čćéĄ
+
+ root
+
+
+
+
+
+ éŠé
+
+ home
+
+
+
+
+
diff --git a/_install/langs/tw/data/cms.xml b/_install/langs/tw/data/cms.xml
new file mode 100644
index 00000000..5d0edaff
--- /dev/null
+++ b/_install/langs/tw/data/cms.xml
@@ -0,0 +1,38 @@
+
+
+
+ é
é
+ é
éèȘȘæèæąä»¶
+ conditions, delivery, delay, shipment, pack
+ è«ćšéèŁĄćĄ«ć
„ç¶Čç«çé
éèȘȘæèæąä»¶
+ delivery
+
+
+ æłćŸèČæ
+ æłćŸèČæ
+ notice, legal, credits
+ è«ćšéèŁĄćĄ«ć
„ç¶Čç«çæłćŸèČæ
+ legal-notice
+
+
+ ç¶Čç«äœżçšæąæŹŸ
+ ç¶Čç«äœżçšæąæŹŸ
+ conditions, terms, use, sell
+ è«ćšéèŁĄćĄ«ć
„ç¶Čç«çäœżçšæąæŹŸ
+ terms-and-conditions-of-use
+
+
+ éæŒæć
+ éæŒæć
+ about us, informations
+ è«ćšéèŁĄćĄ«ć
„ç¶Čç«çéæŒæć
+ about-us
+
+
+ ä»æŹŸćźć
šèȘȘæ
+ ä»æŹŸćźć
šèȘȘæ
+ secure payment, ssl, visa, mastercard, paypal
+ è«ćšéèŁĄćĄ«ć
„ç¶Čç«çä»æŹŸćźć
šèȘȘæ
+ secure-payment
+
+
diff --git a/_install/langs/tw/data/cms_category.xml b/_install/langs/tw/data/cms_category.xml
new file mode 100644
index 00000000..440abcbd
--- /dev/null
+++ b/_install/langs/tw/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ éŠé
+
+ home
+
+
+
+
+
diff --git a/_install/langs/tw/data/configuration.xml b/_install/langs/tw/data/configuration.xml
new file mode 100644
index 00000000..5ff6e980
--- /dev/null
+++ b/_install/langs/tw/data/configuration.xml
@@ -0,0 +1,24 @@
+
+
+
+ #IN
+
+
+ #DE
+
+
+ #RE
+
+
+
+
+
+ 0
+
+
+ èŠȘæçćźąæ¶
+
+æŹç„ćčłćźïŒ
+ćźąæ¶æćéšé
+
+
diff --git a/_install/langs/tw/data/contact.xml b/_install/langs/tw/data/contact.xml
new file mode 100644
index 00000000..fb3b89e1
--- /dev/null
+++ b/_install/langs/tw/data/contact.xml
@@ -0,0 +1,9 @@
+
+
+
+ ćŠæćšç¶Čç«çŒçŸäșæèĄæ§ćéĄ
+
+
+ ä»»äœéæŒçąćăèšćźçćéĄ
+
+
diff --git a/_install/langs/tw/data/country.xml b/_install/langs/tw/data/country.xml
new file mode 100644
index 00000000..4e6bde1b
--- /dev/null
+++ b/_install/langs/tw/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
+
+
+ Andorra
+
+
+ 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/_install/langs/tw/data/gender.xml b/_install/langs/tw/data/gender.xml
new file mode 100644
index 00000000..4493c689
--- /dev/null
+++ b/_install/langs/tw/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/tw/data/group.xml b/_install/langs/tw/data/group.xml
new file mode 100644
index 00000000..b3a4d4f5
--- /dev/null
+++ b/_install/langs/tw/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/tw/data/index.php b/_install/langs/tw/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/tw/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/tw/data/meta.xml b/_install/langs/tw/data/meta.xml
new file mode 100644
index 00000000..db784ab0
--- /dev/null
+++ b/_install/langs/tw/data/meta.xml
@@ -0,0 +1,165 @@
+
+
+
+ 404 error
+ æŸäžć°ç¶Čé
+ error, 404, not found
+ page-not-found
+
+
+ ç±èłŁçąć
+ æćçç±èłŁçąć
+ best sales
+ best-sales
+
+
+ èŻç”Ąæć
+ äœżçšéćèĄšćźèæćèŻçč«
+ contact, form, e-mail
+ contact-us
+
+
+
+ ç¶Čç«ä»„ PrestaShop ć»șçœź
+ shop, prestashop
+
+
+
+ èŁœé ć
+ èŁœé ććèĄš
+ manufacturer
+ manufacturers
+
+
+ æ°çąć
+ æćçæ°çąć
+ new, products
+ new-products
+
+
+ ćżèšćŻçąŒ
+ 茞ć
„æšéć»çšäŸèš»ćç俥矱ïŒçł»ç”±æçșæšçąçæ°ćŻçąŒćŸćŻéć°æšç俥矱
+ forgot, password, e-mail, new, reset
+ password-recovery
+
+
+ éćč
+ æćççčćčçąć
+ special, prices drop
+ prices-drop
+
+
+ ç¶Čç«ć°ć
+ æŸäžć°ç¶Čé ïŒćŻä»„ćèéć
+ sitemap
+ sitemap
+
+
+ äŸæć
+ äŸæććèĄš
+ supplier
+ supplier
+
+
+ ć°ć
+
+
+ address
+
+
+ ć°ć
+
+
+ addresses
+
+
+ èȘè
+
+
+ authentication
+
+
+ èłŒç©è»
+
+
+ cart
+
+
+ ææŁ
+
+
+ discount
+
+
+ èšèłŒèšé
+
+
+ order-history
+
+
+ èć„
+
+
+ identity
+
+
+ æçćžłè
+
+
+ my-account
+
+
+ èšćźèżœèč€
+
+
+ order-follow
+
+
+ èšèłŒćź
+
+
+ order-slip
+
+
+ èšćź
+
+
+ order
+
+
+ æć°
+
+
+ search
+
+
+ ććș
+
+
+ stores
+
+
+ èšćź
+
+
+ quick-order
+
+
+ ćżćèżœèč€
+
+
+ guest-tracking
+
+
+ èšćźçąșèȘ
+
+
+ order-confirmation
+
+
+ Products Comparison
+
+
+ products-comparison
+
+
diff --git a/_install/langs/tw/data/order_return_state.xml b/_install/langs/tw/data/order_return_state.xml
new file mode 100644
index 00000000..d1ebbcb2
--- /dev/null
+++ b/_install/langs/tw/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ çćŸ
çąșèȘ
+
+
+ çćŸ
ć
èŁ
+
+
+ ć
èŁčç°œæ¶
+
+
+ æç”éèČš
+
+
+ éèČšćźæ
+
+
diff --git a/_install/langs/tw/data/order_state.xml b/_install/langs/tw/data/order_state.xml
new file mode 100644
index 00000000..2777c060
--- /dev/null
+++ b/_install/langs/tw/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ çćŸ
æŻç„šä»æŹŸ
+ cheque
+
+
+ ä»æŹŸćźæ
+ payment
+
+
+ ćèČšäž
+ preparation
+
+
+ ć·Čé
é
+ shipped
+
+
+ ć·Čç°œæ¶
+
+
+
+ ć·Čćæ¶
+ order_canceled
+
+
+ éæŹŸ
+ refund
+
+
+ ä»æŹŸéŻèȘ€
+ payment_error
+
+
+ é çŽèšèłŒ
+ outofstock
+
+
+ é çŽèšèłŒ
+ outofstock
+
+
+ çćŸ
éèĄćŻæŹŸ
+ bankwire
+
+
+ çćŸ
PayPal ä»æŹŸ
+
+
+
+ é ç«Żä»æŹŸćźæ
+ payment
+
+
+ Awaiting cod validation
+ cashondelivery
+
+
diff --git a/_install/langs/tw/data/profile.xml b/_install/langs/tw/data/profile.xml
new file mode 100644
index 00000000..59c9a8ed
--- /dev/null
+++ b/_install/langs/tw/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ è¶
çŽçźĄçè
+
+
diff --git a/_install/langs/tw/data/quick_access.xml b/_install/langs/tw/data/quick_access.xml
new file mode 100644
index 00000000..fb571bda
--- /dev/null
+++ b/_install/langs/tw/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/tw/data/risk.xml b/_install/langs/tw/data/risk.xml
new file mode 100644
index 00000000..de418b24
--- /dev/null
+++ b/_install/langs/tw/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/tw/data/stock_mvt_reason.xml b/_install/langs/tw/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..824ab79f
--- /dev/null
+++ b/_install/langs/tw/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ ćąć
+
+
+ æžć°
+
+
+ ćźąæ¶èšèłŒ
+
+
+ ćș«ćèȘżæŽ1
+
+
+ ćș«ćèȘżæŽ2
+
+
+ èȘżèȚ甊ćŠäžćććș«
+
+
+ ćŸćŠäžćććș«èȘżèČš
+
+
+ æĄèłŒćź
+
+
diff --git a/_install/langs/tw/data/supplier_order_state.xml b/_install/langs/tw/data/supplier_order_state.xml
new file mode 100644
index 00000000..c3662771
--- /dev/null
+++ b/_install/langs/tw/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/tw/data/supply_order_state.xml b/_install/langs/tw/data/supply_order_state.xml
new file mode 100644
index 00000000..24a1656a
--- /dev/null
+++ b/_install/langs/tw/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - ć»șç«äž
+
+
+ 2 - èšèłŒçąșèȘ
+
+
+ 3 - çćŸ
é
é
+
+
+ 4 - éšä»œé©æ¶
+
+
+ 5 - ćźæŽé©æ¶
+
+
+ 6 - ćæ¶èšèłŒ
+
+
diff --git a/_install/langs/tw/data/tab.xml b/_install/langs/tw/data/tab.xml
new file mode 100644
index 00000000..86d55131
--- /dev/null
+++ b/_install/langs/tw/data/tab.xml
@@ -0,0 +1,106 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/tw/flag.jpg b/_install/langs/tw/flag.jpg
new file mode 100644
index 00000000..f7bf00c2
Binary files /dev/null and b/_install/langs/tw/flag.jpg differ
diff --git a/_install/langs/tw/img/index.php b/_install/langs/tw/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/tw/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/tw/img/tw-default-category.jpg b/_install/langs/tw/img/tw-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/tw/img/tw-default-category.jpg differ
diff --git a/_install/langs/tw/img/tw-default-home.jpg b/_install/langs/tw/img/tw-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/tw/img/tw-default-home.jpg differ
diff --git a/_install/langs/tw/img/tw-default-large.jpg b/_install/langs/tw/img/tw-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/tw/img/tw-default-large.jpg differ
diff --git a/_install/langs/tw/img/tw-default-large_scene.jpg b/_install/langs/tw/img/tw-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/tw/img/tw-default-large_scene.jpg differ
diff --git a/_install/langs/tw/img/tw-default-medium.jpg b/_install/langs/tw/img/tw-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/tw/img/tw-default-medium.jpg differ
diff --git a/_install/langs/tw/img/tw-default-small.jpg b/_install/langs/tw/img/tw-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/tw/img/tw-default-small.jpg differ
diff --git a/_install/langs/tw/img/tw-default-thickbox.jpg b/_install/langs/tw/img/tw-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/tw/img/tw-default-thickbox.jpg differ
diff --git a/_install/langs/tw/img/tw-default-thumb_scene.jpg b/_install/langs/tw/img/tw-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/tw/img/tw-default-thumb_scene.jpg differ
diff --git a/_install/langs/tw/img/tw.jpg b/_install/langs/tw/img/tw.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/tw/img/tw.jpg differ
diff --git a/_install/langs/tw/index.php b/_install/langs/tw/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/tw/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/tw/install.php b/_install/langs/tw/install.php
new file mode 100644
index 00000000..f874fce9
--- /dev/null
+++ b/_install/langs/tw/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'æ茞ć
„ç %1$s : %2$s çŒçäșSQLéŻèȘ€',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'çĄæłć»șç«ćç "%s"ïŒæŒ "%2$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'çĄæłć»șç«ćç "%s"ïŒèłæć€Ÿ "%2$s" æŹéæèȘ€ïŒ',
+ 'Cannot create image "%s"' => 'çĄæłć»șç«ćç "%s"',
+ 'SQL error on query %s ' => 'SQLæ„è©ąéŻèȘ€ %s ',
+ '%s Login information' => '%s ç»ć
„俥æŻ',
+ 'Field required' => 'ćż
楫æŹäœ',
+ 'Invalid shop name' => 'ććșćçš±æèȘ€',
+ 'The field %s is limited to %d characters' => 'æŹäœ %s éć¶é·ćșŠçș %s ćć
',
+ 'Your firstname contains some invalid characters' => 'æšçć§ćć
ć«éŻèȘ€ćć
',
+ 'Your lastname contains some invalid characters' => 'æšçć§æ°ć
ć«éŻèȘ€ćć
',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'ćŻçąŒæèȘ€ïŒćȘæ„ćè±æćæŻèæžćïŒäžèłć° 8 ććïŒ',
+ 'Password and its confirmation are different' => 'ćŻçąŒèçąșèȘäžć',
+ 'This e-mail address is invalid' => 'é»é”ć°ćçĄæ ',
+ 'Image folder %s is not writable' => 'ćçèłæć€Ÿ %s çĄæłćŻ«ć
„',
+ 'An error occurred during logo copy.' => 'è€èŁœćç€șæçŒçéŻèȘ€',
+ 'An error occurred during logo upload.' => 'äžćłćç€șæçŒçéŻèȘ€',
+ 'Lingerie and Adult' => 'ć
§èĄŁèæäșșçšć',
+ 'Animals and Pets' => 'ćç©è比ç©',
+ 'Art and Culture' => 'èèĄèæć',
+ 'Babies' => '揰ćčŒć
çšć',
+ 'Beauty and Personal Care' => 'çŸćźčèćäșșè·ç',
+ 'Cars' => '汜è»',
+ 'Computer Hardware and Software' => 'é»è
Šè»çĄŹé«',
+ 'Download' => 'äžèŒ',
+ 'Fashion and accessories' => 'æèŁèé
件',
+ 'Flowers, Gifts and Crafts' => 'è±ćșă犟ćèć·„èć',
+ 'Food and beverage' => 'éŁČéŁ',
+ 'HiFi, Photo and Video' => 'ćœ±éł',
+ 'Home and Garden' => '柶ć±
ćè',
+ 'Home Appliances' => '柶çšé»ćš',
+ 'Jewelry' => 'ç 毶',
+ 'Mobile and Telecom' => 'èĄćèšćèéèš',
+ 'Services' => 'æć',
+ 'Shoes and accessories' => 'éćèé
件',
+ 'Sports and Entertainment' => 'éćèćšæš',
+ 'Travel' => 'æ
é',
+ 'Database is connected' => 'èłæćș«ć·Čç¶éŁç”',
+ 'Database is created' => 'èłæćș«ć·Čç¶ć»șç«',
+ 'Cannot create the database automatically' => 'çĄæłèȘćć»șç«èłæćș«',
+ 'Create settings.inc file' => 'ć»șç« settings.inc æȘæĄ',
+ 'Create database tables' => 'ć»șç«èłæèĄš',
+ 'Create default shop and languages' => 'ć»șç«é èšććșćèȘèš',
+ 'Populate database tables' => 'äœçœČèłæèĄš',
+ 'Configure shop information' => 'èšćźććșèłèš',
+ 'Install demonstration data' => 'ćźèŁć±ç€șèłæ',
+ 'Install modules' => 'ćźèŁæšĄç”',
+ 'Install Addons modules' => 'ćźèŁæšĄç”èć€æ',
+ 'Install theme' => 'ćźèŁäœæŻ',
+ 'Required PHP parameters' => 'ćż
楫PHPćæž',
+ 'PHP 5.1.2 or later is not enabled' => 'æČæćźèŁ PHP 5.1.2 ææŽæ°çæŹ',
+ 'Cannot upload files' => 'çĄæłäžćłæȘæĄ',
+ 'Cannot create new files and folders' => 'çĄæłć»șç«æ°æȘæĄèèłæć€Ÿ',
+ 'GD library is not installed' => 'æČæćźèŁ GD ćœćŒćș«',
+ 'MySQL support is not activated' => 'æČæćçš MySQL æŻæŽ',
+ 'Files' => 'æȘæĄ',
+ 'Not all files were successfully uploaded on your server' => 'æȘèœæćć°æææȘæĄäžćłæŒäœ çäŒșæćš',
+ 'Permissions on files and folders' => 'æ件ćæä»¶ć€ŸçââæŹé',
+ 'Recursive write permissions for %1$s user on %2$s' => 'ïŒ
1$s ćš ïŒ
2$s ççšæ¶éæžćŻ«æŹé',
+ 'Recommended PHP parameters' => 'æšèŠPHPćæž',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => '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!',
+ 'Cannot open external URLs' => 'çĄæłéćć€éšç¶Čć',
+ 'PHP register_globals option is enabled' => 'PHP register_globals éžé
ćçšäž',
+ 'GZIP compression is not activated' => 'æČæćçš GZIP ćŁçžź',
+ 'Mcrypt extension is not enabled' => 'æČæćçš Mcrypt ć€æ',
+ 'Mbstring extension is not enabled' => 'æČæćçš Mbstring ć€æ',
+ 'PHP magic quotes option is enabled' => 'PHP magic quotes éžé
ćçšäž',
+ 'Dom extension is not loaded' => 'æČæèŒć
„ Dom ć€æ',
+ 'PDO MySQL extension is not loaded' => 'æČæèŒć
„ PDO MySQL ć€æ',
+ 'Server name is not valid' => 'äŒșæćšćçš±æèȘ€',
+ 'You must enter a database name' => 'æšćż
é 茞ć
„èłæćș«ćçš±',
+ 'You must enter a database login' => 'æšćż
é 茞ć
„èłæćș«ćžłè',
+ 'Tables prefix is invalid' => 'èłæèĄšć綎æèȘ€',
+ 'Cannot convert database data to utf-8' => 'çĄæłèœæèłæć° UTF-8 ',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'çŒçŸäœżçšćæšŁć綎çèłæèĄšććšïŒè«äżźæčć綎ææŻç§»é€çŸæèłæćș«',
+ 'The values of auto_increment increment and offset must be set to 1' => 'èȘććąéçćŒćæ”é·ćż
é èšçœźçș1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'æŸäžć°èłæćș«äŒșæćšïŒè«çąșèȘćžłèăćŻçąŒèäŒșæćšæŹäœ',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'æćéŁç·äŒșæćšïŒäžéæŸäžć°èłæćș« "%s"',
+ 'Attempt to create the database automatically' => 'ćè©ŠèȘćć»șç«èłæćș«',
+ '%s file is not writable (check permissions)' => '%s æȘæĄçĄæłćŻ«ć
„ïŒè«æȘąæ„æŹéïŒ',
+ '%s folder is not writable (check permissions)' => '%s èłæć€ŸçĄæłćŻ«ć
„ïŒè«æȘąæ„æŹéïŒ',
+ 'Cannot write settings file' => 'çĄæłćŻ«ć
„èšćźæȘ',
+ 'Database structure file not found' => 'æŸäžć°èłæćș«ç”æ§æȘæĄ',
+ 'Cannot create group shop' => 'çĄæłć»șç«ććș矀ç”',
+ 'Cannot create shop' => 'çĄæłć»șç«ććș',
+ 'Cannot create shop URL' => 'çĄæłć»șç«ććșç¶Čć',
+ 'File "language.xml" not found for language iso "%s"' => 'æŸäžć°èȘèšä»ŁçąŒ "%s" ç "language.xml"',
+ 'File "language.xml" not valid for language iso "%s"' => 'èȘèšä»ŁçąŒ "%s" ç "language.xml" æèȘ€',
+ 'Cannot install language "%s"' => 'çĄæłćźèŁèȘèš "%s"',
+ 'Cannot copy flag language "%s"' => 'çĄæłè€èŁœèȘèšćç€ș "%s" ',
+ 'Cannot create admin account' => 'çĄæłć»șç«çźĄçè
',
+ 'Cannot install module "%s"' => 'çĄæłćźèŁæšĄç” "%s" ',
+ 'Fixtures class "%s" not found' => 'æŸäžć°æžŹè©Šèłæç©ä»¶ "%s"',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" ćż
é æŻ "InstallXmlLoader" çäžć毊äŸ',
+ 'Information about your Store' => 'æšććșçèłèš',
+ 'Shop name' => 'ććșćçš±',
+ 'Main activity' => 'äž»èŠæŽ»ć',
+ 'Please choose your main activity' => 'è«éžæäž»èŠæŽ»ć',
+ 'Other activity...' => 'ć
¶ä»æŽ»ć...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'ćć©æććžçżæšçććșéäœïŒéæšŁäžäŸæćć°±ćŻä»„çșæšççææäŸæŽć„œçć»șè°èćèœïŒ',
+ 'Install demo products' => 'ćźèŁć±ç€șçšçąć',
+ 'Yes' => 'æŻ',
+ 'No' => 'ćŠ',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'ć±ç€șçšçąćé©ćçšäŸćžçżäœżçš PrestaShop ïŒćŠæéäžçæ系由氱ć»șè°ćźèŁ.',
+ 'Country' => 'ć柶',
+ 'Select your country' => 'éžææšçć柶',
+ 'Shop timezone' => 'ç¶Čćșæć',
+ 'Select your timezone' => 'éžææšçæć',
+ 'Shop logo' => 'ç¶Čćșćæš',
+ 'Optional - You can add you logo at a later time.' => 'éžææ§ â æšćŻä»„æé»ćć ć
„ćç€ș',
+ 'Your Account' => 'æšçćžłè',
+ 'First name' => 'ćć',
+ 'Last name' => 'ć§æ°',
+ 'E-mail address' => 'E-mail address',
+ 'This email address will be your username to access your store\'s back office.' => 'éć俥矱ææçșæšç»ć
„ććșćŸć°çćžłè',
+ 'Shop password' => 'ććșćŻçąŒ',
+ 'Must be at least 8 characters' => 'æć° 8 ććć
',
+ 'Re-type to confirm' => 'ćæŹĄèŒžć
„çąșèȘ',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .',
+ 'Configure your database by filling out the following fields' => '楫毫äžéąæŹäœäŸèšćźèłæćș«',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'çșäșæŁçąșäœżçšPrestaShopïŒæšéèŠcreate a database æ¶éæšç¶Čćșçææé
çźçžéæžæă',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'è«ćĄ«ć
„äžéąæŹäœäŸéŁç·æšçèłæćș«',
+ 'Database server address' => 'äŒșæćšäœć',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'é èšéŁæ„ć æŻ 3306 ïŒèŠäœżçšć
¶ä»éŁæ„ć ïŒè«ć°éŁæ„ć ç·šèć ć
„ć°äŒșæćšç¶ČććŸéąïŒäŸćŠ "localhost:4242"',
+ 'Database name' => 'èłæćș«ćçš±',
+ 'Database login' => 'ćžłè',
+ 'Database password' => 'ćŻçąŒ',
+ 'Database Engine' => 'ćŒæ',
+ 'Tables prefix' => 'èłæèĄšć綎',
+ 'Drop existing tables (mode dev)' => '移é€çŸæèłæèĄšïŒéçŒçšïŒ',
+ 'Test your database connection now!' => 'çŸćšæžŹè©Šæšçèłæćș«éŁç·ïŒ',
+ 'Next' => 'äžäžæ„',
+ 'Back' => 'èżć',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.',
+ 'Official forum' => 'èšè«ć',
+ 'Support' => 'æŻæŽ',
+ 'Documentation' => 'æ件',
+ 'Contact us' => 'èŻç”Ąæć',
+ 'PrestaShop Installation Assistant' => 'ćźèŁćć©',
+ 'Forum' => 'èšè«ć',
+ 'Blog' => 'ććźą',
+ 'Contact us!' => 'èŻç”ĄæćïŒ',
+ 'menu_welcome' => 'éžæèȘèš',
+ 'menu_license' => 'ææŹèČæ',
+ 'menu_system' => '系由ć
Œćźčæ§',
+ 'menu_configure' => 'ććșèłèš',
+ 'menu_database' => '系由é
çœź',
+ 'menu_process' => 'ććșćźèŁ',
+ 'Installation Assistant' => 'ćźèŁćć©',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'èŠćźèŁ PrestaShop ïŒæšćż
é ćçšç芜ćšç JavaScript 䌰èœ',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/',
+ 'License Agreements' => 'ææŹèČæ',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'èŠèȘç±äœżçš PrestaShop çèš±ć€ćèœïŒè«ć
è©łé±äžéąçææŹæąæŹŸăPrestaShop çšćŒçąŒæŻä»„ OSL 3.0 çŒćžïŒæšĄç”èäœæŻćæŻ AFL 3.0 ă',
+ 'I agree to the above terms and conditions.' => 'æćæäžéąçèŠćèæąä»¶',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'æéĄæééćżćæčćŒéćșç¶Čç«èłèšäŸćèæčćéćè»é«',
+ 'Done!' => 'ćźæïŒ',
+ 'An error occurred during installation...' => 'ćźèŁéçšćșçŸéŻèȘ€.....',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'æšćŻä»„äœżçšć·ŠéçéŁç”äŸćć°äžäžæ„ïŒææŻ é»éžéèŁĄ éæ°éć§ćźèŁçšćș',
+ 'Your installation is finished!' => 'æšçćźèŁć·Čç¶ćźæïŒ',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'æšć·Čç¶ćźèŁćźæïŒæĄèżäœżçš PrestaShop ïŒ',
+ 'Please remember your login information:' => 'è«èšäœæšçç»ć
„èłèš ïŒ',
+ 'E-mail' => 'é»ć俥矱',
+ 'Print my login information' => 'ćć°æçç»ć
„èłèš',
+ 'Password' => 'ćŻçąŒ',
+ 'Display' => '饯ç€ș',
+ 'For security purposes, you must delete the "install" folder.' => 'ćșæŒćźć
šèéïŒæšćż
é ćȘé€ install èłæć€Ÿ',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'ćŸć°',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'ééćŸć°ćŻä»„知çæšçććșïŒć
æŹèšćźăćźąæ¶ăæšĄç”èäœæŻçç',
+ 'Manage your store' => '知çæšçććș',
+ 'Front Office' => 'ćć°',
+ 'Discover your store as your future customers will see it!' => 'ç芜æȘäŸæšçćźąæ¶æçć°çććșç«éąïŒ',
+ 'Discover your store' => 'ç芜æšçććș',
+ 'Share your experience with your friends!' => 'ćæšçæććäș«ç¶é©ïŒ',
+ 'I just built an online store with PrestaShop!' => 'æć仄 PrestaShop éäșäžćź¶ç¶ČäžććșïŒ',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'ççéć什äșșæŻć„źçé«é©ïŒhttp://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'ćäș«',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'ćšPrestaShop Addons ć°æŸææŽæ°æšçç¶ČćșéèŠçäžäșć°æ件ïŒ',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'æŁćšæȘąæ„系由ç°ćąççžćźčæ§',
+ 'If you have any questions, please visit our documentation and community forum .' => 'ćŠææä»»äœćéĄïŒè«ç芜æćç æ件 è èšè«ć ',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'æšç系由ç°ćąçžćźčæŒ PrestaShop ïŒ',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'è«äżźæŁäžéąé
çźïŒç¶ćŸé»éž "éæ°æŽçèłèš" äŸæžŹè©Šçł»ç”±çžćźčæ§',
+ 'Refresh these settings' => 'éæ°æŽçéäșèšćź',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'Prestashop èłć°éèŠ32Mçć
§ćäŸéèĄïŒè«æȘąæ„php.iniäžçmemory_limitçæ什æèŻçč«æšçäž»æ©æäŸć',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'èŠćïŒäœ äžèœćäœżçšæ€ć·„ć
·äŸæćäœ çćșă æšć·ČćźèŁäșPrestaShop ç ïŒ
1$s çæŹ ă ćŠæäœ æłćçŽć°ææ°çæŹïŒè«é±èźæćçææȘïŒïŒ
2$sç',
+ 'Welcome to the PrestaShop %s Installer' => 'æĄèżćźèŁ PrestaShop %s',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Prestashop çćźèŁćż«éèç°ĄćźăćšçççćčŸćéïŒäœ ć°±ææçșäžćææè¶
é165,000äœćäșș瀟ćçäžä»œćăćšć”ć»șæšçšçčçç¶ČäžććșéäžïŒæšćŻä»„ćŸćźčæć°æŻć€©çźĄçćźă',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .',
+ 'Continue the installation in:' => 'çčŒçșćźèŁïŒ',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'äžéąéžæçèȘèšćȘçšćšćźèŁéçšïŒäžæŠćźæćźèŁïŒæšćŻä»„çșććșć ć
㏦
é %d çšźçż»èŻïŒèäžéœæŻć
èČ»çïŒ',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Prestashop çćźèŁćż«éèç°ĄćźăćšçççćčŸćéïŒäœ ć°±ææçșäžćææè¶
é250,000äœćäșș瀟ćçäžä»œćăćšć”ć»șæšçšçčçç¶ČäžććșéäžïŒæšćŻä»„ćŸćźčæć°æŻć€©çźĄçćźă',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/tw/language.xml b/_install/langs/tw/language.xml
new file mode 100644
index 00000000..df0cbace
--- /dev/null
+++ b/_install/langs/tw/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ tw-tw
+ Y-m-d
+ Y-m-d H:i:s
+ false
+
\ No newline at end of file
diff --git a/_install/langs/tw/mail_identifiers.txt b/_install/langs/tw/mail_identifiers.txt
new file mode 100644
index 00000000..e4774a97
--- /dev/null
+++ b/_install/langs/tw/mail_identifiers.txt
@@ -0,0 +1,10 @@
+{lastname}{firstname}æšć„œïŒ
+
+æšćš {shop_name} çćžłèèłèšćŠäžïŒ
+
+ćŻçąŒïŒ {passwd}
+äżĄçź±ïŒ {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} æŻéé PrestaShopâą ć»șçœź
\ No newline at end of file
diff --git a/_install/langs/zh/data/carrier.xml b/_install/langs/zh/data/carrier.xml
new file mode 100644
index 00000000..343fa6f5
--- /dev/null
+++ b/_install/langs/zh/data/carrier.xml
@@ -0,0 +1,6 @@
+
+
+
+ Pick up in-store
+
+
diff --git a/_install/langs/zh/data/category.xml b/_install/langs/zh/data/category.xml
new file mode 100644
index 00000000..87b90b95
--- /dev/null
+++ b/_install/langs/zh/data/category.xml
@@ -0,0 +1,19 @@
+
+
+
+ Root
+
+ root
+
+
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/zh/data/cms.xml b/_install/langs/zh/data/cms.xml
new file mode 100644
index 00000000..f966a34b
--- /dev/null
+++ b/_install/langs/zh/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 Web site was created using <a href="http://www.prestashop.com">PrestaShop</a>™ open-source software.</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ю</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ю</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="http://192.168.9.41/prestashop1601/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 mean
+ 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 services</p>
+ secure-payment
+
+
diff --git a/_install/langs/zh/data/cms_category.xml b/_install/langs/zh/data/cms_category.xml
new file mode 100644
index 00000000..ceb8cf49
--- /dev/null
+++ b/_install/langs/zh/data/cms_category.xml
@@ -0,0 +1,11 @@
+
+
+
+ Home
+
+ home
+
+
+
+
+
diff --git a/_install/langs/zh/data/configuration.xml b/_install/langs/zh/data/configuration.xml
new file mode 100644
index 00000000..26e86e4f
--- /dev/null
+++ b/_install/langs/zh/data/configuration.xml
@@ -0,0 +1,24 @@
+
+
+
+ #IN
+
+
+ #DE
+
+
+ #RE
+
+
+
+
+
+ 0
+
+
+ Dear Customer,
+
+Regards,
+Customer service
+
+
diff --git a/_install/langs/zh/data/contact.xml b/_install/langs/zh/data/contact.xml
new file mode 100644
index 00000000..bdc0b24d
--- /dev/null
+++ b/_install/langs/zh/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/_install/langs/zh/data/country.xml b/_install/langs/zh/data/country.xml
new file mode 100644
index 00000000..d57ea1e3
--- /dev/null
+++ b/_install/langs/zh/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
+
+
+ Andorra
+
+
+ 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/_install/langs/zh/data/gender.xml b/_install/langs/zh/data/gender.xml
new file mode 100644
index 00000000..2b2a4aa5
--- /dev/null
+++ b/_install/langs/zh/data/gender.xml
@@ -0,0 +1,5 @@
+
+
+
+
+
diff --git a/_install/langs/zh/data/group.xml b/_install/langs/zh/data/group.xml
new file mode 100644
index 00000000..2d1b7093
--- /dev/null
+++ b/_install/langs/zh/data/group.xml
@@ -0,0 +1,6 @@
+
+
+
+
+
+
diff --git a/_install/langs/zh/data/index.php b/_install/langs/zh/data/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/zh/data/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/zh/data/meta.xml b/_install/langs/zh/data/meta.xml
new file mode 100644
index 00000000..d4064139
--- /dev/null
+++ b/_install/langs/zh/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
+
+
+
+ Shop powered by PrestaShop
+
+
+
+
+ Manufacturers
+ Manufacturers list
+
+ manufacturers
+
+
+ New products
+ Our new products
+
+ new-products
+
+
+ Forgot your password
+ Enter your e-mail address used to register in goal to get e-mail with your 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
+
+
+ Order slip
+
+
+ order-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/_install/langs/zh/data/order_return_state.xml b/_install/langs/zh/data/order_return_state.xml
new file mode 100644
index 00000000..37ad31de
--- /dev/null
+++ b/_install/langs/zh/data/order_return_state.xml
@@ -0,0 +1,18 @@
+
+
+
+ Waiting for confirmation
+
+
+ Waiting for package
+
+
+ Package received
+
+
+ Return denied
+
+
+ Return completed
+
+
diff --git a/_install/langs/zh/data/order_state.xml b/_install/langs/zh/data/order_state.xml
new file mode 100644
index 00000000..5d8d7e9c
--- /dev/null
+++ b/_install/langs/zh/data/order_state.xml
@@ -0,0 +1,59 @@
+
+
+
+ Awaiting cheque payment
+ cheque
+
+
+ Payment accepted
+ payment
+
+
+ Preparation in progress
+ preparation
+
+
+ Shipped
+ shipped
+
+
+ Delivered
+
+
+
+ Canceled
+ order_canceled
+
+
+ Refund
+ refund
+
+
+ Payment error
+ payment_error
+
+
+ On backorder (paid)
+ outofstock
+
+
+ On backorder (not paid)
+ outofstock
+
+
+ Awaiting bank wire payment
+ bankwire
+
+
+ Awaiting PayPal payment
+
+
+
+ Remote payment accepted
+ payment
+
+
+ Remote payment accepted
+ cashondelivery
+
+
diff --git a/_install/langs/zh/data/profile.xml b/_install/langs/zh/data/profile.xml
new file mode 100644
index 00000000..7352a78c
--- /dev/null
+++ b/_install/langs/zh/data/profile.xml
@@ -0,0 +1,6 @@
+
+
+
+ SuperAdmin
+
+
diff --git a/_install/langs/zh/data/quick_access.xml b/_install/langs/zh/data/quick_access.xml
new file mode 100644
index 00000000..72e5a5b9
--- /dev/null
+++ b/_install/langs/zh/data/quick_access.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
diff --git a/_install/langs/zh/data/risk.xml b/_install/langs/zh/data/risk.xml
new file mode 100644
index 00000000..bb8bf6dd
--- /dev/null
+++ b/_install/langs/zh/data/risk.xml
@@ -0,0 +1,7 @@
+
+
+
+
+
+
+
diff --git a/_install/langs/zh/data/stock_mvt_reason.xml b/_install/langs/zh/data/stock_mvt_reason.xml
new file mode 100644
index 00000000..e04ec4eb
--- /dev/null
+++ b/_install/langs/zh/data/stock_mvt_reason.xml
@@ -0,0 +1,27 @@
+
+
+
+ Increase
+
+
+ Decrease
+
+
+ Customer Order
+
+
+ Regulation following an inventory of stock
+
+
+ Regulation following an inventory of stock
+
+
+ Transfer to another warehouse
+
+
+ Transfer from another warehouse
+
+
+ Supply Order
+
+
diff --git a/_install/langs/zh/data/supplier_order_state.xml b/_install/langs/zh/data/supplier_order_state.xml
new file mode 100644
index 00000000..dfc4ce42
--- /dev/null
+++ b/_install/langs/zh/data/supplier_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/_install/langs/zh/data/supply_order_state.xml b/_install/langs/zh/data/supply_order_state.xml
new file mode 100644
index 00000000..1e8903f0
--- /dev/null
+++ b/_install/langs/zh/data/supply_order_state.xml
@@ -0,0 +1,21 @@
+
+
+
+ 1 - Creation in progress
+
+
+ 2 - Order validated
+
+
+ 3 - Pending receipt
+
+
+ 4 - Order received in part
+
+
+ 5 - Order received completely
+
+
+ 6 - Order canceled
+
+
diff --git a/_install/langs/zh/data/tab.xml b/_install/langs/zh/data/tab.xml
new file mode 100644
index 00000000..e4b584b9
--- /dev/null
+++ b/_install/langs/zh/data/tab.xml
@@ -0,0 +1,103 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/_install/langs/zh/flag.jpg b/_install/langs/zh/flag.jpg
new file mode 100644
index 00000000..0ff08a63
Binary files /dev/null and b/_install/langs/zh/flag.jpg differ
diff --git a/_install/langs/zh/img/index.php b/_install/langs/zh/img/index.php
new file mode 100644
index 00000000..22383709
--- /dev/null
+++ b/_install/langs/zh/img/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/zh/img/zh-default-category.jpg b/_install/langs/zh/img/zh-default-category.jpg
new file mode 100644
index 00000000..27847d72
Binary files /dev/null and b/_install/langs/zh/img/zh-default-category.jpg differ
diff --git a/_install/langs/zh/img/zh-default-home.jpg b/_install/langs/zh/img/zh-default-home.jpg
new file mode 100644
index 00000000..592ecf5b
Binary files /dev/null and b/_install/langs/zh/img/zh-default-home.jpg differ
diff --git a/_install/langs/zh/img/zh-default-large.jpg b/_install/langs/zh/img/zh-default-large.jpg
new file mode 100644
index 00000000..9bb476dd
Binary files /dev/null and b/_install/langs/zh/img/zh-default-large.jpg differ
diff --git a/_install/langs/zh/img/zh-default-large_scene.jpg b/_install/langs/zh/img/zh-default-large_scene.jpg
new file mode 100644
index 00000000..8a5d3211
Binary files /dev/null and b/_install/langs/zh/img/zh-default-large_scene.jpg differ
diff --git a/_install/langs/zh/img/zh-default-medium.jpg b/_install/langs/zh/img/zh-default-medium.jpg
new file mode 100644
index 00000000..ecdc7154
Binary files /dev/null and b/_install/langs/zh/img/zh-default-medium.jpg differ
diff --git a/_install/langs/zh/img/zh-default-small.jpg b/_install/langs/zh/img/zh-default-small.jpg
new file mode 100644
index 00000000..97feb5a1
Binary files /dev/null and b/_install/langs/zh/img/zh-default-small.jpg differ
diff --git a/_install/langs/zh/img/zh-default-thickbox.jpg b/_install/langs/zh/img/zh-default-thickbox.jpg
new file mode 100644
index 00000000..20e30617
Binary files /dev/null and b/_install/langs/zh/img/zh-default-thickbox.jpg differ
diff --git a/_install/langs/zh/img/zh-default-thumb_scene.jpg b/_install/langs/zh/img/zh-default-thumb_scene.jpg
new file mode 100644
index 00000000..d192f916
Binary files /dev/null and b/_install/langs/zh/img/zh-default-thumb_scene.jpg differ
diff --git a/_install/langs/zh/img/zh.jpg b/_install/langs/zh/img/zh.jpg
new file mode 100644
index 00000000..b20a17c3
Binary files /dev/null and b/_install/langs/zh/img/zh.jpg differ
diff --git a/_install/langs/zh/index.php b/_install/langs/zh/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/langs/zh/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/langs/zh/install.php b/_install/langs/zh/install.php
new file mode 100644
index 00000000..c395e205
--- /dev/null
+++ b/_install/langs/zh/install.php
@@ -0,0 +1,209 @@
+ array(
+ 'documentation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop',
+ 'documentation_upgrade' => 'http://docs.prestashop.com/display/PS16/Updating+PrestaShop',
+ 'forum' => 'http://www.prestashop.com/forums/',
+ 'blog' => 'http://www.prestashop.com/blog/',
+ 'support' => 'https://www.prestashop.com/en/support',
+ 'tutorial' => 'https://www.youtube.com/watch?v=psz4aIPZZuk',
+ 'tailored_help' => 'http://addons.prestashop.com/en/388-support',
+ ),
+ 'translations' => array(
+ 'An SQL error occurred for entity %1$s : %2$s ' => 'An SQL error occurred for entity %1$s : %2$s ',
+ 'Cannot create image "%1$s" for entity "%2$s"' => 'äžèœćš"%2$s" ćć»șćŸç"%1$s"',
+ 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'æ æłćć»șćŸç "%1$s" ( æ æ件ć€č"%2$s"ææ)',
+ 'Cannot create image "%s"' => 'äžèœćć»șćŸç"%s"',
+ 'SQL error on query %s ' => 'SQL error on query %s ',
+ '%s Login information' => '%s ç»é俥æŻ',
+ 'Field required' => 'ćż
楫ćæź”',
+ 'Invalid shop name' => 'æ æćșéșćć',
+ 'The field %s is limited to %d characters' => 'èŻ„ćæź” %s ćæ°æ性éäžș%d äžȘć珊',
+ 'Your firstname contains some invalid characters' => 'äœ çććć
ć«äžäșæ æçć珊',
+ 'Your lastname contains some invalid characters' => 'äœ çć§ć
ć«äžäșæ æçć珊',
+ 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'ćŻç äžæŁçĄź (èłć°8äžȘć珊)',
+ 'Password and its confirmation are different' => 'ćŻç äžçĄźèź€ćŻç äžć',
+ 'This e-mail address is invalid' => 'æ€ç”ćéźä»¶ć°ćæŻæ æçă',
+ 'Image folder %s is not writable' => 'ćŸçæ件ć€č %s äžćŻć',
+ 'An error occurred during logo copy.' => 'ćšæ ćżć€ć¶èżçšäžćçéèŻŻă',
+ 'An error occurred during logo upload.' => 'ćšæ ćżäžäŒ èżçšäžćçéèŻŻă',
+ 'Lingerie and Adult' => 'ć
èĄŁćæäșș',
+ 'Animals and Pets' => 'ćź ç©',
+ 'Art and Culture' => 'èșæŻæć',
+ 'Babies' => 'ć©Žćżçšć',
+ 'Beauty and Personal Care' => 'çŸćźčćäžȘäșșæ€ç',
+ 'Cars' => 'èœżèœŠ',
+ 'Computer Hardware and Software' => 'èźĄçźæș祏件ćèœŻä»¶',
+ 'Download' => 'äžèœœ',
+ 'Fashion and accessories' => 'æ¶èŁ
ćé
é„°',
+ 'Flowers, Gifts and Crafts' => 'éČè±ïŒç€Œććć·„èșć',
+ 'Food and beverage' => 'éŁććé„źæ',
+ 'HiFi, Photo and Video' => 'éłćïŒç
§çćè§éą',
+ 'Home and Garden' => '柀ć
ćè±ć',
+ 'Home Appliances' => '柶ç”',
+ 'Jewelry' => 'éŠé„°ç ćź',
+ 'Mobile and Telecom' => '移ćšćç”俥',
+ 'Services' => 'æćĄ',
+ 'Shoes and accessories' => 'éç±»ćé
件',
+ 'Sports and Entertainment' => 'äœèČććš±äčäž',
+ 'Travel' => 'æ
èĄ',
+ 'Database is connected' => 'æ°æźćșć·Čèżæ„',
+ 'Database is created' => 'æ°æźćșć·Čćć»ș',
+ 'Cannot create the database automatically' => 'æ æłèȘćšćć»șæ°æźćș',
+ 'Create settings.inc file' => 'ćć»șsettings.incæ件',
+ 'Create database tables' => 'ćć»șæ°æźćșèĄš',
+ 'Create default shop and languages' => 'ćć»șé»èź€ćșéșćèŻèš',
+ 'Populate database tables' => 'æ€ć
„æ°æźćșèĄš',
+ 'Configure shop information' => 'é
çœźćșéș俥æŻ',
+ 'Install demonstration data' => 'ćźèŁ
æŒç€șæ°æź',
+ 'Install modules' => 'ćźèŁ
æšĄć',
+ 'Install Addons modules' => 'ćźèŁ
æä»¶æšĄć',
+ 'Install theme' => 'ćźèŁ
äž»éą',
+ 'Required PHP parameters' => 'ćż
楫ćæ°',
+ 'PHP 5.1.2 or later is not enabled' => 'PHP5.1.2ææŽé«çæŹæȘćŻçš',
+ 'Cannot upload files' => 'æ æłäžäŒ æ件',
+ 'Cannot create new files and folders' => 'æ æłćć»șæ°æ件ćæ件ć€č',
+ 'GD library is not installed' => 'æȘćźèŁ
GDćș',
+ 'MySQL support is not activated' => 'MySQLæŻææȘæżæŽ»',
+ 'Files' => 'æ件',
+ 'Not all files were successfully uploaded on your server' => 'éæææ件æćäžäŒ ć°æšçæćĄćšäž',
+ 'Permissions on files and folders' => 'æ件ćæ件ć€čçæé',
+ 'Recursive write permissions for %1$s user on %2$s' => 'Recursive write permissions for %1$s user on %2$s',
+ 'Recommended PHP parameters' => 'Recommended PHP parameters',
+ 'You are using PHP %s version. Soon, the latest PHP version supported by 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!' => '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!',
+ 'Cannot open external URLs' => 'æ æłæćŒć€éšéŸæ„',
+ 'PHP register_globals option is enabled' => 'PHPçregister_globalsééĄčèą«ćŻçš',
+ 'GZIP compression is not activated' => 'GZIPć猩æȘæżæŽ»',
+ 'Mcrypt extension is not enabled' => 'Mcryptæ©ć±æȘćŻçš',
+ 'Mbstring extension is not enabled' => 'Mbstringæ©ć±æȘćŻçš',
+ 'PHP magic quotes option is enabled' => 'PHP magic quotes ééĄčäžș on',
+ 'Dom extension is not loaded' => 'DOMæ©ć±æȘć 蜜',
+ 'PDO MySQL extension is not loaded' => 'PDO MySQLæ©ć±ćæȘć 蜜',
+ 'Server name is not valid' => 'æćĄćšć称äžćŻçš',
+ 'You must enter a database name' => 'æšćż
饻èŸć
„äžäžȘæ°æźćșć',
+ 'You must enter a database login' => 'æšćż
饻èŸć
„äžäžȘæ°æźćșç»ćœć',
+ 'Tables prefix is invalid' => 'æ°æźćșèĄšćçŒ',
+ 'Cannot convert database data to utf-8' => 'æ æłć°æ°æźèœŹæąæ utf-8',
+ 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'ćŠææŸć°çžććçŒçæ°æźćșèĄšïŒèŻ·æŽæąćçŒæè
ć é€æšçæ°æźćșèĄšă',
+ 'The values of auto_increment increment and offset must be set to 1' => 'The values of auto_increment increment and offset must be set to 1',
+ 'Database Server is not found. Please verify the login, password and server fields' => 'æ°æźćșæćĄćšæČĄææŸć°ăèŻ·æŁæ„ç»ćœćïŒćŻç ćæćĄćšéąć',
+ 'Connection to MySQL server succeeded, but database "%s" not found' => 'æćèżæ„ć°MySQLæćĄćšïŒäœ"%s"æ°æźćșæȘæŸć°',
+ 'Attempt to create the database automatically' => 'ć°èŻèȘćšćć»șæ°æźćș',
+ '%s file is not writable (check permissions)' => '%sæ件äžćŻćïŒæŁæ„æéïŒ',
+ '%s folder is not writable (check permissions)' => '%sæ件ć€čäžćŻćïŒæŁæ„æéïŒ',
+ 'Cannot write settings file' => 'æ æłćć
„èźŸçœźæ件',
+ 'Database structure file not found' => 'æȘæŸć°æ°æźćșæ件ç»æ',
+ 'Cannot create group shop' => 'æ æłćć»șç»ćș',
+ 'Cannot create shop' => 'æ æłćć»șćșéș',
+ 'Cannot create shop URL' => 'æ æłćć»șćșéșèżæ„',
+ 'File "language.xml" not found for language iso "%s"' => 'æ件"language.xml" æ æłä»èŻèšiso "%s" éæŸć°',
+ 'File "language.xml" not valid for language iso "%s"' => 'æ件 "language.xml" ćšèŻèš iso "%s" éæ æ',
+ 'Cannot install language "%s"' => 'æ æłćźèŁ
èŻèš "%s" ',
+ 'Cannot copy flag language "%s"' => 'æ æłć€ć¶èŻ„èŻèšćŻčćșçćœæ "%s"',
+ 'Cannot create admin account' => 'æ æłćć»șèĄæżèŽŠæ·',
+ 'Cannot install module "%s"' => 'æ æłćźèŁ
æšĄć "%s"',
+ 'Fixtures class "%s" not found' => 'èŁ
çœź"%s"æȘæŸć°',
+ '"%s" must be an instance of "InstallXmlLoader"' => '"%s" ćșäžșäžäžȘ "InstallXmlLoader" ćźäŸ',
+ 'Information about your Store' => 'æšćșéșç俥æŻ',
+ 'Shop name' => 'ććșć称ïŒ',
+ 'Main activity' => 'äž»è„äžćĄ',
+ 'Please choose your main activity' => 'èŻ·éæ©æšçäž»èŠäžćĄ',
+ 'Other activity...' => 'ć
¶ä»äžćĄ...',
+ 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'ćžźć©æ仏æŽć€ć°äșè§Łäœ çćșéșïŒæ仏ćŻä»„äžșæšçäŒäžæäŸæäœłçæćŻŒćæćéçćèœïŒ',
+ 'Install demo products' => 'ćźèŁ
æŒç€șäș§ć',
+ 'Yes' => 'æŻ',
+ 'No' => 'ćŠ',
+ 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'æŒç€șććæŻäžȘäșè§ŁćŠäœäœżçš Prestashop ć„œæčæłăćŠææšèżäžçæćŠäœćš PrestaShop äžćŒćșïŒæšćșèŻ„ćźèŁ
ćźä»Źă',
+ 'Country' => 'ćœćź¶',
+ 'Select your country' => 'éæ©æšçćœćź¶',
+ 'Shop timezone' => 'Shop timezone',
+ 'Select your timezone' => 'éæ©æšçæ¶ćș',
+ 'Shop logo' => 'Shop logo',
+ 'Optional - You can add you logo at a later time.' => 'ćŻé - äœ ćŻèżäșæ·»ć æšçæ ćżă',
+ 'Your Account' => 'æç莊æ·',
+ 'First name' => 'ć',
+ 'Last name' => 'ć§',
+ 'E-mail address' => 'ç”éźlć°ć',
+ 'This email address will be your username to access your store\'s back office.' => 'èżäžȘç”ćéźä»¶ć°ćć°æäžșæšççšæ·ćæ„èźżéźæšçćșéșćć°ă',
+ 'Shop password' => 'ćșéșćŻç ',
+ 'Must be at least 8 characters' => 'ćż
饻ć€äș8äžȘć珊',
+ 'Re-type to confirm' => 'éæ°èŸć
„',
+ 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .',
+ 'Configure your database by filling out the following fields' => '楫ć仄äžćæź”é
çœźæ°æźćș',
+ 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'äžșäșæŁçĄźäœżçšPrestaShopïŒæšéèŠcreate a database æ¶éæšçœćșçææéĄčçźçžć
łæ°æźă',
+ 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'èŻ·æéĄșćș楫ćäžéąçćæź”ïŒä»„äŸżèź© Prestashop èżæ„ć°æšçæ°æźćșă',
+ 'Database server address' => 'æ°æźćșæćĄćšć°ć',
+ 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'é»èź€ç«ŻćŁäžș3306ăćŠèŠäœżçšäžćçç«ŻćŁïŒèŻ·ćšæćĄćšçć°ćç«ŻćŁæ«ç«Żæ·»ć âïŒ4242âă',
+ 'Database name' => 'æ°æźćșć称',
+ 'Database login' => 'æ°æźćșç»ćœć',
+ 'Database password' => 'æ°æźćșćŻç ',
+ 'Database Engine' => 'Database Engine',
+ 'Tables prefix' => 'èĄšæ ŒćçŒ',
+ 'Drop existing tables (mode dev)' => 'ć é€ç°æèĄšæ ŒïŒćŒćæšĄćŒïŒ',
+ 'Test your database connection now!' => 'ç°ćšæ”èŻäœ çæ°æźćșèżæ„ć§ïŒ',
+ 'Next' => 'äžäžäžȘ',
+ 'Back' => 'èżć',
+ 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.',
+ 'Official forum' => 'ćźæčèźșć',
+ 'Support' => 'æŻæ',
+ 'Documentation' => 'ææĄŁ',
+ 'Contact us' => 'èçł»æ仏',
+ 'PrestaShop Installation Assistant' => 'PrestaShop ćźèŁ
ć©æ',
+ 'Forum' => 'èźșć',
+ 'Blog' => 'ććźą',
+ 'Contact us!' => 'èçł»æ仏ïŒ',
+ 'menu_welcome' => 'èŻ·éæ©èŻèš',
+ 'menu_license' => 'èźžćŻćèźź',
+ 'menu_system' => 'çł»ç»ć
Œćźčæ§',
+ 'menu_configure' => 'ćș俥æŻ',
+ 'menu_database' => 'çł»ç»é
çœź',
+ 'menu_process' => 'ćșéșćźèŁ
',
+ 'Installation Assistant' => 'ćźèŁ
ć©æ',
+ 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'æšéèŠćšæ”è§ćšäžćŻçš JavaScript æ„ćźèŁ
PrestaShopă',
+ 'http://enable-javascript.com/' => 'http://enable-javascript.com/',
+ 'License Agreements' => 'èźžćŻćèźź',
+ 'To enjoy the many features that are offered for free by PrestaShop, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'æłèŠäș«ć PrestaShop æäŸçć€ç§ć
èŽčćèœïŒèŻ·é
èŻ»äžéąçèźžćŻæĄæŹŸăPrestashop æ žćżæŻä»„ OSL 3.0ćèźź ææïŒäœæŻæšĄććäž»éąææäș AFL3.0 ćèźźă',
+ 'I agree to the above terms and conditions.' => 'æćæäžèż°æĄæŹŸćæĄä»¶ă',
+ 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'æćæćäžæčćçè§ŁćłæčæĄïŒéèżćéæçé
çœźçćżć俥æŻă',
+ 'Done!' => 'ćźæïŒ',
+ 'An error occurred during installation...' => 'ćšćźèŁ
çèżçšäžćșç°äșéèŻŻ...',
+ 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here .' => 'æšćŻä»„äœżçšć·ŠäŸ§ćäžçéŸæ„èżćć°ćéąçæ„éȘ€ïŒæè
éèżçčć»èżé éæ°ćŻćšćźèŁ
ââèżçšă',
+ 'Your installation is finished!' => 'ćźèŁ
ć·Čç»æïŒ',
+ 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'æšć·ČćźæćșéșçćźèŁ
ăæè°ąæšäœżçš PrestaShopïŒ',
+ 'Please remember your login information:' => 'èŻ·èź°äœæšçç»ćœäżĄæŻ',
+ 'E-mail' => 'éźçź±',
+ 'Print my login information' => 'æć°æçç»ćœäżĄæŻ',
+ 'Password' => 'ćŻç ',
+ 'Display' => 'æŸç€ș',
+ 'For security purposes, you must delete the "install" folder.' => 'äžșäșäżèŻćźć
šïŒäœ ćż
饻ć é€æ件ć€č âćźèŁ
â ă',
+ 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation',
+ 'Back Office' => 'ćć°',
+ 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'äœżçšćć°çźĄçæšçćșéșă知çæšçèźąćććźąæ·ïŒæ·»ć æšĄćïŒæŽæčäž»éąçă',
+ 'Manage your store' => '知çæšçćșéș',
+ 'Front Office' => 'ćć°',
+ 'Discover your store as your future customers will see it!' => 'ç«ćšéĄŸćźąçäœçœźäžçæšçćșéșïŒ',
+ 'Discover your store' => 'äœéȘæšçćșéș',
+ 'Share your experience with your friends!' => 'ćæšçæććäș«ç»éȘïŒ',
+ 'I just built an online store with PrestaShop!' => 'æćććšPrestaShopćŒäșäžćź¶çœäžććșïŒ',
+ 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Watch this exhilarating experience: http://vimeo.com/89298199',
+ 'Tweet' => 'Tweet',
+ 'Share' => 'ćäș«',
+ 'Google+' => 'Google+',
+ 'Pinterest' => 'Pinterest',
+ 'LinkedIn' => 'LinkedIn',
+ 'Check out PrestaShop Addons to add that little something extra to your store!' => 'ćš PrestaShop Addons 毻æŸææŽæ°æšççœćșéèŠçäžäșć°æ件ïŒ',
+ 'We are currently checking PrestaShop compatibility with your system environment' => 'æ仏æŁćšæŁæ„æšć PrestaShop ççł»ç»çŻćąć
Œćźč',
+ 'If you have any questions, please visit our documentation and community forum .' => 'ćŠææšæä»»äœçéźïŒèŻ·èźżéźæ仏çææĄŁ ć瀟ćșèźșć ă',
+ 'PrestaShop compatibility with your system environment has been verified!' => 'æšć PrestaShop ççł»ç»çŻćąć
Œćźčć·ČéèżéȘèŻïŒ',
+ 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'çłçłïŒèŻ·æŽæŁäžéąććïŒç¶ććć»âć·æ°äżĄæŻâïŒä»„æ”èŻæ°çł»ç»çć
Œćźčæ§ă',
+ 'Refresh these settings' => 'éæ°æŽçèżäșèźŸçœź',
+ 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop èłć°éèŠ32Mçć
ćæ„èżèĄïŒèŻ·æŁæ„php.iniäžçmemory_limitçæ什æèçł»æšçäž»æșæäŸć',
+ 'Warning: You cannot use this tool to upgrade your store anymore. You already have PrestaShop version %1$s installed . If you want to upgrade to the latest version, please read our documentation: %2$s ' => 'èŠćïŒäœ æ æłäœżçšæ€ć·„ć
·æ„ćçș§äœ çćșéșă æšć·Čç»ćźèŁ
äș PrestaShop ç %1$s sçæŹ ă ćŠæäœ æłćçș§ć°ææ°çæŹïŒèŻ·é
èŻ»æ仏çææĄŁïŒ%2$s ',
+ 'Welcome to the PrestaShop %s Installer' => 'æŹąèżæ„ć°PrestaShop %s ćźèŁ
',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Prestashop çćźèŁ
ćż«éèçźćăćšçççć ćéïŒäœ ć°±äŒæäžșäžäžȘæ„æè¶
èż230,000äœćäșș瀟ćșçäžä»œćăćšćć»șæšçŹçčççœäžććșéäžïŒæšćŻä»„ćŸćźčæć°æŻć€©çźĄçćźă',
+ 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .' => 'If you need help, do not hesitate to watch this short tutorial , or check our documentation .',
+ 'Continue the installation in:' => '继ç»ćźèŁ
ïŒ',
+ 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'äžéąèŻèšéæ©çšäșćźèŁ
ć©æăäžæŠćșéșćźèŁ
ćźæŻïŒäœ ćŻä»„ä»è¶
èż %d äžȘçż»èŻçæŹéæ©æšçććșéèŠçèŻèšïŒèżäžćéœæŻć
èŽčçïŒ',
+ 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'PrestaShop çćźèŁ
ćż«éèçźćăćšçççć ćéïŒäœ ć°±äŒæäžșäžäžȘæ„æè¶
èż250,000äœćäșș瀟ćșçäžä»œćăćšćć»șæšçŹçčççœäžććșéäžïŒæšćŻä»„ćŸćźčæć°æŻć€©çźĄçćźă',
+ ),
+);
\ No newline at end of file
diff --git a/_install/langs/zh/language.xml b/_install/langs/zh/language.xml
new file mode 100644
index 00000000..05c6d840
--- /dev/null
+++ b/_install/langs/zh/language.xml
@@ -0,0 +1,8 @@
+
+
+
+ zh-cn
+ m/j/Y
+ m/j/Y H:i:s
+ false
+
\ No newline at end of file
diff --git a/_install/langs/zh/mail_identifiers.txt b/_install/langs/zh/mail_identifiers.txt
new file mode 100644
index 00000000..3f768acb
--- /dev/null
+++ b/_install/langs/zh/mail_identifiers.txt
@@ -0,0 +1,10 @@
+Hi {firstname} {lastname},
+
+Here is your personal login information for {shop_name}:
+
+Password: {passwd}
+E-mail address: {email}
+
+{shop_name} - {shop_url}
+
+{shop_url} powered by PrestaShopâą
\ No newline at end of file
diff --git a/_install/models/database.php b/_install/models/database.php
new file mode 100644
index 00000000..f770aa59
--- /dev/null
+++ b/_install/models/database.php
@@ -0,0 +1,112 @@
+
+* @copyright 2007-2015 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 InstallModelDatabase extends InstallAbstractModel
+{
+ /**
+ * Check database configuration and try a connection
+ *
+ * @param string $server
+ * @param string $database
+ * @param string $login
+ * @param string $password
+ * @param string $prefix
+ * @param string $engine
+ * @param bool $clear
+ * @return array List of errors
+ */
+ public function testDatabaseSettings($server, $database, $login, $password, $prefix, $clear = false)
+ {
+ $errors = array();
+
+ // Check if fields are correctly typed
+ if (!$server || !Validate::isUrl($server))
+ $errors[] = $this->language->l('Server name is not valid');
+
+ if (!$database)
+ $errors[] = $this->language->l('You must enter a database name');
+
+ if (!$login)
+ $errors[] = $this->language->l('You must enter a database login');
+
+ if ($prefix && !Validate::isTablePrefix($prefix))
+ $errors[] = $this->language->l('Tables prefix is invalid');
+
+ if (!$errors)
+ {
+ $dbtype = ' ('.Db::getClass().')';
+ // Try to connect to database
+ switch (Db::checkConnection($server, $login, $password, $database, true))
+ {
+ case 0:
+ if (!Db::checkEncoding($server, $login, $password))
+ $errors[] = $this->language->l('Cannot convert database data to utf-8').$dbtype;
+
+ // Check if a table with same prefix already exists
+ if (!$clear && Db::hasTableWithSamePrefix($server, $login, $password, $database, $prefix))
+ $errors[] = $this->language->l('At least one table with same prefix was already found, please change your prefix or drop your database');
+ if (!Db::checkAutoIncrement($server, $login, $password))
+ $errors[] = $this->language->l('The values of auto_increment increment and offset must be set to 1');
+ if (($create_error = Db::checkCreatePrivilege($server, $login, $password, $database, $prefix)) !== true)
+ {
+ $errors[] = $this->language->l(sprintf('Your database login does not have the privileges to create table on the database "%s". Ask your hosting provider:', $database));
+ if ($create_error != false)
+ $errors[] = $create_error;
+ }
+ break;
+
+ case 1:
+ $errors[] = $this->language->l('Database Server is not found. Please verify the login, password and server fields').$dbtype;
+ break;
+
+ case 2:
+ $error = $this->language->l('Connection to MySQL server succeeded, but database "%s" not found', $database).$dbtype;
+ if ($this->createDatabase($server, $database, $login, $password, true))
+ $error .= ' '.sprintf(' ', $this->language->l('Attempt to create the database automatically')).'
+ ';
+ $errors[] = $error;
+ break;
+ }
+ }
+
+ return $errors;
+ }
+
+ public function createDatabase($server, $database, $login, $password, $dropit = false)
+ {
+ $class = Db::getClass();
+ return call_user_func(array($class, 'createDatabase'), $server, $login, $password, $database, $dropit);
+ }
+
+ public function getBestEngine($server, $database, $login, $password)
+ {
+ $class = Db::getClass();
+ $instance = new $class($server, $login, $password, $database, true);
+ $engine = $instance->getBestEngine();
+ unset($instance);
+ return $engine;
+ }
+}
diff --git a/_install/models/index.php b/_install/models/index.php
new file mode 100644
index 00000000..c642967a
--- /dev/null
+++ b/_install/models/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/models/install.php b/_install/models/install.php
new file mode 100644
index 00000000..3d712a84
--- /dev/null
+++ b/_install/models/install.php
@@ -0,0 +1,844 @@
+
+* @copyright 2007-2015 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 InstallModelInstall extends InstallAbstractModel
+{
+ const SETTINGS_FILE = 'config/settings.inc.php';
+
+ /**
+ * @var FileLogger
+ */
+ public $logger;
+
+ public function __construct()
+ {
+ parent::__construct();
+
+ $this->logger = new FileLogger();
+ if (is_writable(_PS_ROOT_DIR_.'/log/'))
+ $this->logger->setFilename(_PS_ROOT_DIR_.'/log/'.@date('Ymd').'_installation.log');
+ }
+
+ public function setError($errors)
+ {
+ if (!is_array($errors))
+ $errors = array($errors);
+
+ parent::setError($errors);
+
+ foreach ($errors as $error)
+ $this->logger->logError($error);
+ }
+
+ /**
+ * Generate settings file
+ */
+ public function generateSettingsFile($database_server, $database_login, $database_password, $database_name, $database_prefix, $database_engine)
+ {
+ // Check permissions for settings file
+ if (file_exists(_PS_ROOT_DIR_.'/'.self::SETTINGS_FILE) && !is_writable(_PS_ROOT_DIR_.'/'.self::SETTINGS_FILE))
+ {
+ $this->setError($this->language->l('%s file is not writable (check permissions)', self::SETTINGS_FILE));
+ return false;
+ }
+ elseif (!file_exists(_PS_ROOT_DIR_.'/'.self::SETTINGS_FILE) && !is_writable(_PS_ROOT_DIR_.'/'.dirname(self::SETTINGS_FILE)))
+ {
+ $this->setError($this->language->l('%s folder is not writable (check permissions)', dirname(self::SETTINGS_FILE)));
+ return false;
+ }
+
+ // Generate settings content and write file
+ $settings_constants = array(
+ '_DB_SERVER_' => $database_server,
+ '_DB_NAME_' => $database_name,
+ '_DB_USER_' => $database_login,
+ '_DB_PASSWD_' => $database_password,
+ '_DB_PREFIX_' => $database_prefix,
+ '_MYSQL_ENGINE_' => $database_engine,
+ '_PS_CACHING_SYSTEM_' => 'CacheMemcache',
+ '_PS_CACHE_ENABLED_' => '0',
+ '_COOKIE_KEY_' => Tools::passwdGen(56),
+ '_COOKIE_IV_' => Tools::passwdGen(8),
+ '_PS_CREATION_DATE_' => date('Y-m-d'),
+ '_PS_VERSION_' => _PS_INSTALL_VERSION_,
+ );
+
+ // If mcrypt is activated, add Rijndael 128 configuration
+ if (function_exists('mcrypt_encrypt'))
+ {
+ $settings_constants['_RIJNDAEL_KEY_'] = Tools::passwdGen(mcrypt_get_key_size(MCRYPT_RIJNDAEL_128, MCRYPT_MODE_ECB));
+ $settings_constants['_RIJNDAEL_IV_'] = base64_encode(mcrypt_create_iv(mcrypt_get_iv_size(MCRYPT_RIJNDAEL_128, MCRYPT_MODE_ECB), MCRYPT_RAND));
+ }
+
+ $settings_content = " $value)
+ {
+ if ($constant == '_PS_VERSION_')
+ $settings_content .= 'if (!defined(\''.$constant.'\'))'."\n\t";
+
+ $settings_content .= "define('$constant', '".str_replace('\'', '\\\'', $value)."');\n";
+ }
+
+ if (!file_put_contents(_PS_ROOT_DIR_.'/'.self::SETTINGS_FILE, $settings_content))
+ {
+ $this->setError($this->language->l('Cannot write settings file'));
+ return false;
+ }
+ return true;
+ }
+
+ /**
+ * PROCESS : installDatabase
+ * Generate settings file and create database structure
+ */
+ public function installDatabase($clear_database = false)
+ {
+ // Clear database (only tables with same prefix)
+ require_once _PS_ROOT_DIR_.'/'.self::SETTINGS_FILE;
+ if ($clear_database)
+ $this->clearDatabase();
+
+ $allowed_collation = array('utf8_general_ci', 'utf8_unicode_ci');
+ $collation_database = Db::getInstance()->getValue('SELECT @@collation_database');
+ // Install database structure
+ $sql_loader = new InstallSqlLoader();
+ $sql_loader->setMetaData(array(
+ 'PREFIX_' => _DB_PREFIX_,
+ 'ENGINE_TYPE' => _MYSQL_ENGINE_,
+ 'COLLATION' => (empty($collation_database) || !in_array($collation_database, $allowed_collation)) ? '' : 'COLLATE '.$collation_database
+ ));
+
+ try
+ {
+ $sql_loader->parse_file(_PS_INSTALL_DATA_PATH_.'db_structure.sql');
+ }
+ catch (PrestashopInstallerException $e)
+ {
+ $this->setError($this->language->l('Database structure file not found'));
+ return false;
+ }
+
+ if ($errors = $sql_loader->getErrors())
+ {
+ foreach ($errors as $error)
+ $this->setError($this->language->l('SQL error on query %s ', $error['error']));
+ return false;
+ }
+
+ return true;
+ }
+
+ /**
+ * Clear database (only tables with same prefix)
+ *
+ * @param bool $truncate If true truncate the table, if false drop the table
+ */
+ public function clearDatabase($truncate = false)
+ {
+ foreach (Db::getInstance()->executeS('SHOW TABLES') as $row)
+ {
+ $table = current($row);
+ if (!_DB_PREFIX_ || preg_match('#^'._DB_PREFIX_.'#i', $table))
+ Db::getInstance()->execute((($truncate) ? 'TRUNCATE' : 'DROP TABLE').' `'.$table.'`');
+ }
+ }
+
+ /**
+ * PROCESS : installDefaultData
+ * Create default shop and languages
+ */
+ public function installDefaultData($shop_name, $iso_country = false, $all_languages = false, $clear_database = false)
+ {
+ if ($clear_database)
+ $this->clearDatabase(true);
+
+ // Install first shop
+ if (!$this->createShop($shop_name))
+ return false;
+
+ // Install languages
+ try
+ {
+ if (!$all_languages)
+ {
+ $iso_codes_to_install = array($this->language->getLanguageIso());
+ if ($iso_country)
+ {
+ $version = str_replace('.', '', _PS_VERSION_);
+ $version = substr($version, 0, 2);
+ $localization_file_content = $this->getLocalizationPackContent($version, $iso_country);
+
+ if ($xml = @simplexml_load_string($localization_file_content))
+ foreach ($xml->languages->language as $language)
+ $iso_codes_to_install[] = (string)$language->attributes()->iso_code;
+ }
+ }
+ else
+ $iso_codes_to_install = null;
+ $iso_codes_to_install = array_flip(array_flip($iso_codes_to_install));
+ $languages = $this->installLanguages($iso_codes_to_install);
+ }
+ catch (PrestashopInstallerException $e)
+ {
+ $this->setError($e->getMessage());
+ return false;
+ }
+
+ $flip_languages = array_flip($languages);
+ $id_lang = (!empty($flip_languages[$this->language->getLanguageIso()])) ? $flip_languages[$this->language->getLanguageIso()] : 1;
+ Configuration::updateGlobalValue('PS_LANG_DEFAULT', $id_lang);
+ Configuration::updateGlobalValue('PS_VERSION_DB', _PS_INSTALL_VERSION_);
+ Configuration::updateGlobalValue('PS_INSTALL_VERSION', _PS_INSTALL_VERSION_);
+ return true;
+ }
+
+ /**
+ * PROCESS : populateDatabase
+ * Populate database with default data
+ */
+ public function populateDatabase($entity = null)
+ {
+ $languages = array();
+ foreach (Language::getLanguages(true) as $lang)
+ $languages[$lang['id_lang']] = $lang['iso_code'];
+
+ // Install XML data (data/xml/ folder)
+ $xml_loader = new InstallXmlLoader();
+ $xml_loader->setLanguages($languages);
+
+ if (isset($this->xml_loader_ids) && $this->xml_loader_ids)
+ $xml_loader->setIds($this->xml_loader_ids);
+
+ if ($entity)
+ $xml_loader->populateEntity($entity);
+ else
+ $xml_loader->populateFromXmlFiles();
+ if ($errors = $xml_loader->getErrors())
+ {
+ $this->setError($errors);
+ return false;
+ }
+
+ // IDS from xmlLoader are stored in order to use them for fixtures
+ $this->xml_loader_ids = $xml_loader->getIds();
+ unset($xml_loader);
+
+ // Install custom SQL data (db_data.sql file)
+ if (file_exists(_PS_INSTALL_DATA_PATH_.'db_data.sql'))
+ {
+ $sql_loader = new InstallSqlLoader();
+ $sql_loader->setMetaData(array(
+ 'PREFIX_' => _DB_PREFIX_,
+ 'ENGINE_TYPE' => _MYSQL_ENGINE_,
+ ));
+
+ $sql_loader->parse_file(_PS_INSTALL_DATA_PATH_.'db_data.sql', false);
+ if ($errors = $sql_loader->getErrors())
+ {
+ $this->setError($errors);
+ return false;
+ }
+ }
+
+ // Copy language default images (we do this action after database in populated because we need image types information)
+ foreach ($languages as $iso)
+ $this->copyLanguageImages($iso);
+
+ return true;
+ }
+
+ public function createShop($shop_name)
+ {
+ // Create default group shop
+ $shop_group = new ShopGroup();
+ $shop_group->name = 'Default';
+ $shop_group->active = true;
+ if (!$shop_group->add())
+ {
+ $this->setError($this->language->l('Cannot create group shop').' / '.Db::getInstance()->getMsgError());
+ return false;
+ }
+
+ // Create default shop
+ $shop = new Shop();
+ $shop->active = true;
+ $shop->id_shop_group = $shop_group->id;
+ $shop->id_category = 2;
+ $shop->id_theme = 1;
+ $shop->name = $shop_name;
+ if (!$shop->add())
+ {
+ $this->setError($this->language->l('Cannot create shop').' / '.Db::getInstance()->getMsgError());
+ return false;
+ }
+ Context::getContext()->shop = $shop;
+
+ // Create default shop URL
+ $shop_url = new ShopUrl();
+ $shop_url->domain = Tools::getHttpHost();
+ $shop_url->domain_ssl = Tools::getHttpHost();
+ $shop_url->physical_uri = __PS_BASE_URI__;
+ $shop_url->id_shop = $shop->id;
+ $shop_url->main = true;
+ $shop_url->active = true;
+ if (!$shop_url->add())
+ {
+ $this->setError($this->language->l('Cannot create shop URL').' / '.Db::getInstance()->getMsgError());
+ return false;
+ }
+
+ return true;
+ }
+
+ /**
+ * Install languages
+ *
+ * @return array Association between ID and iso array(id_lang => iso, ...)
+ */
+ public function installLanguages($languages_list = null)
+ {
+ if ($languages_list == null || !is_array($languages_list) || !count($languages_list))
+ $languages_list = $this->language->getIsoList();
+
+ $languages_available = $this->language->getIsoList();
+ $languages = array();
+ foreach ($languages_list as $iso)
+ {
+ if (!in_array($iso, $languages_available))
+ continue;
+ if (!file_exists(_PS_INSTALL_LANGS_PATH_.$iso.'/language.xml'))
+ throw new PrestashopInstallerException($this->language->l('File "language.xml" not found for language iso "%s"', $iso));
+
+ if (!$xml = @simplexml_load_file(_PS_INSTALL_LANGS_PATH_.$iso.'/language.xml'))
+ throw new PrestashopInstallerException($this->language->l('File "language.xml" not valid for language iso "%s"', $iso));
+
+ $params_lang = array(
+ 'name' => (string)$xml->name,
+ 'iso_code' => substr((string)$xml->language_code, 0, 2),
+ 'allow_accented_chars_url' => (string)$xml->allow_accented_chars_url
+ );
+
+ if (InstallSession::getInstance()->safe_mode)
+ Language::checkAndAddLanguage($iso, false, true, $params_lang);
+ else
+ Language::downloadAndInstallLanguagePack($iso, _PS_INSTALL_VERSION_, $params_lang);
+
+ Language::loadLanguages();
+ Tools::clearCache();
+ if (!$id_lang = Language::getIdByIso($iso, true))
+ throw new PrestashopInstallerException($this->language->l('Cannot install language "%s"', ($xml->name) ? $xml->name : $iso));
+ $languages[$id_lang] = $iso;
+
+ // Copy language flag
+ if (is_writable(_PS_IMG_DIR_.'l/'))
+ if (!copy(_PS_INSTALL_LANGS_PATH_.$iso.'/flag.jpg', _PS_IMG_DIR_.'l/'.$id_lang.'.jpg'))
+ throw new PrestashopInstallerException($this->language->l('Cannot copy flag language "%s"', _PS_INSTALL_LANGS_PATH_.$iso.'/flag.jpg => '._PS_IMG_DIR_.'l/'.$id_lang.'.jpg'));
+ }
+
+ return $languages;
+ }
+
+ public function copyLanguageImages($iso)
+ {
+ $img_path = _PS_INSTALL_LANGS_PATH_.$iso.'/img/';
+ if (!is_dir($img_path))
+ return;
+
+ $list = array(
+ 'products' => _PS_PROD_IMG_DIR_,
+ 'categories' => _PS_CAT_IMG_DIR_,
+ 'manufacturers' => _PS_MANU_IMG_DIR_,
+ 'suppliers' => _PS_SUPP_IMG_DIR_,
+ 'scenes' => _PS_SCENE_IMG_DIR_,
+ 'stores' => _PS_STORE_IMG_DIR_,
+ null => _PS_IMG_DIR_.'l/', // Little trick to copy images in img/l/ path with all types
+ );
+
+ foreach ($list as $cat => $dst_path)
+ {
+ if (!is_writable($dst_path))
+ continue;
+
+ copy($img_path.$iso.'.jpg', $dst_path.$iso.'.jpg');
+
+ $types = ImageType::getImagesTypes($cat);
+ foreach ($types as $type)
+ {
+ if (file_exists($img_path.$iso.'-default-'.$type['name'].'.jpg'))
+ copy($img_path.$iso.'-default-'.$type['name'].'.jpg', $dst_path.$iso.'-default-'.$type['name'].'.jpg');
+ else
+ ImageManager::resize($img_path.$iso.'.jpg', $dst_path.$iso.'-default-'.$type['name'].'.jpg', $type['width'], $type['height']);
+ }
+ }
+ }
+
+ private static $_cache_localization_pack_content = null;
+ public function getLocalizationPackContent($version, $country)
+ {
+ if (InstallModelInstall::$_cache_localization_pack_content === null || array_key_exists($country, InstallModelInstall::$_cache_localization_pack_content))
+ {
+ $path_cache_file = _PS_CACHE_DIR_.'sandbox'.DIRECTORY_SEPARATOR.$version.$country.'.xml';
+ if (is_file($path_cache_file))
+ $localization_file_content = file_get_contents($path_cache_file);
+ else
+ {
+ $localization_file_content = @Tools::file_get_contents('http://api.prestashop.com/localization/'.$version.'/'.$country.'.xml');
+ if (!@simplexml_load_string($localization_file_content))
+ $localization_file_content = false;
+ if (!$localization_file_content)
+ {
+ $localization_file = _PS_ROOT_DIR_.'/localization/default.xml';
+ if (file_exists(_PS_ROOT_DIR_.'/localization/'.$country.'.xml'))
+ $localization_file = _PS_ROOT_DIR_.'/localization/'.$country.'.xml';
+
+ $localization_file_content = file_get_contents($localization_file);
+ }
+ file_put_contents($path_cache_file, $localization_file_content);
+ }
+ InstallModelInstall::$_cache_localization_pack_content[$country] = $localization_file_content;
+ }
+
+ return isset(InstallModelInstall::$_cache_localization_pack_content[$country]) ? InstallModelInstall::$_cache_localization_pack_content[$country] : false;
+ }
+
+ /**
+ * PROCESS : configureShop
+ * Set default shop configuration
+ */
+ public function configureShop(array $data = array())
+ {
+ //clear image cache in tmp folder
+ if (file_exists(_PS_TMP_IMG_DIR_))
+ foreach (scandir(_PS_TMP_IMG_DIR_) as $file)
+ if ($file[0] != '.' && $file != 'index.php')
+ Tools::deleteFile(_PS_TMP_IMG_DIR_.$file);
+
+ $default_data = array(
+ 'shop_name' => 'My Shop',
+ 'shop_activity' => '',
+ 'shop_country' => 'us',
+ 'shop_timezone' => 'US/Eastern',
+ 'use_smtp' => false,
+ 'smtp_encryption' => 'off',
+ 'smtp_port' => 25,
+ 'rewrite_engine' => false,
+ );
+
+ foreach ($default_data as $k => $v)
+ if (!isset($data[$k]))
+ $data[$k] = $v;
+
+ Context::getContext()->shop = new Shop(1);
+ Configuration::loadConfiguration();
+
+ // use the old image system if the safe_mod is enabled otherwise the installer will fail with the fixtures installation
+ if (InstallSession::getInstance()->safe_mode)
+ Configuration::updateGlobalValue('PS_LEGACY_IMAGES', 1);
+
+ $id_country = Country::getByIso($data['shop_country']);
+
+ // Set default configuration
+ Configuration::updateGlobalValue('PS_SHOP_DOMAIN', Tools::getHttpHost());
+ Configuration::updateGlobalValue('PS_SHOP_DOMAIN_SSL', Tools::getHttpHost());
+ Configuration::updateGlobalValue('PS_INSTALL_VERSION', _PS_INSTALL_VERSION_);
+ Configuration::updateGlobalValue('PS_LOCALE_LANGUAGE', $this->language->getLanguageIso());
+ Configuration::updateGlobalValue('PS_SHOP_NAME', $data['shop_name']);
+ Configuration::updateGlobalValue('PS_SHOP_ACTIVITY', $data['shop_activity']);
+ Configuration::updateGlobalValue('PS_COUNTRY_DEFAULT', $id_country);
+ Configuration::updateGlobalValue('PS_LOCALE_COUNTRY', $data['shop_country']);
+ Configuration::updateGlobalValue('PS_TIMEZONE', $data['shop_timezone']);
+ Configuration::updateGlobalValue('PS_CONFIGURATION_AGREMENT', (int)$data['configuration_agrement']);
+
+ // Set mails configuration
+ Configuration::updateGlobalValue('PS_MAIL_METHOD', ($data['use_smtp']) ? 2 : 1);
+ Configuration::updateGlobalValue('PS_MAIL_SMTP_ENCRYPTION', $data['smtp_encryption']);
+ Configuration::updateGlobalValue('PS_MAIL_SMTP_PORT', $data['smtp_port']);
+
+ // Set default rewriting settings
+ Configuration::updateGlobalValue('PS_REWRITING_SETTINGS', $data['rewrite_engine']);
+
+ // Activate rijndael 128 encrypt algorihtm if mcrypt is activated
+ Configuration::updateGlobalValue('PS_CIPHER_ALGORITHM', function_exists('mcrypt_encrypt') ? 1 : 0);
+
+ $groups = Group::getGroups((int)Configuration::get('PS_LANG_DEFAULT'));
+ $groups_default = Db::getInstance()->executeS('SELECT `name` FROM '._DB_PREFIX_.'configuration WHERE `name` LIKE "PS_%_GROUP" ORDER BY `id_configuration`');
+ foreach ($groups_default as &$group_default)
+ if (is_array($group_default) && isset($group_default['name']))
+ $group_default = $group_default['name'];
+
+ if (is_array($groups) && count($groups))
+ foreach ($groups as $key => $group)
+ if (Configuration::get($groups_default[$key]) != $groups[$key]['id_group'])
+ Configuration::updateGlobalValue($groups_default[$key], (int)$groups[$key]['id_group']);
+
+ $states = Db::getInstance()->executeS('SELECT `id_order_state` FROM '._DB_PREFIX_.'order_state ORDER by `id_order_state`');
+ $states_default = Db::getInstance()->executeS('SELECT MIN(`id_configuration`), `name` FROM '._DB_PREFIX_.'configuration WHERE `name` LIKE "PS_OS_%" GROUP BY `value` ORDER BY`id_configuration`');
+
+ foreach ($states_default as &$state_default)
+ if (is_array($state_default) && isset($state_default['name']))
+ $state_default = $state_default['name'];
+
+ if (is_array($states) && count($states))
+ {
+ foreach ($states as $key => $state)
+ if (Configuration::get($states_default[$key]) != $states[$key]['id_order_state'])
+ Configuration::updateGlobalValue($states_default[$key], (int)$states[$key]['id_order_state']);
+ /* deprecated order state */
+ Configuration::updateGlobalValue('PS_OS_OUTOFSTOCK_PAID', (int)Configuration::get('PS_OS_OUTOFSTOCK'));
+ }
+
+ // Set logo configuration
+ if (file_exists(_PS_IMG_DIR_.'logo.jpg'))
+ {
+ list($width, $height) = getimagesize(_PS_IMG_DIR_.'logo.jpg');
+ Configuration::updateGlobalValue('SHOP_LOGO_WIDTH', round($width));
+ Configuration::updateGlobalValue('SHOP_LOGO_HEIGHT', round($height));
+ }
+
+ // Disable cache for debug mode
+ if (_PS_MODE_DEV_)
+ Configuration::updateGlobalValue('PS_SMARTY_CACHE', 1);
+
+ // Active only the country selected by the merchant
+ Db::getInstance()->execute('UPDATE '._DB_PREFIX_.'country SET active = 0 WHERE id_country != '.(int)$id_country);
+
+ // Set localization configuration
+ $version = str_replace('.', '', _PS_VERSION_);
+ $version = substr($version, 0, 2);
+ $localization_file_content = $this->getLocalizationPackContent($version, $data['shop_country']);
+
+ $locale = new LocalizationPackCore();
+ $locale->loadLocalisationPack($localization_file_content, '', true);
+
+ // Create default employee
+ if (isset($data['admin_firstname']) && isset($data['admin_lastname']) && isset($data['admin_password']) && isset($data['admin_email']))
+ {
+ $employee = new Employee();
+ $employee->firstname = Tools::ucfirst($data['admin_firstname']);
+ $employee->lastname = Tools::ucfirst($data['admin_lastname']);
+ $employee->email = $data['admin_email'];
+ $employee->passwd = md5(_COOKIE_KEY_.$data['admin_password']);
+ $employee->last_passwd_gen = date('Y-m-d h:i:s', strtotime('-360 minutes'));
+ $employee->bo_theme = 'default';
+ $employee->default_tab = 1;
+ $employee->active = true;
+ $employee->optin = true;
+ $employee->id_profile = 1;
+ $employee->id_lang = Configuration::get('PS_LANG_DEFAULT');
+ $employee->bo_menu = 1;
+ if (!$employee->add())
+ {
+ $this->setError($this->language->l('Cannot create admin account'));
+ return false;
+ }
+ }
+ else
+ {
+ $this->setError($this->language->l('Cannot create admin account'));
+ return false;
+ }
+
+ // Update default contact
+ if (isset($data['admin_email']))
+ {
+ Configuration::updateGlobalValue('PS_SHOP_EMAIL', $data['admin_email']);
+
+ $contacts = new PrestaShopCollection('Contact');
+ foreach ($contacts as $contact)
+ {
+ $contact->email = $data['admin_email'];
+ $contact->update();
+ }
+ }
+
+ if (!@Tools::generateHtaccess(null, $data['rewrite_engine']))
+ Configuration::updateGlobalValue('PS_REWRITING_SETTINGS', 0);
+
+ return true;
+ }
+
+ public function getModulesList()
+ {
+ $modules = array();
+ if (false)
+ {
+ foreach (scandir(_PS_MODULE_DIR_) as $module)
+ if ($module[0] != '.' && is_dir(_PS_MODULE_DIR_.$module) && file_exists(_PS_MODULE_DIR_.$module.'/'.$module.'.php'))
+ $modules[] = $module;
+ }
+ else
+ {
+ $modules = array(
+ 'socialsharing',
+ 'blockbanner',
+ 'bankwire',
+ 'blockbestsellers',
+ 'blockcart',
+ 'blocksocial',
+ 'blockcategories',
+ 'blockcurrencies',
+ 'blockfacebook',
+ 'blocklanguages',
+ 'blocklayered',
+ 'blockcms',
+ 'blockcmsinfo',
+ 'blockcontact',
+ 'blockcontactinfos',
+ 'blockmanufacturer',
+ 'blockmyaccount',
+ 'blockmyaccountfooter',
+ 'blocknewproducts',
+ 'blocknewsletter',
+ 'blockpaymentlogo',
+ 'blocksearch',
+ 'blockspecials',
+ 'blockstore',
+ 'blocksupplier',
+ 'blocktags',
+ 'blocktopmenu',
+ 'blockuserinfo',
+ 'blockviewed',
+ 'cheque',
+ 'dashactivity',
+ 'dashtrends',
+ 'dashgoals',
+ 'dashproducts',
+ 'graphnvd3',
+ 'gridhtml',
+ 'homeslider',
+ 'homefeatured',
+ 'productpaymentlogos',
+ 'pagesnotfound',
+ 'sekeywords',
+ 'statsbestcategories',
+ 'statsbestcustomers',
+ 'statsbestproducts',
+ 'statsbestsuppliers',
+ 'statsbestvouchers',
+ 'statscarrier',
+ 'statscatalog',
+ 'statscheckup',
+ 'statsdata',
+ 'statsequipment',
+ 'statsforecast',
+ 'statslive',
+ 'statsnewsletter',
+ 'statsorigin',
+ 'statspersonalinfos',
+ 'statsproduct',
+ 'statsregistrations',
+ 'statssales',
+ 'statssearch',
+ 'statsstock',
+ 'statsvisits',
+ 'themeconfigurator',
+ );
+ }
+ return $modules;
+ }
+
+ public function getAddonsModulesList($params = array())
+ {
+ $addons_modules = array();
+ $content = Tools::addonsRequest('install-modules', $params);
+ $xml = @simplexml_load_string($content, null, LIBXML_NOCDATA);
+
+ if ($xml !== false and isset($xml->module))
+ foreach ($xml->module as $modaddons)
+ $addons_modules[] = array('id_module' => $modaddons->id, 'name' => $modaddons->name);
+
+ return $addons_modules;
+ }
+
+ /**
+ * PROCESS : installModules
+ * Download module from addons and Install all modules in ~/modules/ directory
+ */
+ public function installModulesAddons($module = null)
+ {
+ $addons_modules = $module ? array($module) : $this->getAddonsModulesList();
+ $modules = array();
+ if (!InstallSession::getInstance()->safe_mode)
+ {
+ foreach ($addons_modules as $addons_module)
+ if (file_put_contents(_PS_MODULE_DIR_.$addons_module['name'].'.zip', Tools::addonsRequest('module', array('id_module' => $addons_module['id_module']))))
+ if (Tools::ZipExtract(_PS_MODULE_DIR_.$addons_module['name'].'.zip', _PS_MODULE_DIR_))
+ {
+ $modules[] = (string)$addons_module['name'];//if the module has been unziped we add the name in the modules list to install
+ unlink(_PS_MODULE_DIR_.$addons_module['name'].'.zip');
+ }
+ }
+
+ return count($modules) ? $this->installModules($modules) : true;
+ }
+
+ /**
+ * PROCESS : installModules
+ * Download module from addons and Install all modules in ~/modules/ directory
+ */
+ public function installModules($module = null)
+ {
+ if ($module && !is_array($module))
+ $module = array($module);
+
+ $modules = $module ? $module : $this->getModulesList();
+
+ Module::updateTranslationsAfterInstall(false);
+
+ $errors = array();
+ foreach ($modules as $module_name)
+ {
+ if (!file_exists(_PS_MODULE_DIR_.$module_name.'/'.$module_name.'.php'))
+ continue;
+
+ $module = Module::getInstanceByName($module_name);
+ if (!$module->install())
+ $errors[] = $this->language->l('Cannot install module "%s"', $module_name);
+ }
+
+ if ($errors)
+ {
+ $this->setError($errors);
+ return false;
+ }
+
+ Module::updateTranslationsAfterInstall(true);
+ Language::updateModulesTranslations($modules);
+
+ return true;
+ }
+
+ /**
+ * PROCESS : installFixtures
+ * Install fixtures (E.g. demo products)
+ */
+ public function installFixtures($entity = null, array $data = array())
+ {
+ $fixtures_path = _PS_INSTALL_FIXTURES_PATH_.'fashion/';
+ $fixtures_name = 'fashion';
+ $zip_file = _PS_ROOT_DIR_.'/download/fixtures.zip';
+ $temp_dir = _PS_ROOT_DIR_.'/download/fixtures/';
+
+ // try to download fixtures if no low memory mode
+ if ($entity === null)
+ {
+ if (Tools::copy('http://api.prestashop.com/fixtures/'.$data['shop_country'].'/'.$data['shop_activity'].'/fixtures.zip', $zip_file))
+ {
+ Tools::deleteDirectory($temp_dir, true);
+ if (Tools::ZipTest($zip_file))
+ if (Tools::ZipExtract($zip_file, $temp_dir))
+ {
+ $files = scandir($temp_dir);
+ if (count($files))
+ foreach ($files as $file)
+ if (!preg_match('/^\./', $file) && is_dir($temp_dir.$file.'/'))
+ {
+ $fixtures_path = $temp_dir.$file.'/';
+ $fixtures_name = $file;
+ break;
+ }
+ }
+ }
+ }
+
+ // Load class (use fixture class if one exists, or use InstallXmlLoader)
+ if (file_exists($fixtures_path.'/install.php'))
+ {
+ require_once $fixtures_path.'/install.php';
+ $class = 'InstallFixtures'.Tools::toCamelCase($fixtures_name);
+ if (!class_exists($class, false))
+ {
+ $this->setError($this->language->l('Fixtures class "%s" not found', $class));
+ return false;
+ }
+
+ $xml_loader = new $class();
+ if (!$xml_loader instanceof InstallXmlLoader)
+ {
+ $this->setError($this->language->l('"%s" must be an instance of "InstallXmlLoader"', $class));
+ return false;
+ }
+ }
+ else
+ $xml_loader = new InstallXmlLoader();
+
+ // Install XML data (data/xml/ folder)
+ $xml_loader->setFixturesPath($fixtures_path);
+ if (isset($this->xml_loader_ids) && $this->xml_loader_ids)
+ $xml_loader->setIds($this->xml_loader_ids);
+
+ $languages = array();
+ foreach (Language::getLanguages(false) as $lang)
+ $languages[$lang['id_lang']] = $lang['iso_code'];
+ $xml_loader->setLanguages($languages);
+
+ if ($entity)
+ $xml_loader->populateEntity($entity);
+ else
+ {
+ $xml_loader->populateFromXmlFiles();
+ Tools::deleteDirectory($temp_dir, true);
+ @unlink($zip_file);
+ }
+
+ if ($errors = $xml_loader->getErrors())
+ {
+ $this->setError($errors);
+ return false;
+ }
+
+ // IDS from xmlLoader are stored in order to use them for fixtures
+ $this->xml_loader_ids = $xml_loader->getIds();
+ unset($xml_loader);
+
+ // Index products in search tables
+ Search::indexation(true);
+
+ return true;
+ }
+
+ /**
+ * PROCESS : installTheme
+ * Install theme
+ */
+ public function installTheme()
+ {
+ // @todo do a real install of the theme
+ $sql_loader = new InstallSqlLoader();
+ $sql_loader->setMetaData(array(
+ 'PREFIX_' => _DB_PREFIX_,
+ 'ENGINE_TYPE' => _MYSQL_ENGINE_,
+ ));
+
+ $sql_loader->parse_file(_PS_INSTALL_DATA_PATH_.'theme.sql', false);
+ if ($errors = $sql_loader->getErrors())
+ {
+ $this->setError($errors);
+ return false;
+ }
+ }
+}
diff --git a/_install/models/mail.php b/_install/models/mail.php
new file mode 100644
index 00000000..ba72c8a3
--- /dev/null
+++ b/_install/models/mail.php
@@ -0,0 +1,96 @@
+
+* @copyright 2007-2015 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 InstallModelMail extends InstallAbstractModel
+{
+ /**
+ * @param bool $smtp_checked
+ * @param string $server
+ * @param string $login
+ * @param string $password
+ * @param int $port
+ * @param string $encryption
+ * @param string $email
+ */
+ public function __construct($smtp_checked, $server, $login, $password, $port, $encryption, $email)
+ {
+ parent::__construct();
+
+ require_once(_PS_CORE_DIR_.'/tools/swift/Swift.php');
+ require_once(_PS_CORE_DIR_.'/tools/swift/Swift/Connection/SMTP.php');
+ require_once(_PS_CORE_DIR_.'/tools/swift/Swift/Connection/NativeMail.php');
+
+ $this->smtp_checked = $smtp_checked;
+ $this->server = $server;
+ $this->login = $login;
+ $this->password = $password;
+ $this->port = $port;
+ $this->encryption = $encryption;
+ $this->email = $email;
+ }
+
+ /**
+ * Send a mail
+ *
+ * @param string $subject
+ * @param string $content
+ * @return bool|string false is everything was fine, or error string
+ */
+ public function send($subject, $content)
+ {
+ try
+ {
+ // Test with custom SMTP connection
+ if ($this->smtp_checked)
+ {
+
+ $smtp = new Swift_Connection_SMTP($this->server, $this->port, ($this->encryption == "off") ? Swift_Connection_SMTP::ENC_OFF : (($this->encryption == "tls") ? Swift_Connection_SMTP::ENC_TLS : Swift_Connection_SMTP::ENC_SSL));
+ $smtp->setUsername($this->login);
+ $smtp->setpassword($this->password);
+ $smtp->setTimeout(5);
+ $swift = new Swift($smtp);
+ }
+ else
+ // Test with normal PHP mail() call
+ $swift = new Swift(new Swift_Connection_NativeMail());
+
+ $message = new Swift_Message($subject, $content, 'text/html');
+ if (@$swift->send($message, $this->email, 'no-reply@'.Tools::getHttpHost(false, false, true)))
+ $result = false;
+ else
+ $result = 'Could not send message';
+
+ $swift->disconnect();
+ }
+ catch (Swift_Exception $e)
+ {
+ $result = $e->getMessage();
+ }
+
+ return $result;
+ }
+
+}
diff --git a/_install/models/system.php b/_install/models/system.php
new file mode 100644
index 00000000..96d3a054
--- /dev/null
+++ b/_install/models/system.php
@@ -0,0 +1,52 @@
+
+* @copyright 2007-2015 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 InstallModelSystem extends InstallAbstractModel
+{
+ public function checkRequiredTests()
+ {
+ return self::checkTests(ConfigurationTest::getDefaultTests(), 'required');
+ }
+
+ public function checkOptionalTests()
+ {
+ return self::checkTests(ConfigurationTest::getDefaultTestsOp(), 'optional');
+ }
+
+ public function checkTests($list, $type)
+ {
+ $tests = ConfigurationTest::check($list);
+
+ $success = true;
+ foreach ($tests as $result)
+ $success &= ($result == 'ok') ? true : false;
+
+ return array(
+ 'checks' => $tests,
+ 'success' => $success,
+ );
+ }
+}
diff --git a/_install/sandbox/index.php b/_install/sandbox/index.php
new file mode 100644
index 00000000..2d4b752c
--- /dev/null
+++ b/_install/sandbox/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 PrestaShop SA
+* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
+* International Registered Trademark & Property of PrestaShop SA
+*/
+
+header("Expires: Mon, 26 Jul 1997 05:00:00 GMT");
+header("Last-Modified: ".gmdate("D, d M Y H:i:s")." GMT");
+
+header("Cache-Control: no-store, no-cache, must-revalidate");
+header("Cache-Control: post-check=0, pre-check=0", false);
+header("Pragma: no-cache");
+
+header("Location: ../");
+exit;
diff --git a/_install/sandbox/test.php b/_install/sandbox/test.php
new file mode 100644
index 00000000..909c4926
--- /dev/null
+++ b/_install/sandbox/test.php
@@ -0,0 +1,3 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/theme/img/logo.png b/_install/theme/img/logo.png
new file mode 100644
index 00000000..4023f84c
Binary files /dev/null and b/_install/theme/img/logo.png differ
diff --git a/_install/theme/img/noflag.jpg b/_install/theme/img/noflag.jpg
new file mode 100644
index 00000000..4aeb4044
Binary files /dev/null and b/_install/theme/img/noflag.jpg differ
diff --git a/_install/theme/img/ok.gif b/_install/theme/img/ok.gif
new file mode 100644
index 00000000..e1d3a632
Binary files /dev/null and b/_install/theme/img/ok.gif differ
diff --git a/_install/theme/img/ombrage-bas.png b/_install/theme/img/ombrage-bas.png
new file mode 100644
index 00000000..416b60c8
Binary files /dev/null and b/_install/theme/img/ombrage-bas.png differ
diff --git a/_install/theme/img/ombrage-droit.png b/_install/theme/img/ombrage-droit.png
new file mode 100644
index 00000000..b41528eb
Binary files /dev/null and b/_install/theme/img/ombrage-droit.png differ
diff --git a/_install/theme/img/phone.png b/_install/theme/img/phone.png
new file mode 100644
index 00000000..e3b4ac28
Binary files /dev/null and b/_install/theme/img/phone.png differ
diff --git a/_install/theme/img/pict_error.png b/_install/theme/img/pict_error.png
new file mode 100644
index 00000000..b497b27c
Binary files /dev/null and b/_install/theme/img/pict_error.png differ
diff --git a/_install/theme/img/pict_h3_infos.png b/_install/theme/img/pict_h3_infos.png
new file mode 100644
index 00000000..777f141f
Binary files /dev/null and b/_install/theme/img/pict_h3_infos.png differ
diff --git a/_install/theme/img/pict_info.png b/_install/theme/img/pict_info.png
new file mode 100644
index 00000000..77ced375
Binary files /dev/null and b/_install/theme/img/pict_info.png differ
diff --git a/_install/theme/img/print.png b/_install/theme/img/print.png
new file mode 100644
index 00000000..75858499
Binary files /dev/null and b/_install/theme/img/print.png differ
diff --git a/_install/theme/img/puce.gif b/_install/theme/img/puce.gif
new file mode 100644
index 00000000..54f9138e
Binary files /dev/null and b/_install/theme/img/puce.gif differ
diff --git a/_install/theme/img/shadow-left.png b/_install/theme/img/shadow-left.png
new file mode 100644
index 00000000..3a94ee3d
Binary files /dev/null and b/_install/theme/img/shadow-left.png differ
diff --git a/_install/theme/img/visu_boBlock.png b/_install/theme/img/visu_boBlock.png
new file mode 100644
index 00000000..82fed34a
Binary files /dev/null and b/_install/theme/img/visu_boBlock.png differ
diff --git a/_install/theme/img/visu_foBlock.png b/_install/theme/img/visu_foBlock.png
new file mode 100644
index 00000000..aadac81a
Binary files /dev/null and b/_install/theme/img/visu_foBlock.png differ
diff --git a/_install/theme/index.php b/_install/theme/index.php
new file mode 100644
index 00000000..c642967a
--- /dev/null
+++ b/_install/theme/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/theme/js/configure.js b/_install/theme/js/configure.js
new file mode 100644
index 00000000..02e2af59
--- /dev/null
+++ b/_install/theme/js/configure.js
@@ -0,0 +1,72 @@
+/*
+*
+* NOTICE OF LICENSE
+*
+* This source file is subject to the Open Software License (OSL 3.0)
+* that is bundled with this package in the file LICENSE.txt.
+* It is also available through the world-wide-web at this URL:
+* http://opensource.org/licenses/osl-3.0.php
+* If you did not receive a copy of the license and are unable to
+* obtain it through the world-wide-web, please send an email
+* to license@prestashop.com so we can send you a copy immediately.
+*
+* DISCLAIMER
+*
+* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
+* versions in the future. If you wish to customize PrestaShop for your
+* needs please refer to http://www.prestashop.com for more information.
+*
+* @author PrestaShop SA
+* @copyright 2007-2015 PrestaShop SA
+* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0)
+* International Registered Trademark & Property of PrestaShop SA
+*/
+
+$(document).ready(function()
+{
+ checkTimeZone($('#infosCountry'));
+ // When a country is changed
+ $('#infosCountry').change(function()
+ {
+ checkTimeZone(this);
+ });
+});
+
+function checkTimeZone(elt)
+{
+ var iso = $(elt).val();
+
+ // Get timezone by iso
+ $.ajax({
+ url: 'index.php',
+ data: 'timezoneByIso=true&iso='+iso,
+ dataType: 'json',
+ cache: true,
+ success: function(json) {
+ if (json.success) {
+ $('#infosTimezone').val(json.message).trigger("liszt:updated");
+ if (in_array(iso, ['br','us','ca','ru','me','au','id']))
+ {
+ if ($('#infosTimezone:visible').length == 0 && $('#infosTimezone_chosen').length == 0)
+ {
+ $('#infosTimezone:hidden').show();
+ $('#timezone_div').show();
+ $('#infosTimezone').chosen();
+ }
+ $('#timezone_div').show();
+ }
+ else
+ $('#timezone_div').hide();
+ }
+ }
+ });
+}
+
+function in_array(needle, haystack) {
+ var length = haystack.length;
+ for (var i = 0; i < length; i++) {
+ if (haystack[i] == needle)
+ return true;
+ }
+ return false;
+}
diff --git a/_install/theme/js/database.js b/_install/theme/js/database.js
new file mode 100644
index 00000000..4dbc1cbe
--- /dev/null
+++ b/_install/theme/js/database.js
@@ -0,0 +1,125 @@
+/*
+*
+* NOTICE OF LICENSE
+*
+* This source file is subject to the Open Software License (OSL 3.0)
+* that is bundled with this package in the file LICENSE.txt.
+* It is also available through the world-wide-web at this URL:
+* http://opensource.org/licenses/osl-3.0.php
+* If you did not receive a copy of the license and are unable to
+* obtain it through the world-wide-web, please send an email
+* to license@prestashop.com so we can send you a copy immediately.
+*
+* DISCLAIMER
+*
+* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
+* versions in the future. If you wish to customize PrestaShop for your
+* needs please refer to http://www.prestashop.com for more information.
+*
+* @author PrestaShop SA
+* @copyright 2007-2015 PrestaShop SA
+* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0)
+* International Registered Trademark & Property of PrestaShop SA
+*/
+
+$(document).ready(function()
+{
+ // Check rewrite engine availability
+ $.ajax({
+ url: 'sandbox/anything.php',
+ success: function(value) {
+ $('#rewrite_engine').val(1);
+ }
+ });
+
+ // Check database configuration
+ $('#btTestDB').click(function()
+ {
+ $("#dbResultCheck")
+ .removeClass('errorBlock')
+ .removeClass('okBlock')
+ .addClass('waitBlock')
+ .html(' ')
+ .slideDown('slow');
+ $.ajax({
+ url: 'index.php',
+ data: {
+ 'checkDb': 'true',
+ 'dbServer': $('#dbServer').val(),
+ 'dbName': $('#dbName').val(),
+ 'dbLogin': $('#dbLogin').val(),
+ 'dbPassword': $('#dbPassword').val(),
+ 'dbEngine': $('#dbEngine').val(),
+ 'db_prefix': $('#db_prefix').val(),
+ 'clear': $('#db_clear').prop('checked') ? '1' : '0'
+ },
+ dataType: 'json',
+ cache: false,
+ success: function(json)
+ {
+ $("#dbResultCheck")
+ .addClass((json.success) ? 'okBlock' : 'errorBlock')
+ .removeClass('waitBlock')
+ .removeClass((json.success) ? 'errorBlock' : 'okBlock')
+ .html(json.message)
+ },
+ error: function(xhr)
+ {
+ var re = /<([a-z]+)(.*?>.*?<\/\1>|.*?\/>)/img;
+ var str = xhr.responseText;
+ var m;
+
+ while ((m = re.exec(str)) != null) {
+ if (m.index === re.lastIndex) {
+ re.lastIndex++;
+ }
+ if (m)
+ var html = true;
+ }
+
+ $("#dbResultCheck")
+ .addClass('errorBlock')
+ .removeClass('waitBlock')
+ .removeClass('okBlock')
+ .html('An error occurred: ' + (html ? 'Can you please reload the page' : xhr.responseText))
+ }
+ });
+ });
+});
+
+function bindCreateDB()
+{
+ // Attempt to create the database
+ $('#btCreateDB').click(function()
+ {
+ $("#dbResultCheck").slideUp('fast');
+ $.ajax({
+ url: 'index.php',
+ data: {
+ 'createDb': 'true',
+ 'dbServer': $('#dbServer').val(),
+ 'dbName': $('#dbName').val(),
+ 'dbLogin': $('#dbLogin').val(),
+ 'dbPassword': $('#dbPassword').val()
+ },
+ dataType: 'json',
+ cache: false,
+ success: function(json)
+ {
+ $("#dbResultCheck")
+ .addClass((json.success) ? 'okBlock' : 'errorBlock')
+ .removeClass((json.success) ? 'errorBlock' : 'okBlock')
+ .html(json.message)
+ .slideDown('slow');
+ },
+ error: function(xhr)
+ {
+ $("#dbResultCheck")
+ .addClass('errorBlock')
+ .removeClass('okBlock')
+ .html('An error occurred: ' + xhr.responseText)
+ .slideDown('slow');
+ }
+ });
+ });
+}
\ No newline at end of file
diff --git a/_install/theme/js/index.php b/_install/theme/js/index.php
new file mode 100644
index 00000000..8dd03b06
--- /dev/null
+++ b/_install/theme/js/index.php
@@ -0,0 +1,35 @@
+
+* @copyright 2007-2015 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;
\ No newline at end of file
diff --git a/_install/theme/js/install.js b/_install/theme/js/install.js
new file mode 100644
index 00000000..8d4ed0a1
--- /dev/null
+++ b/_install/theme/js/install.js
@@ -0,0 +1,81 @@
+/*
+*
+* NOTICE OF LICENSE
+*
+* This source file is subject to the Open Software License (OSL 3.0)
+* that is bundled with this package in the file LICENSE.txt.
+* It is also available through the world-wide-web at this URL:
+* http://opensource.org/licenses/osl-3.0.php
+* If you did not receive a copy of the license and are unable to
+* obtain it through the world-wide-web, please send an email
+* to license@prestashop.com so we can send you a copy immediately.
+*
+* DISCLAIMER
+*
+* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
+* versions in the future. If you wish to customize PrestaShop for your
+* needs please refer to http://www.prestashop.com for more information.
+*
+* @author PrestaShop SA
+* @copyright 2007-2015 PrestaShop SA
+* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0)
+* International Registered Trademark & Property of PrestaShop SA
+*/
+
+$(document).ready(function()
+{
+ $('#mainForm').submit(function() {
+ $('#btNext').hide();
+ });
+
+ // Ajax animation
+ $("#loaderSpace").ajaxStart(function()
+ {
+ $(this).fadeIn('slow');
+ $(this).children('div').fadeIn('slow');
+ });
+
+ $("#loaderSpace").ajaxComplete(function(e, xhr, settings)
+ {
+ $(this).fadeOut('slow');
+ $(this).children('div').fadeOut('slow');
+ });
+
+ $('select.chosen').not('.no-chosen').chosen();
+
+ // try to pre-compile the smarty templates
+ function compile_smarty_templates(bo)
+ {
+ $.ajax(
+ {
+ url: 'index.php',
+ data: {
+ 'compile_templates': 1,
+ 'bo':bo
+ },
+ global: false
+ });
+ }
+ compile_smarty_templates(1);
+ compile_smarty_templates(0);
+});
+
+function psinstall_twitter_click(message) {
+ window.open('https://twitter.com/intent/tweet?button_hashtag=PrestaShop&text=' + message, 'sharertwt', 'toolbar=0,status=0,width=640,height=445');
+}
+
+function psinstall_facebook_click() {
+ window.open('http://www.facebook.com/sharer.php?u=http://www.prestashop.com/', 'sharerfacebook', 'toolbar=0,status=0,width=660,height=445');
+}
+
+function psinstall_google_click() {
+ window.open('https://plus.google.com/share?url=http://www.prestashop.com/', 'sharergplus', 'toolbar=0,status=0,width=660,height=445');
+}
+
+function psinstall_pinterest_click() {
+ window.open('http://www.pinterest.com/pin/create/button/?media=http://img-cdn.prestashop.com/logo.png&url=http://www.prestashop.com/', 'sharerpinterest', 'toolbar=0,status=0,width=660,height=445');
+}
+
+function psinstall_linkedin_click() {
+ window.open('https://www.linkedin.com/shareArticle?title=PrestaShop&url=http://www.prestashop.com/download', 'sharerlinkedin', 'toolbar=0,status=0,width=600,height=450');
+}
diff --git a/_install/theme/js/license.js b/_install/theme/js/license.js
new file mode 100644
index 00000000..9443ea69
--- /dev/null
+++ b/_install/theme/js/license.js
@@ -0,0 +1,46 @@
+/*
+*
+* NOTICE OF LICENSE
+*
+* This source file is subject to the Open Software License (OSL 3.0)
+* that is bundled with this package in the file LICENSE.txt.
+* It is also available through the world-wide-web at this URL:
+* http://opensource.org/licenses/osl-3.0.php
+* If you did not receive a copy of the license and are unable to
+* obtain it through the world-wide-web, please send an email
+* to license@prestashop.com so we can send you a copy immediately.
+*
+* DISCLAIMER
+*
+* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
+* versions in the future. If you wish to customize PrestaShop for your
+* needs please refer to http://www.prestashop.com for more information.
+*
+* @author PrestaShop SA
+* @copyright 2007-2015 PrestaShop SA
+* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0)
+* International Registered Trademark & Property of PrestaShop SA
+*/
+
+$(document).ready(function()
+{
+ // Desactivate next button if licence checkbox is not checked
+ if (!$('#set_license').prop('checked'))
+ {
+ $('#btNext').addClass('disabled').attr('disabled', true);
+ }
+
+ // Activate / desactivate next button when licence checkbox is clicked
+ $('#set_license').click(function()
+ {
+ if ($(this).prop('checked'))
+ $('#btNext').removeClass('disabled').attr('disabled', false);
+ else
+ $('#btNext').addClass('disabled').attr('disabled', true);
+ });
+
+ if ($('#set_license').prop('checked'))
+ $('#btNext').removeClass('disabled').attr('disabled', false);
+ else
+ $('#btNext').addClass('disabled').attr('disabled', true);
+});
\ No newline at end of file
diff --git a/_install/theme/js/process.js b/_install/theme/js/process.js
new file mode 100644
index 00000000..703718b4
--- /dev/null
+++ b/_install/theme/js/process.js
@@ -0,0 +1,213 @@
+/*
+*
+* NOTICE OF LICENSE
+*
+* This source file is subject to the Open Software License (OSL 3.0)
+* that is bundled with this package in the file LICENSE.txt.
+* It is also available through the world-wide-web at this URL:
+* http://opensource.org/licenses/osl-3.0.php
+* If you did not receive a copy of the license and are unable to
+* obtain it through the world-wide-web, please send an email
+* to license@prestashop.com so we can send you a copy immediately.
+*
+* DISCLAIMER
+*
+* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
+* versions in the future. If you wish to customize PrestaShop for your
+* needs please refer to http://www.prestashop.com for more information.
+*
+* @author PrestaShop SA
+* @copyright 2007-2015 PrestaShop SA
+* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0)
+* International Registered Trademark & Property of PrestaShop SA
+*/
+
+var is_installing = false;
+$(document).ready(function()
+{
+ $("#loaderSpace").unbind('ajaxStart');
+ start_install();
+});
+
+current_step = 0;
+function start_install()
+{
+ // If we are already installing PrestaShop, do not trigger action again
+ if (is_installing)
+ return;
+ is_installing = true;
+
+ $('.process_step').removeClass('fail').removeClass('success').hide();
+ $('.error_log').hide();
+ $('#progress_bar').show();
+ $('#progress_bar .installing').show();
+ $('.stepList li:last-child').removeClass('ok').removeClass('ko');
+ process_pixel = parseInt($('#progress_bar .total').css('width')) / process_steps.length;
+ $('#tabs li a').each(function() {
+ this.rel = $(this).attr('href');
+ this.href = '#';
+ });
+ process_install();
+}
+
+function process_install(step)
+{
+ if (!step)
+ step = process_steps[0];
+
+ $('.installing').hide().html(step.lang + '...').fadeIn('slow');
+
+ $.ajax({
+ url: 'index.php',
+ data: step.key + '=true',
+ dataType: 'json',
+ cache: false,
+ success: function(json)
+ {
+ // No error during this step
+ if (json && json.success === true)
+ {
+ $('#process_step_'+step.key).show().addClass('success');
+ current_step++;
+ if (current_step >= process_steps.length)
+ {
+ $('#progress_bar .total .progress').animate({'width': '100%'}, 500);
+ $('#progress_bar .total span').html('100%');
+
+ // Installation finished
+ setTimeout(function(){install_success();}, 700);
+ }
+ else
+ {
+ $('#progress_bar .total .progress').animate({'width': '+='+process_pixel+'px'}, 500);
+ $('#progress_bar .total span').html(Math.ceil(current_step * (100 / process_steps.length))+'%');
+
+ // Process next step
+ if (process_steps[current_step].subtasks)
+ process_install_subtasks(process_steps[current_step]);
+ else
+ process_install(process_steps[current_step]);
+ }
+ }
+ // An error occured during this step
+ else
+ {
+ install_error(step, (json) ? json.message : '');
+ }
+ },
+ // An error HTTP (page not found, json not valid, etc.) occured during this step
+ error: function() {
+ install_error(step);
+ }
+ });
+}
+
+function process_install_subtasks(step)
+{
+ $('.installing').hide().html(step.lang+'...').fadeIn('slow');
+ process_install_subtask(step, 0);
+}
+
+function process_install_subtask(step, current_subtask)
+{
+ var params = {};
+ params[step.key] = 'true';
+ params['subtask'] = current_subtask;
+ $.each(step.subtasks[current_subtask], function(k, v)
+ {
+ params[k] = v;
+ });
+
+ $.ajax({
+ url: 'index.php',
+ data: params,
+ dataType: 'json',
+ cache: false,
+ success: function(json)
+ {
+ // No error during this step
+ if (json && json.success === true)
+ {
+ current_subtask++;
+ var subtask_process_pixel = process_pixel / step.subtasks.length;
+ $('#progress_bar .total .progress').animate({'width': '+='+subtask_process_pixel+'px'}, 500);
+ $('#progress_bar .total span').html(Math.ceil((current_step * (100 / process_steps.length)) + Math.ceil(current_subtask * ((100 / process_steps.length) / step.subtasks.length)))+'%');
+
+ if (current_subtask >= step.subtasks.length)
+ {
+ current_step++;
+ $('#process_step_'+step.key).show().addClass('success');
+ if (process_steps[current_step].subtasks)
+ process_install_subtasks(process_steps[current_step]);
+ else
+ process_install(process_steps[current_step]);
+ }
+ else
+ process_install_subtask(step, current_subtask);
+ }
+ else
+ install_error(step, (json) ? json.message : '');
+ },
+ // An error HTTP (page not found, json not valid, etc.) occured during this step
+ error: function() {
+ install_error(step);
+ }
+ });
+}
+
+function install_error(step, errors)
+{
+ current_step = 0;
+ is_installing = false;
+
+ $('#error_process').show();
+ $('#process_step_'+step.key).show().addClass('fail');
+ $('#progress_bar .total .progress').stop();
+ $('#progress_bar .installing').hide();
+ $('.stepList li:last-child').addClass('ko');
+
+ if (errors)
+ {
+ var list_errors = errors;
+ if ($.type(list_errors) == 'string')
+ {
+ list_errors = [];
+ list_errors[0] = errors;
+ }
+ else if ($.type(list_errors) == 'array')
+ list_errors = list_errors[0];
+
+ var display = '';
+
+ $.each(list_errors, function(k, v)
+ {
+ if (typeof psuser_assistance != 'undefined')
+ psuser_assistance.setStep('install_process_error', {'error':v});
+ display += '' + v + ' ';
+ });
+ display += ' ';
+ $('#process_step_'+step.key+' .error_log').html(display).show();
+ }
+ if (typeof psuser_assistance != 'undefined')
+ psuser_assistance.setStep('install_process_error');
+
+ $('#tabs li a').each(function() {
+ this.href=this.rel;
+ });
+}
+
+function install_success()
+{
+ $('#progress_bar .total span').hide();
+ $('.installing').html(install_is_done);
+ is_installing = false;
+ $('#install_process_form').slideUp();
+ $('#install_process_success').slideDown();
+ $('.stepList li:last-child').addClass('ok');
+ if (typeof psuser_assistance != 'undefined')
+ psuser_assistance.setStep('install_process_success');
+
+ $('#tabs li a').each(function() {
+ this.href=this.rel;
+ });
+}
diff --git a/_install/theme/js/welcome.js b/_install/theme/js/welcome.js
new file mode 100644
index 00000000..55df7d2d
--- /dev/null
+++ b/_install/theme/js/welcome.js
@@ -0,0 +1,29 @@
+/*
+*
+* NOTICE OF LICENSE
+*
+* This source file is subject to the Open Software License (OSL 3.0)
+* that is bundled with this package in the file LICENSE.txt.
+* It is also available through the world-wide-web at this URL:
+* http://opensource.org/licenses/osl-3.0.php
+* If you did not receive a copy of the license and are unable to
+* obtain it through the world-wide-web, please send an email
+* to license@prestashop.com so we can send you a copy immediately.
+*
+* DISCLAIMER
+*
+* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
+* versions in the future. If you wish to customize PrestaShop for your
+* needs please refer to http://www.prestashop.com for more information.
+*
+* @author PrestaShop SA
+* @copyright 2007-2015 PrestaShop SA
+* @license http://opensource.org/licenses/osl-3.0.php Open Software License (OSL 3.0)
+* International Registered Trademark & Property of PrestaShop SA
+*/
+
+$(document).ready(function() {
+ $('#langList').change(function() {
+ $('#mainForm').submit();
+ });
+});
\ No newline at end of file
diff --git a/_install/theme/rtl.css b/_install/theme/rtl.css
new file mode 100644
index 00000000..561b4d62
--- /dev/null
+++ b/_install/theme/rtl.css
@@ -0,0 +1,324 @@
+/* RTL styles for RTL languages (Persian, Arabic or Hebrew) */
+/* Created by Danoosh Miralayi - Presta-shop.ir - */
+body{
+ font:normal 12px/16px Tahoma, Arial, Helvetica, sans-serif;
+ direction: rtl;
+}
+caption,th{
+ text-align:right;
+}
+#loaderSpace{
+ right: 0;
+ left: auto;
+}
+div#loader{
+ margin: 450px 440px 0 0;
+}
+div#leftpannel{
+ float:right;
+}
+div#sheets{
+ float:right;
+}
+div#buttons{
+ margin:0 295px 0 0;
+}
+#btNext{
+ float:left;
+}
+#sheets ul{
+ margin-right: 15px;
+ margin-left: auto;
+}
+div.field{
+ background:url(img/bg_field.png) repeat-x 0 0 transparent;
+}
+div.field div.contentinput label{
+ margin-left: 10px;
+ margin-right: auto;
+}
+div.field .userInfos{
+ float: left;
+}
+.okBlock{
+ padding:20px 38px 20px 20px;
+}
+.errorBlock{
+ padding:20px 38px 20px 20px;
+}
+.errorTxt{
+ float: right;
+ padding: 1px 38px 1px 0;
+}
+.infosBlock{
+ padding:14px 20px 14px 25px;
+}
+.warnBlock{
+ padding:14px 35px 14px 25px;
+}
+#header #headerLinks{
+ float:left;
+}
+#header #headerLinks li{
+ background:transparent url(img/bg-li-headerLinks.png) no-repeat left 2px;
+}
+#header #headerLinks #phone_block{
+ padding:0 46px 0 0;
+}
+#header #headerLinks #phone_block div{
+ padding:7px 0 8px 15px;
+ background:transparent url(img/bg-phone_block.png) no-repeat left top;
+}
+#header #PrestaShopLogo{
+ float:right;
+ margin:5px 10px 0 0;
+}
+#header #infosSup{
+ float:right;
+ margin:10px 50px 0 0;
+}
+ol#tabs li{
+ padding:9px 16px 9px 0;
+}
+.sheet .contentTitle{
+ right:0;
+ left: auto;
+ padding:15px 38px 10px 25px;
+}
+.sheet .contentTitle .stepList{
+ left:20px;
+ right: auto;
+}
+.sheet .contentTitle .stepList li{
+ float:right;
+ margin:0 5px 0 0;
+}
+#sheet_system #req_bt_refresh{
+ float:left;
+}
+#sheet_system #btTestDB{
+ float:left;
+}
+ul#optional li.fail{
+ background:#f8eba8 url(img/pict_error.png) no-repeat 1% 8px;
+ padding-left: 20px;
+}
+#mailSMTPParam p{
+ background:url(img/bg_field.png) repeat-x 0 0 transparent;
+}
+#formCheckSQL p#dbResultCheck.errorBlock{
+ padding: 20px 38px 20px 20px;
+}
+#formCheckSQL p#dbResultCheck.okBlock{
+ padding:20px 38px 20px 20px;
+}
+#contentInfosNotification{
+ padding-right:190px;
+ padding-left: 0;
+}
+#inputFileLogo{
+ margin-right:190px;
+ margin-left: auto;
+}
+.blockInfoEnd{
+ float:right;
+ margin:34px 0 22px 20px;
+}
+.blockInfoEnd.last{
+ margin-left:0;
+ margin-right: auto;
+}
+.blockInfoEnd img{
+ float:right;
+ margin:0 0 5px 10px;
+}
+.blockInfoEnd a.FO{
+ float:left;
+ padding:0 10px 0 0;
+}
+.blockInfoEnd a.FO span{
+ padding:0 0 0 32px;
+ background:#00aff0;
+}
+ul#optional_update li.fail{
+ background:#f8f8f8 url(img/pict_error.png) no-repeat 0 8px;
+}
+ul#optional_update li.ok{
+ background:#f8f8f8 url(img/pict_ok.png) no-repeat 0 10px;
+}
+#sheet_require_update #req_bt_refresh_update{
+ float:left;
+}
+#sheet_configure div.field label.aligned{
+ float: right;
+}
+#sheet_configure div.field div.contentinput{
+ float: right;
+}
+#progress_bar .installing{
+ padding-right: 36px;
+ padding-left: 0;
+}
+#progress_bar ol{
+ margin-right: 20px;
+ margin-left: auto;
+}
+#progress_bar ol.process_list li.success{
+ padding-right: 18px;
+ padding-left: 0;
+}
+#progress_bar ol.process_list li.fail{
+ padding-right: 18px;
+ padding-left: 0;
+}
+#error_process{
+ margin-right: 37px;
+ margin-left: auto;
+}
+#error_process p{
+ margin-right: 20px;
+ margin-left: auto;
+}
+#sheets ul.chzn-results{
+ margin-right: 5px;
+ margin-left: auto;
+}
+.chosen-container .chosen-drop{
+ right: -9999px;
+ left: auto;
+}
+.chosen-container.chosen-with-drop .chosen-drop{
+ right: 0;
+ left: auto;
+}
+.chosen-container-single .chosen-single{
+ padding: 0 8px 0 0;
+}
+.chosen-container-single .chosen-single span{
+ margin-left: 26px;
+ margin-right: auto;
+}
+.chosen-container-single .chosen-single-with-deselect span{
+ margin-left: 38px;
+ margin-right: auto;
+}
+.chosen-container-single .chosen-single abbr{
+ left: 26px;
+ right: auto;
+}
+.chosen-container-single .chosen-single div{
+ left: 0;
+ right: auto;
+}
+.chosen-container-single .chosen-search input[type="text"]{
+ padding: 4px 5px 4px 20px;
+}
+.chosen-container-single .chosen-drop{
+ border-radius: 0 4px 4px 0;
+}
+.chosen-container-single.chosen-container-single-nosearch .chosen-search{
+ right: -9999px;
+ left: auto;
+}
+.chosen-container .chosen-results{
+ margin: 0 0 4px 4px;
+ padding: 0 4px 0 0;
+}
+.chosen-container .chosen-results li.group-option{
+ padding-right: 15px;
+ padding-left: 0;
+}
+.chosen-container-multi .chosen-choices li{
+ float: right;
+}
+.chosen-container-multi .chosen-choices li.search-choice{
+ margin: 3px 5px 3px 0;
+ padding: 3px 5px 3px 20px;
+}
+.chosen-container-multi .chosen-choices li.search-choice .search-choice-close{
+ left: 3px;
+ right: auto;
+}
+.chosen-container-multi .chosen-choices li.search-choice-disabled{
+ padding-left: 5px;
+}
+.chosen-container-active.chosen-with-drop .chosen-single div{
+ border-right: none;
+}
+.chosen-rtl{
+ text-align: left;
+}
+.chosen-rtl .chosen-single{
+ padding: 0 0 0 8px;
+}
+.chosen-rtl .chosen-single span{
+ margin-left: 0;
+ margin-right: 26px;
+}
+.chosen-rtl .chosen-single-with-deselect span{
+ margin-right: 38px;
+ margin-left: auto;
+}
+.chosen-rtl .chosen-single div{
+ left: auto;
+ right: 3px;
+}
+.chosen-rtl .chosen-single abbr{
+ left: auto;
+ right: 26px;
+}
+.chosen-rtl .chosen-choices li{
+ float: left;
+}
+.chosen-rtl .chosen-choices li.search-choice{
+ margin: 3px 0 3px 5px;
+ padding: 3px 19px 3px 5px;
+}
+.chosen-rtl .chosen-choices li.search-choice .search-choice-close{
+ left: auto;
+ right: 4px;
+}
+.chosen-rtl .chosen-drop{
+ right: 9999px;
+ left: auto;
+}
+.chosen-rtl.chosen-container-single .chosen-results{
+ margin: 0 4px 4px 0;
+ padding: 0 0 0 4px;
+}
+.chosen-rtl .chosen-results li.group-option{
+ padding-left: 15px;
+ padding-right: 0;
+}
+.chosen-rtl.chosen-container-active.chosen-with-drop .chosen-single div{
+ border-left: none;
+}
+.chosen-rtl .chosen-search input[type="text"]{
+ padding: 4px 20px 4px 5px;
+}
+@media only screen and (-webkit-min-device-pixel-ratio: 2), only screen and (min-resolution: 144dpi)
+{
+ .chosen-container .chosen-results-scroll-up span{
+ background-image: url('img/chosen-sprite@2x.png') !important;
+ background-size: 52px 37px !important;
+ background-repeat: no-repeat !important;
+ }
+}
+.btn-facebook, .btn-twitter, .btn-google-plus, .btn-pinterest, .btn-linkedin{
+ padding: 4px 4px 4px 8px;
+}
+.btn-facebook i, .btn-twitter i, .btn-google-plus i, .btn-pinterest i, .btn-linkedin i{
+ margin-left: 4px;
+ margin-right: auto;
+}
+/* fix background */
+#progress_bar ol.process_list li.success,#header #headerLinks #phone_block, #loaderSpace, ol#tabs li.finished, ol#tabs li.selected, ol#tabs li.configuring{
+ background-position-x: right;
+}
+/* fix some styles */
+#set_license{
+ float: right !important;
+}
+ol#tabs li.selected {
+ background: url(img/bg-li-tabs-rtl.png) no-repeat 98% 15px;
+}
diff --git a/_install/theme/view.css b/_install/theme/view.css
new file mode 100644
index 00000000..6e566917
--- /dev/null
+++ b/_install/theme/view.css
@@ -0,0 +1,1277 @@
+@CHARSET "UTF-8";
+
+/* ****************************************************************************
+ reset
+**************************************************************************** */
+html{color:#000;}
+body,div,dl,dt,dd,ul,ol,li,h1,h2,h3,h4,h5,h6,pre,code,form,fieldset,legend,input,button,textarea,p,blockquote,th,td{margin:0;padding:0;}
+table{border-collapse:collapse;border-spacing:0;}
+fieldset,img{border:0;}
+address,caption,cite,code,dfn,em,th,var,optgroup{font-style:inherit;font-weight:inherit;}
+del,ins{text-decoration:none;}
+caption,th{text-align:left;}
+h1,h2,h3,h4,h5,h6{font-size:100%;}
+q:before,q:after{content:'';}
+abbr,acronym{border:0;font-variant:normal;}
+sup{vertical-align:baseline;}
+sub{vertical-align:baseline;}
+legend{color:#000;}
+input,button,textarea,select,optgroup,option{font-family:inherit;font-size:inherit;font-style:inherit;font-weight:inherit;}
+input,button,textarea,select{font-size:100%;}
+a {cursor:pointer;}
+
+.installModuleList { display: none; }
+.installModuleList.selected { display: block; }
+.clearfix:before,
+.clearfix:after {
+ content: ".";
+ display: block;
+ height: 0;
+ overflow: hidden;
+}
+.clearfix:after {clear: both;}
+.clearfix {zoom: 1;}
+
+
+/* ****************************************************************************
+ structure
+**************************************************************************** */
+#container{
+ position:relative;
+ margin:0 auto;
+ padding:0;
+ width:990px;
+ background :#fff;
+}
+#header {
+ padding:6px 16px 16px 16px;
+ height:50px;
+ background:#394049;
+}
+#loaderSpace{
+ display:none;
+ z-index: 100;
+ position: absolute;
+ top: 0;
+ left: 0;
+ height: 100%;
+ width: 100%;
+ background:transparent url(img/bg_loaderSpace.png) repeat 0 0;
+}
+div#loader{
+ display:none;
+ margin: 450px 0 0 440px;
+ height:128px;
+ width:128px;
+ color:#fff;
+ background-image:url(img/ajax-loader.gif);
+}
+
+div#leftpannel{
+ float:left;
+ margin:65px 30px 0 30px;
+ width:220px;
+}
+
+ div#sheets {
+ float:left;
+ margin-top:65px;
+ min-height:360px;
+ width:700px;
+ background-color:#fff;
+}
+ * html div#sheets {
+ height: 400px;
+}
+ #sheets div.sheet{
+ /*display:none;*/
+ padding:1em;
+ width:650px;
+}
+
+ div#buttons{
+ clear:both;
+ margin:0 0 0 295px;
+ height:60px;
+ width:650px;
+}
+ * html div#buttons {
+ margin-bottom:60px;
+ margin-top:-30px;
+ }
+ #btNext {float:right;}
+
+ul#footer{
+ margin-top:5px;
+ list-style-type:none;
+ text-align:center;
+ margin-bottom:2px;
+ color:#fff;
+}
+
+div#phone_help{margin:auto;text-align:center;padding:10px 5px}
+
+
+/* ****************************************************************************
+ generics styles
+**************************************************************************** */
+body{
+ font:normal 13px/18px Arial, Helvetica, sans-serif;
+ color:#333;
+ background:#e1e2e2;
+}
+
+/* title */
+h1 {font-size:24px;}
+h2 {
+ padding-bottom:20px;
+ font-size:18px;
+ line-height:20px;
+}
+h3 {
+ padding-bottom:20px;
+ font-size:16px;
+}
+h4 {
+ padding-bottom:20px;
+ font-size:14px;
+}
+
+/* text */
+p {padding-bottom:20px;}
+#sheets ul {
+ margin-left: 15px;
+ padding-bottom:20px;
+ list-style-type:square;
+}
+
+/* link */
+a, a:active, a:visited {
+ color:#d41958;
+ text-decoration:none;
+}
+ a:hover {text-decoration:underline;}
+
+sup.required {color: red;}
+
+/*buttons */
+
+
+/* form */
+.button {
+ padding:0 30px;
+ height:31px;
+ line-height:31px;
+ color:#fff;
+ border: 1px solid transparent;
+ background-color: #00aff0;
+ -moz-border-radius: 3px;
+ -webkit-border-radius:3px;
+ border-radius: 3px;
+}
+
+.button:hover {
+ background-color: #008abd;
+ cursor: pointer;
+}
+
+#btBack {
+ color:#666;
+ background-color: #fff;
+ border: 1px solid #666
+}
+
+#btBack:hover {
+ color:#666;
+ border: 1px solid #666
+}
+
+input.button.disabled {
+ color:#666;
+ background-color: #e4e4e4;
+ cursor: inherit;
+ border: 1px solid #666
+}
+
+input.text {
+ padding:0 6px;
+ height:22px;
+ width:218px;/* 230 */
+ border:1px solid #ccc;
+}
+select {
+ width: 232px;
+ border:1px solid #ccc;
+}
+
+div.field {
+ padding:10px 0;
+ background:url(img/bg_field.png) repeat-x 0 100% transparent;
+}
+ div.field label {
+ display:inline-block;
+ width:190px;
+ vertical-align: top;
+}
+ div.field label.radiolabel {width:auto;}
+ div.field div.contentinput {
+ display:inline-block;
+ width:245px;
+ vertical-align: top;
+}
+ div.field div.contentinput label {
+ display:inline;
+ margin-right: 10px;
+ }
+ div.field .userInfos {
+ display:inline-block;
+ width:210px;
+ font-size:11px;
+ font-family:Georgia;
+ font-style:italic;
+ color:#999;
+ float: right;
+}
+
+#uploadedImage {border:1px solid #ccc;}
+
+#dbPart #formCheckSQL .waitBlock {
+ padding:20px;
+ background:#D9EDF7 url(img/ajax-loader-small.gif) no-repeat 16px 12px;
+ border:1px solid #81CFE6;
+}
+
+.okBlock {
+ padding:20px 20px 20px 38px;
+ background:#b7e2a7 url(img/bg-li-tabs-finished.png) no-repeat 15px 21px;
+ border:1px solid #85c10c;
+}
+
+.errorBlock {
+ padding:20px 20px 20px 38px;
+ background:#ffebe8 url(img/pict_error.png) no-repeat 15px 21px;
+ border:1px solid #cc0000;
+ clear: both;
+ display: block;
+}
+
+.errorTxt {
+ background: url(img/pict_error.png) no-repeat scroll 15px center transparent;
+ color: #FF0000;
+ display: block;
+ float: left;
+ padding: 1px 0 1px 38px;
+ width: 150px;
+}
+
+.infosBlock {
+ padding:14px 25px 14px 20px;
+ font-weight:normal;
+ font-size:13px;
+ line-height:18px;
+ background:#f8f8f8;
+ border:1px solid #ccc
+}
+
+.infosBlock img {
+ vertical-align:middle
+}
+
+.warnBlock {
+ padding:14px 25px 14px 35px;
+ margin-bottom: 10px;
+ font-weight:normal;
+ font-size:13px;
+ line-height:18px;
+ background:#FEEFB3;
+ border:1px solid #9E6014;
+ color:#9E6014
+}
+
+.okBlock h1,
+.okBlock h2,
+.okBlock h3,
+.errorBlock h1,
+.errorBlock h2,
+.errorBlock h3,
+.infosBlock h1,
+.infosBlock h2,
+.infosBlock h3 {
+ padding-bottom:5px;
+}
+
+
+/* ****************************************************************************
+ HEADER
+**************************************************************************** */
+#header #headerLinks {float:right;}
+ #header #headerLinks li {
+ display:inline-block;
+ padding:0 12px;
+ vertical-align: top;
+ background:transparent url(img/bg-li-headerLinks.png) no-repeat right 2px;
+}
+ #header #headerLinks li.last {background:none;}
+ #header #headerLinks li a {
+ color:#fff;
+ text-decoration:none;
+}
+ #header #headerLinks li a:hover {text-decoration:underline;}
+ #header #headerLinks #phone_block {
+ padding:0 0 0 46px;
+ line-height:14px;
+ color:#fff;
+ text-shadow:0 1px 0 #333;
+ background:transparent url(img/bg-phone_block.png) no-repeat 0 0;
+}
+ #header #headerLinks #phone_block div {
+ padding:7px 15px 8px 0;
+ background:transparent url(img/bg-phone_block.png) no-repeat right top;
+}
+
+#header #PrestaShopLogo {
+ float:left;
+ margin:5px 0 0 10px;
+ height: 51px;
+ width: 192px;
+ text-indent: -5000px;
+ background:transparent url(img/logo.png) no-repeat 0 0;
+}
+
+#header #infosSup {
+ display:none;
+ float:left;
+ margin:10px 0 0 50px;
+}
+
+
+/* ****************************************************************************
+ LEFTPANEL
+**************************************************************************** */
+div#leftpannel div#help{display:none;}
+
+ol#tabs{
+ list-style-type:none;
+ margin:0;
+ padding:0;
+}
+ ol#tabs li{
+ padding:9px 0 9px 16px;
+ font-size:14px;
+ color:#adadad;
+ }
+ ol#tabs li.selected{
+ font-weight: bold;
+ color:#25B9D7;
+ background : url(img/bg-li-tabs.png) no-repeat 1px 15px;
+ }
+ ol#tabs li.finished{
+ color:#666;
+ background : url(img/bg-li-tabs-finished.png) no-repeat 0 12px;
+ }
+ ol#tabs li.finished a{
+ color:#666;
+ }
+ ol#tabs li.configuring{
+ color:#25B9D7;
+ }
+ ol#tabs li.configuring a{
+ color:#25B9D7;
+ text-decoration: none;
+ }
+
+
+/* ****************************************************************************
+ FOOTER
+**************************************************************************** */
+ul#footer li {
+ display:inline;
+ font-weight:bold;
+ font-size:12px;
+ color:#666;
+}
+
+ul#footer a:link, ul#footer a:active, ul#footer a:visited {
+ color:#666;
+ text-decoration:none;
+}
+ ul#footer a:hover{
+ color:#333;
+ text-decoration:underline;
+}
+
+
+/* ****************************************************************************
+ SHEET
+**************************************************************************** */
+#sheets div.sheet {
+ padding: 14px;
+ width: 650px;
+}
+#sheets div#sheet_lang{
+ display:block;
+}
+ .sheet .contentTitle {
+ position:absolute;
+ top:72px;
+ left:0;
+ padding:15px 25px 10px 38px;
+ height:28px;/* 53 */
+ width:927px;/* 990 */
+}
+ .sheet .contentTitle .stepList {
+ position:absolute;
+ top:7px;
+ right:20px;
+ list-style-type:none !important;
+}
+ .sheet .contentTitle .stepList li {
+ float:left;
+ margin:0 0 0 5px;
+ height:42px;
+ width:42px;
+ text-indent:-5000px;
+ background:transparent url(img/bg_li_stepList.png) no-repeat 0 0;
+ }
+
+ .sheet .contentTitle .stepList li.ok {background-position:0 -50px;}
+ .sheet .contentTitle .stepList li.ko {background-position:0 -100px;}
+ .sheet .contentTitle h1 {text-shadow:0 1px 0 #fff;}
+ .sheet .contentTitle ul {list-style-type:none;}
+
+ li.title {
+ margin:0;
+ font-weight:bold;
+}
+
+/* INSTALLATION ***************************************************************************** */
+/* ETAPE 1 - lang ********************************************************** */
+#formSetMethod {padding-bottom:20px;}
+ #formSetMethod p {padding-bottom:0;}
+
+#langList {margin-bottom:20px}
+
+/* ETAPE 2 - required ******************************************************* */
+#sheet_system #req_bt_refresh {float:right;}
+#sheet_system #btTestDB {float:right;}
+
+/*h3#resultConfig {
+ padding:20px 20px 20px 38px;
+ background:#ffebe8 url(img/pict_error.png) no-repeat 15px 21px;
+ border:1px solid #cc0000;
+}*/
+
+ul#required,
+ul#optional {
+ list-style-type: none;
+ margin: 0;
+}
+ ul#required li,
+ ul#optional li {
+ padding:6px 8px 4px 8px;
+ font-size:12px;
+ background:#f8f8f8;
+}
+ ul#required li.title,
+ ul#optional li.title {
+ margin-top: 20px;
+ padding:4px 8px;
+ font-size:13px;
+}
+ ul#required li.required ,
+ ul#optional li {
+ border-top:1px solid #fff;
+ border-bottom:1px solid #ccc;
+}
+ ul#required li.ok,
+ ul#optional li.ok{
+ display:none
+}
+ ul#required li.fail,
+ ul#optional li.fail {
+ background: #f8eba8 url(img/pict_error.png) no-repeat 99% 8px;
+ padding-right: 20px;
+}
+
+/* ETAPE 3 - DB ************************************************************* */
+#sheet_database {
+ padding:0 !important;
+ width:678px !important;
+}
+
+#formCheckSQL p,
+#mailSMTPParam p {
+ padding:10px 0;
+ background:url(img/bg_field.png) repeat-x 0 100% transparent;
+}
+#formCheckSQL p.first {border-top:none;}
+#formCheckSQL p.last {border-bottom:none;}
+#formCheckSQL p#dbResultCheck {background:none;}
+#formCheckSQL p#dbResultCheck.errorBlock {
+ background: url("img/pict_error.png") no-repeat scroll 15px 21px #FFEBE8;
+ border: 1px solid #CC0000;
+ padding: 20px 20px 20px 38px;
+}
+#formCheckSQL p#dbResultCheck.okBlock {
+ padding:20px 20px 20px 38px;
+ background:#b7e2a7 url(img/bg-li-tabs-finished.png) no-repeat 15px 21px;
+ border:1px solid #85c10c;
+}
+#formCheckSQL p label {
+ display:inline-block;
+ width:230px;
+}
+
+#dbPart,
+#dbTableParam {
+ margin-bottom:15px;
+ padding:14px;
+ width:650px;
+}
+
+#formCheckSQL .userInfos {
+ display: block;
+ font:italic 11px Georgia, Arial, Sans-serif italic;
+ color:#999;
+}
+
+
+/* ETAPE 4 - infos ********************************************************* */
+#sheet_configure {
+ padding:0 !important;
+ width:678px !important;
+}
+#contentInfosNotification {
+ padding-left:190px;
+ border:none;
+}
+#contentInfosNotification label {
+ width:auto;
+ font-size:11px;
+}
+
+#infosShopBlock,
+#benefitsBlock {
+ margin-bottom:15px;
+ padding:14px;
+ width:650px;
+}
+
+#inputFileLogo {margin-left:190px;}
+
+#resultInfosPasswordRepeat {color:#cc0000;}
+
+/* ETAPE 5 - end *********************************************************** */
+#resultInstall {margin-bottom:25px;}
+ #resultInstall td {padding:7px 6px;}
+ #resultInstall tr.odd {background:#f8f8f8;}
+ #resultInstall td.resultEnd {color:#666;}
+
+.print{background:white;color:#78A542;cursor:pointer;font-weight:700}
+
+.print:hover {
+color: #385E0B;
+}
+
+.blockInfoEnd {
+ float:left;
+ margin:34px 20px 22px 0;
+ padding:10px;
+ width:292px;
+ border:1px solid #ccc;
+ -moz-border-radius: 3px;
+ -webkit-border-radius:3px;
+ border-radius: 3px;
+ cursor: pointer;
+}
+.blockInfoEnd.last {margin-right:0;}
+ .blockInfoEnd p {
+ font:italic 11px/14px Georgia, Arial, Sans-serif;
+ color:#666;
+}
+ .blockInfoEnd p.description {
+ min-height:93px;
+}
+ .blockInfoEnd img {
+ float:left;
+ margin:0 10px 5px 0;
+}
+ .blockInfoEnd a.BO,
+ .blockInfoEnd a.FO {
+ float:right;
+ padding:0 10px 0 10px;
+ height:33px;
+ line-height:33px;
+ color:#fff;
+ background-color:#00aff0;
+ border:1px solid transparent;
+ -moz-border-radius: 3px;
+ -webkit-border-radius:3px;
+ border-radius: 3px;
+}
+ .blockInfoEnd a.BO span ,
+ .blockInfoEnd a.FO span {
+ display:inline-block;
+ height:33px;
+ line-height:33px;
+ color:#fff;
+ }
+
+#prestastore,
+#prestastore_update {
+ height:592px;
+ width:650px;
+ border:none;
+ /*-moz-border-radius: 5px;
+ -webkit-border-radius:5px;
+ border-radius: 5px*/
+}
+
+/* MISE A JOUR ********************************************************************************* */
+
+/* ETAPE 1 - disclaimer **************************************************** */
+
+/* ETAPE 2 - require_update ************************************************ */
+#disclaimerDivCertify {margin-bottom:20px;}
+
+#upgradeProcess table {
+ padding: 5px;
+ width: 650px;
+ background:#fff;
+ border: 1px solid #CCC;
+ border-bottom:none;
+}
+ #upgradeProcess tr {
+ border-bottom: 1px solid #CCC;
+}
+ #upgradeProcess th,
+ #upgradeProcess td{padding:3px 5px;}
+ #upgradeProcess th {
+ font-size:13;
+ color:#000;
+ text-shadow:0 1px 0 #fff;
+ background:#cfcfcf url(img/bg_moduleTable_th.png) repeat-x 0 0;
+}
+
+#upgradeProcess .infosBlock {
+ margin:20px 0;
+ padding:14px 25px;
+ background:#F8F8F8;
+}
+
+ul#required_update,
+ul#optional_update {list-style-type:none;}
+ul#required_update li,
+ul#optional_update li {
+ padding:6px 8px 4px 8px;
+ background:#f8f8f8;
+}
+ul#required_update li.title,
+ul#optional_update li.title {
+ margin-top: 20px;
+ padding:4px 8px;
+ background:#f8f8f8 url(img/bg_li_title.png) repeat-x 0 0;
+}
+ul#required_update li.required ,
+ul#optional_update li.optional{
+ border-top:1px solid #fff;
+ border-bottom:1px solid #ccc;
+}
+ul#required_update li.fail,
+ul#optional_update li.fail {
+ background:#f8f8f8 url(img/pict_error.png) no-repeat 100% 8px;
+}
+ul#required_update li.ok,
+ul#optional_update li.ok {
+ background:#f8f8f8 url(img/bg-li-tabs-finished.png) no-repeat 100% 10px;
+}
+#sheet_require_update #req_bt_refresh_update {float:right;}
+
+/* ETAPE 3 - updateErrors ************************************************** */
+
+/* ETAPE 4 - end_update **************************************************** */
+#updateLog {
+ height: 200px;
+ overflow: scroll;
+ border: 1px solid #E1E2E2;
+}
+#updateLog .fail {
+ font-weight:bold;
+ color: red;
+}
+.request {
+ border-bottom: 1px solid #E1E2E2;
+}
+
+#sheet_configure div.field label.aligned {
+ display: block;
+ float: left;
+}
+
+#sheet_configure div.field div.contentinput {
+ display: block;
+ float: left;
+}
+
+/* STEP 5 ******************************************/
+#install_process_form{
+ min-height: 300px;
+}
+#progress_bar {
+ display: none;
+}
+#progress_bar .total {
+ width: 100%;
+ height: 30px;
+ border: 1px solid #999999;
+ background-color: #eeeeee;
+ text-align: center;
+}
+
+#progress_bar .total span{
+ font-size: 16px;
+ font-weight: bold;
+ margin-top: -24px;
+ display: block;
+}
+
+#progress_bar .total .progress {
+ width: 0px;
+ height: 30px;
+ background-color: #74A3DC;
+}
+
+#progress_bar .installing {
+ background: url("img/ajax-loader-small.gif") no-repeat scroll 0 0 transparent;
+ display: none;
+ font-size: 18px;
+ font-style: italic;
+ font-weight: bold;
+ height: 26px;
+ padding-left: 36px;
+ padding-top: 6px;
+}
+
+#progress_bar ol {
+ list-style-type: none;
+ margin-left: 20px;
+ margin-top: 10px;
+}
+#progress_bar ol li {
+ margin-bottom: 5px;
+}
+#progress_bar ol.process_list li.success {
+ background: url("img/bg-li-tabs-finished.png") no-repeat scroll 0 3px transparent;
+ color: #666;
+ text-decoration: line-through;
+ padding-left: 18px;
+}
+#progress_bar ol.process_list li.fail {
+ background: url("img/pict_error.png") no-repeat scroll 0 1px transparent;
+ color: red;
+ padding-left: 18px;
+}
+#progress_bar ol.process_list li .error_log {
+ background-color: #FBE8D6;
+ border: 1px solid #666666;
+ color: #000000;
+ max-height: 300px;
+ overflow: auto;
+ padding: 7px;
+}
+#progress_bar ol.process_list li .error_log ol {
+ list-style-type: decimal;
+}
+#progress_bar ol.process_list li .error_log li {
+ padding: 3px;
+}
+
+#error_process{
+ padding: 5px;
+ background-color: #FBE8D6;
+ border: 1px solid #666666;
+ margin-left: 37px;
+ margin-bottom: 20px;
+ display: none;
+}
+ #error_process h3{
+ color: red;
+ }
+ #error_process p{
+ margin-left: 20px;
+ }
+ #error_process p a{
+ font-weight: bold;
+ }
+ #error_process p a:hover{
+ text-decoration: underline;
+ }
+
+#install_process_success {
+ display: none;
+}
+
+#sheets ul.chzn-results{
+ margin-left: 5px;
+ padding: 0px;
+}
+
+/* ****************************************************************************
+ Chosen
+**************************************************************************** */
+/* @group Base */
+.chosen-container {
+ position: relative;
+ display: inline-block;
+ vertical-align: middle;
+ font-size: 13px;
+ zoom: 1;
+ *display: inline;
+ -webkit-user-select: none;
+ -moz-user-select: none;
+ user-select: none;
+}
+.chosen-container .chosen-drop {
+ position: absolute;
+ top: 100%;
+ left: -9999px;
+ z-index: 1010;
+ -webkit-box-sizing: border-box;
+ -moz-box-sizing: border-box;
+ box-sizing: border-box;
+ width: 100%;
+ border: 1px solid #aaa;
+ border-top: 0;
+ background: #fff;
+ box-shadow: 0 4px 5px rgba(0, 0, 0, 0.15);
+}
+.chosen-container.chosen-with-drop .chosen-drop {
+ left: 0;
+}
+.chosen-container a {
+ cursor: pointer;
+}
+
+/* @end */
+/* @group Single Chosen */
+.chosen-container-single .chosen-single {
+ position: relative;
+ display: block;
+ overflow: hidden;
+ padding: 0 0 0 8px;
+ height: 23px;
+ border: 1px solid #aaa;
+ border-radius: 3px;
+ background-color: #fff;
+ background: -webkit-gradient(linear, 50% 0%, 50% 100%, color-stop(20%, #ffffff), color-stop(50%, #f6f6f6), color-stop(52%, #eeeeee), color-stop(100%, #f4f4f4));
+ background: -webkit-linear-gradient(top, #ffffff 20%, #f6f6f6 50%, #eeeeee 52%, #f4f4f4 100%);
+ background: -moz-linear-gradient(top, #ffffff 20%, #f6f6f6 50%, #eeeeee 52%, #f4f4f4 100%);
+ background: -o-linear-gradient(top, #ffffff 20%, #f6f6f6 50%, #eeeeee 52%, #f4f4f4 100%);
+ background: linear-gradient(top, #ffffff 20%, #f6f6f6 50%, #eeeeee 52%, #f4f4f4 100%);
+ background-clip: padding-box;
+ box-shadow: 0 0 3px white inset, 0 1px 1px rgba(0, 0, 0, 0.1);
+ color: #444;
+ text-decoration: none;
+ white-space: nowrap;
+ line-height: 24px;
+}
+.chosen-container-single .chosen-default {
+ color: #999;
+}
+.chosen-container-single .chosen-single span {
+ display: block;
+ overflow: hidden;
+ margin-right: 26px;
+ text-overflow: ellipsis;
+ white-space: nowrap;
+}
+.chosen-container-single .chosen-single-with-deselect span {
+ margin-right: 38px;
+}
+.chosen-container-single .chosen-single abbr {
+ position: absolute;
+ top: 6px;
+ right: 26px;
+ display: block;
+ width: 12px;
+ height: 12px;
+ background: url('img/chosen-sprite.png') -42px 1px no-repeat;
+ font-size: 1px;
+}
+.chosen-container-single .chosen-single abbr:hover {
+ background-position: -42px -10px;
+}
+.chosen-container-single.chosen-disabled .chosen-single abbr:hover {
+ background-position: -42px -10px;
+}
+.chosen-container-single .chosen-single div {
+ position: absolute;
+ top: 0;
+ right: 0;
+ display: block;
+ width: 18px;
+ height: 100%;
+}
+.chosen-container-single .chosen-single div b {
+ display: block;
+ width: 100%;
+ height: 100%;
+ background: url('img/chosen-sprite.png') no-repeat 0px 2px;
+}
+.chosen-container-single .chosen-search {
+ position: relative;
+ z-index: 1010;
+ margin: 0;
+ padding: 3px 4px;
+ white-space: nowrap;
+}
+.chosen-container-single .chosen-search input[type="text"] {
+ -webkit-box-sizing: border-box;
+ -moz-box-sizing: border-box;
+ box-sizing: border-box;
+ margin: 1px 0;
+ padding: 4px 20px 4px 5px;
+ width: 100%;
+ height: auto;
+ outline: 0;
+ border: 1px solid #aaa;
+ background: white url('img/chosen-sprite.png') no-repeat 100% -20px;
+ background: url('img/chosen-sprite.png') no-repeat 100% -20px, -webkit-gradient(linear, 50% 0%, 50% 100%, color-stop(1%, #eeeeee), color-stop(15%, #ffffff));
+ background: url('img/chosen-sprite.png') no-repeat 100% -20px, -webkit-linear-gradient(#eeeeee 1%, #ffffff 15%);
+ background: url('img/chosen-sprite.png') no-repeat 100% -20px, -moz-linear-gradient(#eeeeee 1%, #ffffff 15%);
+ background: url('img/chosen-sprite.png') no-repeat 100% -20px, -o-linear-gradient(#eeeeee 1%, #ffffff 15%);
+ background: url('img/chosen-sprite.png') no-repeat 100% -20px, linear-gradient(#eeeeee 1%, #ffffff 15%);
+ font-size: 1em;
+ font-family: sans-serif;
+ line-height: normal;
+ border-radius: 0;
+}
+.chosen-container-single .chosen-drop {
+ margin-top: -1px;
+ border-radius: 0 0 4px 4px;
+ background-clip: padding-box;
+}
+.chosen-container-single.chosen-container-single-nosearch .chosen-search {
+ position: absolute;
+ left: -9999px;
+}
+
+/* @end */
+/* @group Results */
+.chosen-container .chosen-results {
+ position: relative;
+ overflow-x: hidden;
+ overflow-y: auto;
+ margin: 0 4px 4px 0;
+ padding: 0 0 0 4px;
+ max-height: 240px;
+ -webkit-overflow-scrolling: touch;
+}
+.chosen-container .chosen-results li {
+ display: none;
+ margin: 0;
+ padding: 5px 6px;
+ list-style: none;
+ line-height: 15px;
+}
+.chosen-container .chosen-results li.active-result {
+ display: list-item;
+ cursor: pointer;
+}
+.chosen-container .chosen-results li.disabled-result {
+ display: list-item;
+ color: #ccc;
+ cursor: default;
+}
+.chosen-container .chosen-results li.highlighted {
+ background-color: #3875d7;
+ background-image: -webkit-gradient(linear, 50% 0%, 50% 100%, color-stop(20%, #3875d7), color-stop(90%, #2a62bc));
+ background-image: -webkit-linear-gradient(#3875d7 20%, #2a62bc 90%);
+ background-image: -moz-linear-gradient(#3875d7 20%, #2a62bc 90%);
+ background-image: -o-linear-gradient(#3875d7 20%, #2a62bc 90%);
+ background-image: linear-gradient(#3875d7 20%, #2a62bc 90%);
+ color: #fff;
+}
+.chosen-container .chosen-results li.no-results {
+ display: list-item;
+ background: #f4f4f4;
+}
+.chosen-container .chosen-results li.group-result {
+ display: list-item;
+ font-weight: bold;
+ cursor: default;
+}
+.chosen-container .chosen-results li.group-option {
+ padding-left: 15px;
+}
+.chosen-container .chosen-results li em {
+ font-style: normal;
+ text-decoration: underline;
+}
+
+/* @end */
+/* @group Multi Chosen */
+.chosen-container-multi .chosen-choices {
+ position: relative;
+ overflow: hidden;
+ -webkit-box-sizing: border-box;
+ -moz-box-sizing: border-box;
+ box-sizing: border-box;
+ margin: 0;
+ padding: 0;
+ width: 100%;
+ height: auto !important;
+ height: 1%;
+ border: 1px solid #aaa;
+ background-color: #fff;
+ background-image: -webkit-gradient(linear, 50% 0%, 50% 100%, color-stop(1%, #eeeeee), color-stop(15%, #ffffff));
+ background-image: -webkit-linear-gradient(#eeeeee 1%, #ffffff 15%);
+ background-image: -moz-linear-gradient(#eeeeee 1%, #ffffff 15%);
+ background-image: -o-linear-gradient(#eeeeee 1%, #ffffff 15%);
+ background-image: linear-gradient(#eeeeee 1%, #ffffff 15%);
+ cursor: text;
+}
+.chosen-container-multi .chosen-choices li {
+ float: left;
+ list-style: none;
+}
+.chosen-container-multi .chosen-choices li.search-field {
+ margin: 0;
+ padding: 0;
+ white-space: nowrap;
+}
+.chosen-container-multi .chosen-choices li.search-field input[type="text"] {
+ margin: 1px 0;
+ padding: 5px;
+ height: 15px;
+ outline: 0;
+ border: 0 !important;
+ background: transparent !important;
+ box-shadow: none;
+ color: #666;
+ font-size: 100%;
+ font-family: sans-serif;
+ line-height: normal;
+ border-radius: 0;
+}
+.chosen-container-multi .chosen-choices li.search-field .default {
+ color: #999;
+}
+.chosen-container-multi .chosen-choices li.search-choice {
+ position: relative;
+ margin: 3px 0 3px 5px;
+ padding: 3px 20px 3px 5px;
+ border: 1px solid #aaa;
+ border-radius: 3px;
+ background-color: #e4e4e4;
+ background-image: -webkit-gradient(linear, 50% 0%, 50% 100%, color-stop(20%, #f4f4f4), color-stop(50%, #f0f0f0), color-stop(52%, #e8e8e8), color-stop(100%, #eeeeee));
+ background-image: -webkit-linear-gradient(#f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eeeeee 100%);
+ background-image: -moz-linear-gradient(#f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eeeeee 100%);
+ background-image: -o-linear-gradient(#f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eeeeee 100%);
+ background-image: linear-gradient(#f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eeeeee 100%);
+ background-clip: padding-box;
+ box-shadow: 0 0 2px white inset, 0 1px 0 rgba(0, 0, 0, 0.05);
+ color: #333;
+ line-height: 13px;
+ cursor: default;
+}
+.chosen-container-multi .chosen-choices li.search-choice .search-choice-close {
+ position: absolute;
+ top: 4px;
+ right: 3px;
+ display: block;
+ width: 12px;
+ height: 12px;
+ background: url('img/chosen-sprite.png') -42px 1px no-repeat;
+ font-size: 1px;
+}
+.chosen-container-multi .chosen-choices li.search-choice .search-choice-close:hover {
+ background-position: -42px -10px;
+}
+.chosen-container-multi .chosen-choices li.search-choice-disabled {
+ padding-right: 5px;
+ border: 1px solid #ccc;
+ background-color: #e4e4e4;
+ background-image: -webkit-gradient(linear, 50% 0%, 50% 100%, color-stop(20%, #f4f4f4), color-stop(50%, #f0f0f0), color-stop(52%, #e8e8e8), color-stop(100%, #eeeeee));
+ background-image: -webkit-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eeeeee 100%);
+ background-image: -moz-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eeeeee 100%);
+ background-image: -o-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eeeeee 100%);
+ background-image: linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eeeeee 100%);
+ color: #666;
+}
+.chosen-container-multi .chosen-choices li.search-choice-focus {
+ background: #d4d4d4;
+}
+.chosen-container-multi .chosen-choices li.search-choice-focus .search-choice-close {
+ background-position: -42px -10px;
+}
+.chosen-container-multi .chosen-results {
+ margin: 0;
+ padding: 0;
+}
+.chosen-container-multi .chosen-drop .result-selected {
+ display: list-item;
+ color: #ccc;
+ cursor: default;
+}
+
+/* @end */
+/* @group Active */
+.chosen-container-active .chosen-single {
+ border: 1px solid #5897fb;
+ box-shadow: 0 0 5px rgba(0, 0, 0, 0.3);
+}
+.chosen-container-active.chosen-with-drop .chosen-single {
+ border: 1px solid #aaa;
+ -moz-border-radius-bottomright: 0;
+ border-bottom-right-radius: 0;
+ -moz-border-radius-bottomleft: 0;
+ border-bottom-left-radius: 0;
+ background-image: -webkit-gradient(linear, 50% 0%, 50% 100%, color-stop(20%, #eeeeee), color-stop(80%, #ffffff));
+ background-image: -webkit-linear-gradient(#eeeeee 20%, #ffffff 80%);
+ background-image: -moz-linear-gradient(#eeeeee 20%, #ffffff 80%);
+ background-image: -o-linear-gradient(#eeeeee 20%, #ffffff 80%);
+ background-image: linear-gradient(#eeeeee 20%, #ffffff 80%);
+ box-shadow: 0 1px 0 #fff inset;
+}
+.chosen-container-active.chosen-with-drop .chosen-single div {
+ border-left: none;
+ background: transparent;
+}
+.chosen-container-active.chosen-with-drop .chosen-single div b {
+ background-position: -18px 2px;
+}
+.chosen-container-active .chosen-choices {
+ border: 1px solid #5897fb;
+ box-shadow: 0 0 5px rgba(0, 0, 0, 0.3);
+}
+.chosen-container-active .chosen-choices li.search-field input[type="text"] {
+ color: #111 !important;
+}
+
+/* @end */
+/* @group Disabled Support */
+.chosen-disabled {
+ opacity: 0.5 !important;
+ cursor: default;
+}
+.chosen-disabled .chosen-single {
+ cursor: default;
+}
+.chosen-disabled .chosen-choices .search-choice .search-choice-close {
+ cursor: default;
+}
+
+/* @end */
+/* @group Right to Left */
+.chosen-rtl {
+ text-align: right;
+}
+.chosen-rtl .chosen-single {
+ overflow: visible;
+ padding: 0 8px 0 0;
+}
+.chosen-rtl .chosen-single span {
+ margin-right: 0;
+ margin-left: 26px;
+ direction: rtl;
+}
+.chosen-rtl .chosen-single-with-deselect span {
+ margin-left: 38px;
+}
+.chosen-rtl .chosen-single div {
+ right: auto;
+ left: 3px;
+}
+.chosen-rtl .chosen-single abbr {
+ right: auto;
+ left: 26px;
+}
+.chosen-rtl .chosen-choices li {
+ float: right;
+}
+.chosen-rtl .chosen-choices li.search-field input[type="text"] {
+ direction: rtl;
+}
+.chosen-rtl .chosen-choices li.search-choice {
+ margin: 3px 5px 3px 0;
+ padding: 3px 5px 3px 19px;
+}
+.chosen-rtl .chosen-choices li.search-choice .search-choice-close {
+ right: auto;
+ left: 4px;
+}
+.chosen-rtl.chosen-container-single-nosearch .chosen-search,
+.chosen-rtl .chosen-drop {
+ left: 9999px;
+}
+.chosen-rtl.chosen-container-single .chosen-results {
+ margin: 0 0 4px 4px;
+ padding: 0 4px 0 0;
+}
+.chosen-rtl .chosen-results li.group-option {
+ padding-right: 15px;
+ padding-left: 0;
+}
+.chosen-rtl.chosen-container-active.chosen-with-drop .chosen-single div {
+ border-right: none;
+}
+.chosen-rtl .chosen-search input[type="text"] {
+ padding: 4px 5px 4px 20px;
+ background: white url('img/chosen-sprite.png') no-repeat -30px -20px;
+ background: url('img/chosen-sprite.png') no-repeat -30px -20px, -webkit-gradient(linear, 50% 0%, 50% 100%, color-stop(1%, #eeeeee), color-stop(15%, #ffffff));
+ background: url('img/chosen-sprite.png') no-repeat -30px -20px, -webkit-linear-gradient(#eeeeee 1%, #ffffff 15%);
+ background: url('img/chosen-sprite.png') no-repeat -30px -20px, -moz-linear-gradient(#eeeeee 1%, #ffffff 15%);
+ background: url('img/chosen-sprite.png') no-repeat -30px -20px, -o-linear-gradient(#eeeeee 1%, #ffffff 15%);
+ background: url('img/chosen-sprite.png') no-repeat -30px -20px, linear-gradient(#eeeeee 1%, #ffffff 15%);
+ direction: rtl;
+}
+.chosen-rtl.chosen-container-single .chosen-single div b {
+ background-position: 6px 2px;
+}
+.chosen-rtl.chosen-container-single.chosen-with-drop .chosen-single div b {
+ background-position: -12px 2px;
+}
+
+/* @end */
+/* @group Retina compatibility */
+@media only screen and (-webkit-min-device-pixel-ratio: 2), only screen and (min-resolution: 144dpi) {
+ .chosen-rtl .chosen-search input[type="text"],
+ .chosen-container-single .chosen-single abbr,
+ .chosen-container-single .chosen-single div b,
+ .chosen-container-single .chosen-search input[type="text"],
+ .chosen-container-multi .chosen-choices .search-choice .search-choice-close,
+ .chosen-container .chosen-results-scroll-down span,
+ .chosen-container .chosen-results-scroll-up span {
+ background-image: url('img/chosen-sprite@2x.png') !important;
+ background-size: 52px 37px !important;
+ background-repeat: no-repeat !important;
+ }
+}
+/* @end */
+
+.sharing {text-align:center;margin:16px 0}
+
+.btn-facebook, .btn-twitter, .btn-google-plus, .btn-pinterest, .btn-linkedin { color: #333333; background-color: white; border: solid 1px #333333; display: inline-block; margin-bottom: 0; font-weight: normal; text-align: center; vertical-align: middle; cursor: pointer; white-space: nowrap; padding: 4px 8px 4px 4px; font-size: 13px; line-height: 32px; -webkit-border-radius: 3px; -moz-border-radius: 3px; -ms-border-radius: 3px; -o-border-radius: 3px; border-radius: 3px; }
+.btn-facebook:hover, .btn-facebook:focus, .btn-facebook:active, .btn-twitter:hover, .btn-twitter:focus, .btn-twitter:active, .btn-google-plus:hover, .btn-google-plus:focus, .btn-google-plus:active, .btn-pinterest:hover, .btn-pinterest:focus, .btn-pinterest:active, .btn-linkedin:hover, .btn-linkedin:focus, .btn-linkedin:active { color: white; }
+.btn-facebook i, .btn-twitter i, .btn-google-plus i, .btn-pinterest i, .btn-linkedin i { vertical-align: middle; display: inline-block; height: 32px; width: 32px; margin-right: 4px; background: url('data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAKAAAABACAYAAACdi3yvAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAADydJREFUeNrsXQmYFMUVriUcssgVAY2wAcWAggERkKAih2QhiyvLJSigC6ufQaJBDAJ+GJc7RgJE1I8ocggJBBDBrEgEgoKAQuQSUA6XOyCHunIuCpP/Ma+htqjuqe7pmR2g3/f9X89Uvaqu7v771atj3iSFQiERSCCFJUWCWxBIQMBArlgpGtyCS0vWVruxMQ7NgV8BNYGfAj8CB4DPgZXAB/V25n51KVxPkokPuOu+hsk4PAPcDNQDbgIOAj/wxacAx4BJwIiqOau/5XJNcZgJTETaQDcNKzXyw0E4dAGOAqOOD2z29hVOvLY4DGDimcgsYDCIuClWbWqZOZnInwXcAVQBiCdniQuLJmc28cUCgkQdcJhMbxWwHNjAJ/0Fq+zj78dAsnlK8TJAJaC6S/INx+E5KWk20u4BCZddgcS7GoepQIbLop0IKD8UJPxjDMhXF4f/sAWOTRcM8nXGYQZbsCwp60Xk5eDYBrgGOK0hH8kRPn7tsl1PadK6AQlLwKRZedQ7vADcBZQE/gdMC3Uq+5Kkk4rvH7ggXzUclgDVomja86inFkjY0edLnu9AvpNRExAES2HyCYV8lnRmgl1F3Sz0r4Pe1zgWp3vNprgc65ZEejFOLwK9UxHatQJIVdJWx5FM2XQLQJZJhvrpOLyrJFcA/oy8FvziPAJs5p7EhHzUe/yXX3BVtgPz2OfbD+Sz3g1AGtBC0e+A+uaAhO19sn50jusdVEr6YQGf5uOXukyQ6DhINYstE4nl7+Vr1LMY559ZhHY9zORvxvWNR/c7IY4GrS9QGuTZDRIujkC+yhryydKaQeTr56INCzTk20auCYg026HcX3igMoLvnyXtkD4IZYf5cH8aatKobVR3Ho8NoiZgaz6WcNBZLBGwNh+/52OI6y9FXTSb5SQD8gmQjbrs5vD7yuN4At/z42j9aGqKLHRpYBG+/w4kfNWhiAmpzvJ9fAu408D6ZeLQWEkmi/cACHSadeh+t2SrR7IDWIj8zQCNhJtD5zUce0l1DEXaFOTvifI26SzceAw83vLTByxvGTtYukqweAc1OhuVLocsY1mpG2/BJJ2E9N+6bRyI961mgKIjcDHonuZ8akcNEZ7j3IP0XW7OCbKdBenovBU56RXuYgcgb52mSFODaovw/elhQD5yVUar7gdIk8H55OK8Kb34avmx0D3Xe+H4BL7TjMWvJZXRPECJRvIN06Ii4E7gOr55aTwSVkUmyEJNvmWKz7gcBZMz31NJfghkWs4PcrViSf9OXRPKjeOHXEqqaxFNIaHsBhdNmMNTHpa0IoCI89g1+Bhk3KsMtCIJWVKTQVQb6eUXPM2VpvjCdRzK9wHpToF81rRXV54ys6Qj+ZfI/z4KAv5Ek5bspSKnlRDZ58q20fmZZexg4eZq8i0f5nqX7aJR388VlJXaXFXJqw+iTaSHLJPP8pmB9civY9oFgygDeQCgCs3FTafrhd46YLqLEWqSoV4H5ftUkOUwW7cxEvloXvZGoL3G+gyAbmW2godweE8zReNl8LEGoAnuJzTZ/ZG3jfKB9VETEIQiM/+h1A1P0aj9ld/Qu22q2c8PcpXLa81zMPFn+ZyypBp0bzkgocnSYxkQqxe/gIcd7hvNg3VxMcd5ylDvLuX7P5l85JP24bQxINZoYAfwDs8TqtJc+rzIYBBhIvWY9OVtjM1NnF/HtELHeUCQsDmI9wY+PkojU3wmP2Q4E6sd8EvgVujttSn/aRQX60XITdjK0xAtlTyaVvqNxhroyD+Ou5kTPrbN1Cqk2PjZ8tTK6w6ukCXFHchfyeM1nOJpt0hy2o8u2CLRY/y29+LupyeP5oiA6cjfIhJDOsPP6wGMBMjpztHoNDYYhIQkS5PsU9u2ot6tHo2C5UdfK6V9p/EbnXqREl7n6dwYLEn2+kZAJuEGYDyPZJdHO/KJgawB6WYqacM1ehUNR8Kv4PCpj+2b70L3rI1F/ERKqyuNem/FoZamnnWKTy18eG71gduBiZq8lznvdmXUHT0BFflG7vLQLVdPAALujjBCdxq92QlZyz+I8ARrtLt23UyiH1C+t+PBxAbugUjukPLTNXV8oeyGaaXkH/FyEYsmZ24A1uKjrtfbSHmM3JgQkJfTZEtDo9HPkd66kAlYIoIPZGddInXF9LJtipKAS1GXmx0pquV9ipflBPumJPKUUhdNHS9JFpJmCW5xsI5epJwmzdOmBJPdMLSthpbGarMDeohvQB3Jn3gfem3QRc8vJAImRTHtYTcdQ9bySR75RSOPu9Sfa1k9Fhr9fgIi0dp7d05b4GDNlsL6yWvYQzXnmJ0grpO9BQSh6gO0KWApD69pArY3TXeAaHW5r/9MKvIe9K8Vl4nAap3hbnhVFNW8iHq+dFlmjrh4LfUWfulpILgMBJN9OJrTe5et2ijkNZWsX2s2HrJ8BJ39iXKfi9qQj+aiPuavLUG4xZqBCfkCDaD7Lxzvk972IZcRCelBN4I1fF6E13Bp2qmyYfGPUH6A23OCHMdAnGybQZSwBoHQIQtdniep26pKyL9fhNePVXk6ke5xEQ35kqVR27M68ilETGdHnaRZnF6aonEmInVj/TTTH3ZCS24tvJ4PpKKdLHZb6heyDlnoJSDay9aqB/mKQCow0YZ8E1BubSIRUPcgM0V4JzNJjmE9dMMm+UiMUpq0Yg5uQxnDa7vawPdLBuFO8OckfqlolaWr4aBtBso/6MM9SOXRpnwdtKNoJZONVh5uZTyJ73t4cFDapr5VIN9jidbLFLWZfnB6sDrZzsclPrWLRp9HlTRrNv+MJk+34/q0Ru+wwblrgHj9eS7rGhdt3kndJsjny75FkCUXpKLplhXiwurDRqSflAgqS4pDdWuAJiIBRUdAcmatrT60ImDyNlt7zl7xo1HHBzYjAvS3yTtg8mJAb6OLF0jubmmTwVjubtsyCe0mbulloF3JtG4+jQcuvgl1lyAhDfhot08DUXBJLd2wGirbHXWFLhUCvs4Pn1YNusAn3Aw/b6jDaJnI+hCQBb1Dl8ngg+biPhUFN3MWioA4tITXEES01qep+21mYBhohmIYys+NQbN0S5QlfSEgSHSUf05Juyzod6dD8J1WBGjHBe1Fo3W+4jwNk8EjwwdRboYIJJZEfFL62kiEd0CXk54hWcd9PG00A/pLYticbzXuTZ6Ximx/FwzS0dvWk+eR5O1WIe56DvAgZTDIdyCgSCC+EjCQQOIhQWyYQAICBhIQMJBAAgIGEhAwkEACAgZy5Yjp5gFX8QHFhe3w5+MDAgOD2+2LGAWoFPa7afwU2/iAwnTtmeYBI6ADcBR4G+gL9Ae2hi7IXqAr0FZTNp11ZhqcR8UgYCOwktsgrnC05XthKnTPa8ewPXWBIw7nN6onkkJnruxNTV4O550EOtmUv5N1xrm8uOGaC2qS4AS5GZgO7AYOAeuBfopOqod6rwbeCXmXITG63n0O5zzhBwFTIrC5FHBK0rmW04sDJYBiQBrnTeDvlHeVQcOOai7qb3EkUzbQw4V+usPDeB94DtjCRHLTjmrAjlD0Mtvn+5NmcM6oCTiaK/rCQWeqdMIHOC3kQ+P+rSnzaBwJ+D2f814D3cqG17wJuMlFG8oAh23q2gaMAh5hq9oUaA88Ayy2KTPHx/vzgqZ+csseZlchzQ8CbuaKcx10MqUGDOa0PMZ3wDHOy+fvefxwIzWMrOkSLktWdmwcyVcEOChdV+8I+mMNyHcG2A6scNGOFTYPuaNB2cbS/ZNlkE/36E+auvt6qcspc7908yrZ6DSQGvCqJr8F5433eKHluTuPtz+3Rbm5C4DbbHTXGlrA71z4sZma8nPZhbF0aIDxe34BxvLnWko9r2nqSfHh/gzW1NvbbwLKI65MG53qkk6GJr+JAzm9IkkD+cFU4MHP3UBVj+cYaUMiIkEXoIqku8iQgN0Mz02+8jdK2VVSfnHF9VFljFLfB0r+LB+ewTDNefv5TcAsqfKdNjp3R8jP4Px3PPgYuxTcxXkV+Xxy3gjOGyd1+5YsBOq47ILpuDpCl7qOR73bDQnY3fD8GUq5H/ilsvLXG5xrpKRfUZNfxiPx1gBfaV6QEPur2zh/vV/TMLIfMUWT/xnfoCo25Rvxgxzo8kInaS4wTfIPVaFBy8QID8WUhOWAXsDjPJ3il3QyPL9q3SZKeWMUn+sGoJ0yG2FJZc2UmSVZHgnoRnwhIOENqVIaRDzLbzONqk4DNWPgg+kc+3ulN/oHDwTYLVm3SF38j1zmuI8ErGF47blKuVacXlpKG+3wjHRdfh8lz6tPftLwWvNN6zRZiqPfktIPYigywG0ivE2/JudR6IctCbRMNVlEH6DSig84TvgYH5BhIokcoLJw4gOKcFyS8UCixgckoeA99APykSL8m15PASpZCjM+YCIHqEy8+IDC5f/AxUjWiIJh40g8B6iUyFoY8QFdBagU4cgI8QpQSYbINj4g5xFyY0VAbXxAceFPbQpLYhGg0rf4gFyHqWgDVPLDNw5QqeyG8SVApSS+xQc0ISBtq6FA5Su4WxomCgZIPBcfUBT8L4t4i+8BKpms9FvcjCj3TbqND3hRgEpxIcKD6wCVIvw3Fn4HqIzLhtT6TLqL4gNyF3BRfEDFT4mn+B6gUoR/+xx1fEBh8197DqJGMijN3S8FADAKUMn7Mi1J6ACVdqOaAvEBRfjvtlQ5Fx8QuGzjA7KvRFEIPMUHFAX/bclU5rDPWExKu0WyessUH64TDwrI0tH/gcj/XacNUCnCf7ORsBawQHxAG/IJxQeJZ3zAwpB4xgek3cTZDvnLJRehAltACqJUTyHf/ewaqZLYASqF9/iAbuaJorXasTxPstKN0/Z3+l8U+qOZ2gblyVW5x6W/qbufjgEq2UVYwtMfllWm55bKFnGezWg84QNUJkJ8wEILUCnC/7TpOT6gyykXJ3EMUMltOx+gEogYoFKEFxVEohOw0OMDisINUEnX7yk+oHD5r6ARJJenWwoEqGQSWgSV5ZIMUKlbnyutbMh8PsJ6XjfW6xn8cCgmqCHtzFkqpf/DcF12Gq9vx3qtPttLXToLSFajQHxAEV4RcIwPyL5PIP7LuQCV4sIfKFqDPaMAlZppHT8k9vEB+WKN4gOKi2fvA4mt9OcpL9sAlT764zGVID5gIAk3DRNIIAEBA7ky5P8CDAB2MqUn5/B6eAAAAABJRU5ErkJggg==') no-repeat; }
+
+.btn-facebook i { background-position: -128px 0; }
+.btn-facebook:hover { background-color: #435f9f; }
+.btn-facebook:hover i { background-position: -128px -32px; }
+
+.btn-twitter i { background-position: -64px 0; }
+.btn-twitter:hover { background-color: #00aaf0; }
+.btn-twitter:hover i { background-position: -64px -32px; }
+
+.btn-google-plus i { background-position: 0 0; }
+.btn-google-plus:hover { background-color: #e04b34; }
+.btn-google-plus:hover i { background-position: 0 -32px; }
+
+.btn-pinterest i { background-position: -96px 0; }
+.btn-pinterest:hover { background-color: #ce1f21; }
+.btn-pinterest:hover i { background-position: -94px -32px; }
+
+.btn-linkedin i { background-position: -32px 0; }
+.btn-linkedin:hover { background-color: #0a86bf; }
+.btn-linkedin:hover i { background-position: -32px -32px; }
diff --git a/_install/theme/views/configure.phtml b/_install/theme/views/configure.phtml
new file mode 100644
index 00000000..1c26cbc9
--- /dev/null
+++ b/_install/theme/views/configure.phtml
@@ -0,0 +1,165 @@
+displayTemplate('header') ?>
+
+
+
+
+
+
l('Information about your Store') ?>
+
+
+
+
l('Shop name') ?>
+
+ *
+
+ displayError('shop_name') ?>
+
+
+
+
+
l('Main activity') ?>
+
+
+ session->shop_activity): ?>selected="selected">l('Please choose your main activity') ?>
+ list_activities as $i => $activity): ?>
+ session->shop_activity) && $this->session->shop_activity == $i): ?>selected="selected">
+
+ l('Other activity...') ?>
+
+
+
l('Help us learn more about your store so we can offer you optimal guidance and the best features for your business!') ?>
+
+
+
+
+
+
l('Install demo products') ?>
+
+
+ install_type == 'full'): ?>checked="checked" autocomplete="off" />
+ l('Yes') ?>
+
+
+ install_type == 'lite'): ?>checked="checked" autocomplete="off" />
+ l('No'); ?>
+
+
+
l('Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.') ?>
+
+
+
+
+
+
+
+
l('Country') ?>
+
+
+ l('Select your country') ?>
+ list_countries as $country): ?>
+ session->shop_country && isset($country['iso']) && $this->session->shop_country === $country['iso']): ?>selected="selected">
+
+
+ *
+
+ displayError('shop_country') ?>
+
+
+
+
session->shop_timezone, array('us','ca','au','ru','me','id'))) echo 'style="display:none"'; ?>>
+
l('Shop timezone') ?>
+
+
+ l('Select your timezone') ?>
+ getTimezones() as $timezone): ?>
+ session->shop_timezone == $timezone): ?>selected="selected">
+
+
+ *
+
+ displayError('shop_timezone') ?>
+
+
+
+
+
l('Your Account') ?>
+
+
+
+
l('First name') ?>
+
+
+ *
+
+ displayError('admin_firstname') ?>
+
+
+
+
+
l('Last name') ?>
+
+
+ *
+
+ displayError('admin_lastname') ?>
+
+
+
+
+
l('E-mail address') ?>
+
+
+ *
+
+
l('This email address will be your username to access your store\'s back office.') ?>
+ displayError('admin_email') ?>
+
+
+
+
+
l('Shop password') ?>
+
+
+ *
+
+ displayError('admin_password')): ?>
+ displayError('admin_password') ?>
+
+
l('Must be at least 8 characters') ?>
+
+
+
+
+
+
l('Re-type to confirm') ?>
+
+
+ *
+
+ displayError('admin_password_confirm') ?>
+
+
+
l('All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link .'), 'mailto:legal@prestashop.com'); ?>
+
+
+
+
+
+displayTemplate('footer') ?>
diff --git a/_install/theme/views/database.phtml b/_install/theme/views/database.phtml
new file mode 100644
index 00000000..15dde5ca
--- /dev/null
+++ b/_install/theme/views/database.phtml
@@ -0,0 +1,62 @@
+displayTemplate('header') ?>
+
+
+
+
l('Configure your database by filling out the following fields') ?>
+
+ l('To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.') ?>
+
+ l('Please complete the fields below in order for PrestaShop to connect to your database. ') ?>
+
+
+
+
+
+displayTemplate('footer') ?>
\ No newline at end of file
diff --git a/_install/theme/views/footer.phtml b/_install/theme/views/footer.phtml
new file mode 100644
index 00000000..a0606478
--- /dev/null
+++ b/_install/theme/views/footer.phtml
@@ -0,0 +1,44 @@
+
+
+
+
+ isLastStep()): ?>
+ next_button): ?>
+
+
+
+
+
+
+ isFirstStep() && $this->previous_button): ?>
+
+
+
+
+
+
+
+
+
+