Sie sind auf Seite 1von 17

Writing your own PrestaShop Module

Introduction There has always been a little bit of Voodoo associated Prestashop modules. This has been mainly down to a lack of documentation available, but never fear this series of tutorials aim to introduce module writing to the PHP programming masses. This series will look at building our very own fully functional module which will provide all the standard functionality that is the basis for many of the most common modules. It will also provide a basic framework that you can use as a template for your own code. Later articles will look at creating Payment Modules and extending the Administration interface, but initially well look at the class of modules which deal mainly with inserting content into your pages, as this best demonstrates the fundamental basic concepts of developing for PrestaShop. Before we start These articles assume at least a basic knowledge of PHP 5.x.x and its object oriented programming concepts. It is highly recommended, due to the way Prestashop renders pages, that you build yourself a development Prestashop store if you havent done so already (and if you havent then why not?). For the purposes of these articles we will be building the examples based on the current development release (at the time of writing 1.2.0.6) but the code will be sufficiently generic that it should work with any version of Prestashop, certainly from version 1.1 onwards. You may find it useful to also familiarise yourself with the main thirdparty tools and libraries that Prestashop uses, and I particularly suggest familiarising yourself with the basics of the smarty template engine. Note that the Prestashop core handles the initialisation of the template class, so the specific areas to familiarise yourself with are the assigning of template variables, the creation (and display) of template files, modifiers and template functions. PrestaShop Architecture Fundamental to understanding how Prestashop modules operate is to be aware of how the shopping cart builds pages for output. The overall architecture is loosly based on the MVC principle of a Model, a View and a Controller. While Prestashop doesnt strictly stick to this philosophy, it is a useful to use it to visualise how the application works. Models Models in Prestashop are provided via a set of objects extended from a base class ObjectModel. The ObjectModel class defines the common behaviour required to encapsulate the database tables which make up the store. It provides CRUD (Create, Read, Update and Delete) functionality as well as implementing the basis for data validation and multi-lingual support. By extended this basic functionality, specific classes are created to manage the data used by the store. The models for prestashop are defined in the /classes folder and manage all of the data held within the database (e.g. Category, Product, Order, Configuration etc.). The convention is that each class is stored in a php file whose name matches the contained class name, so Order.php for example contains the Order class.

Source: www.ecartservice.net/tag/development/

Views The presentation of data from our shopping cart application is handled by the smarty template engine. Using a view allows us to separate out the business logic from the presentation. In a strict MVC environment there should be no processing of data by the view, only the display of data passed to it from a controller and in the majority of cases this is true for Prestashop, although some Ajax/javascipt is employed by default to perform additional data processing. The view files for Prestashop are in general stored in the /themes folder, with the specific set of template files to be used being selectable from the Administration interface. Many modules also store their own specific template files within their own directory structure. Controller The controller is the main business logic for a page or collection of related pages to be displayed. They are responsible for interacting with the Models to retrieve data, apply business logic to the data and then output the results via one or more Views. In Prestashop these are contained in the root directory of the store installation, and correspond to the main pages that make up the web store. OK, So where do modules fit in? While the above describes the core functionality of Prestashop, and is sufficient to produce a working shopping cart, it is a little inflexible in terms of adding new functionality. If, for example, you wanted to modify the home page of your store with only the above architecture, you would have to modify the controller page directly to implement your change. Not only would this be bad in terms of code maintenance (you would have to apply changes and bug fixes manually to all of your modified controller pages when a new version is released) it also requires fairly detailed knowledge of programming to implement the changes. In order to create a shopping cart system that is both easily extensible and maintainable by a non-technical store owner, additional functionality is inserted hooked into the above architecture by means of specially inserted hook points in the controller code, which can be exploited by user-installable plugins (which Prestashop refer to as modules). In this case, these modules have the ability to output additional or modified content, add new functionality (business logic) to the controllers and gather information. Payment modules are a specific class of module, but even they too hook into the standard controllers in order to provide alternative code execution paths. Administration panel extensions, operate in an entirely different way and the process is much more akin to adding additional controllers, so must be discussed separately. Thankfully the module architecture in Prestashop provides us with a fairly simple way of adding an administrative interface to modules, and in all but the most complex of cases this is the best method to use. Summary Having read this article you should now be familiar with the basic building blocks that go together to make up the Prestashop shopping cart. In the next part of this tutorial we will look at coding our first module using these concepts and begin extending Prestashop.

Source: www.ecartservice.net/tag/development/

Creating a basic module


Introduction In this second part of the series we will look at creating our first basic Prestashop module that can be controlled from the Back Office. The Module class Similar to the ObjectModel base class, all Prestashop modules are extended from a common base class used to define their basic functionality. The Module class provides the interface between the administration screens and your module as well as providing internationalisation and hook management functionality. Coding conventions Before we can write our first code there is one more element that needs to be considered that of module class, directory and file naming. In Prestashop, modules must be located within the /modules directory below your base store installation directory. In addition the module directory and class source file must be named in lower case, with the same name as the module class we choose. Note that the module class name itself does not have to be lowercase (by convention class names use Camel case), but it is essential that the folder it resides in and the source file follow this convention. An empty module In this part of the tutorial we will create a module TutorialFirst which demonstrates the mandatory code required to create our very first module. The first step is to create our directory on the server and name it tutorialfirst. We then need to create the main module class file within this directory and insert the following code: 01 <?php 02 class TutorialFirst extends Module 03 { 04 function __construct() 05 { 06 $this->name = 'tutorialfirst'; 07 parent::__construct(); 08 09 $this->tab = 'eCartService.net Tutorials'; 10 $this->version = '0.1.0'; 11 $this->displayName = $this->l('First Tutorial Module'); 12 $this->description = $this->l('Our very first module - it does absolutely nothing at all.'); 13 } 14 } 15 // End of: tutorialfirst.php We save this file as tutorialfirst.php in our module directory and upload to our server. Although the above code doesnt look like very much, it is actually packed with functionality thanks to the base class it extends.

Source: www.ecartservice.net/tag/development/

Once youve uploaded to your development site you will be able the see the module listed under the group heading eCartService.net Tutorials and you can now install and uninstall it. Lets look at what were doing in this code, and why. 1 $this->name = 'tutorialfirst'; 2 parent::__construct(); These first two lines in the class constructor are concerned with setting up the basic properties of the module and ensuring that we properly inherit required functionality from the base class. First we need to set up the internal name of the module note that this again follows the naming convention for the module directory and main class definition file, and again is the class name in lower case. Once this is done we can safely call the parent constructor to allow it to set up the other necessary internal module properties for us. Next we define the properties that will be used when displaying our module in the Back Office. 1 $this->tab = 'eCartService.net Tutorials'; 2 $this->version = '0.1.0'; 3 $this->displayName = $this->l('First Tutorial Module'); 4 $this->description = $this->l('Our very first module - it does absolutely nothing at all.'); The $this->tab member variable defines how we wish our module to be classified by the Back Office in the modules list. In general we would choose one the the standard categories (e.g. Advertisement, Products, Tools, Blocks etc.) however it is entirely up to you how you wish to use this property, and in the case of these examples Ive chosen to group them under the heading eCartservice.net Tutorials. The $this->version member variable allows us to display the current module version in the modules list, which will allow users to identify visually which version of our module they are using. This may also be useful in allowing us to identify old and outdated module versions later, using an external module distribution site. The final two member variables are used to display information regarding our module in the modules list, and are fairly self-explanatory. Note however that these are being set using the $this->l() Module class function however, rather than just being assigned as the static strings directly. The l() (base class) member function implements language support, and enables the store owner to provide translations. The English language version of the text we wish to display is passed to this function, and when defined in this way the store owner can use the Tools->Translations Back Office screens to translate them into the language of their choice. Wrapping any static text used in our module with this function enables the translation functionality and should be use for all static text within modules which isnt language dependent. Summary Having read this article you should now be able to create a new module which can be listed and controlled from the Prestashop Back Office and optionally displaying this information in the store owners own language. In the next part of this tutorial we will look at extending our first module to allow configuration, and based on this configuration display output in a specified area of a page.

Source: www.ecartservice.net/tag/development/

Storing Module Configuration


Introduction In the third part of this series well look at how we can store configuration data for our modules in the Prestashop database, and how we can allow users to interact with this data to control the modules behaviour. We will also briefly touch on how we can generate output from our module to provide visual feedback of the configuration changes. Managing user settings Were going to call this module TutorialSecond so we again need to create a new module directory and class file which will be named tutorialsecond and tutorialsecond.php respectively. The class file (tutorialsecond.php) should contain the following: 01 <?php 02 class Tutorialsecond extends Module 03 { 04 private $_html = ''; 05 06 function __construct() 07 { 08 $this->name = 'tutorialsecond'; 09 parent::__construct(); 10 11 $this->tab = 'eCartService.net Tutorials'; 12 $this->version = '0.1.0'; 13 $this->displayName = $this->l('Second Tutorial Module'); 14 $this->description = $this->l('Our second module - A "Hello world" redux'); 15 } 16 17 public function getContent() 18 { 19 20 } 21 22 private function _displayForm() 23 { 24 25 } 26 27 } 28 // End of: tutorialsecond.php

Source: www.ecartservice.net/tag/development/

You will notice that we have implemented two new member functions ::getContent() and ::_displayForm(). If you upload the file to your server and install this module at this stage you should see a new option on the modules list screen for Second Tutorial Module. There will now be a >> Configure link in the module entry, although clicking it will merely return an empty Back Office page. The presence of the ::getContent() member function is responsible for this as it provides the interface between our module and the Back Office. In addition to these two new functions we have also added the $_html private member variable, which we will use later in this article to build the required output for display in the Back Office. Storing and Retrieving Configuration Data Prestashop provides a Configuration class which offers several member functions to manipulate configuration data, but the two key functions that will be most commonly used are: 1 Configuration::updateValue($key, $values, $html = false); 2 Configuration::get($key, $id_lang = NULL); The Configuration::updateValue() function allows us to store a configuration option in the database (optionally in multiple languages in which case the $values parameter will be an array) and the Configuration::get() function allows us to retrieve configuration data for a selected or store default language. We will ignore the parameters that have default values for now, but will revisit the $html parameter in the Configuration::updateValue() function in the next article when we look at the subject of form validation. Implementing the Configure Screen In our source file we created a private member function _displayForm(). This is entirely optional as all of the interface code could be placed in the getContent() member function, however it is highly recommended that you separate this out for the sake of easier code maintenance. Well create a simple form within this function from with which we can capture store owner input. 01 private function _displayForm() 02 { 03 $this->_html .= ' 04 <form action="'.$_SERVER['REQUEST_URI'].'" method="post"> 05 <label>'.$this->l('Message to the world').'</label> 06 <div class="margin-form"> 07 <input type="text" name="our_message" /> 08 </div> 09 <input type="submit" name="submit" value="'.$this->l('Update').'" class="button" /> 10 </form>'; 11 } You can see that the ::_displayForm() function simply appends standard html form code to our $_html member variable, with the form target being $_SERVER['REQUEST_URI']. Prestashops Back Office architecture will route this to our ::getContent class member function for us to handle when the form is posted. We next need to add code to our ::getContent() function to actually display the form and handle the form submission.

Source: www.ecartservice.net/tag/development/

01 public function getContent() 02 { 03 if (Tools::isSubmit('submit')) 04 { 05 Configuration::updateValue($this->name.'_message', Tools::getValue('our_message')); 06 } 07 08 $this->_displayForm(); 09 10 return $this->_html; 11 } The ::getContent() function first uses another Prestashop class Tools to test whether we are handling the post action from the form, or whether this function is being called in another way i.e. a click on the Configure link in the module list the parameter is the name we gave to our update button in the form. If the function is being called directly by the Back Office (in which case Tools::isSubmit(submit) will return false), then we call the form rendering function we created above and return the output, captured in the $this->_html variable, to the Back Office for display. If the function is being called as a result of our form being posted, then we can store our configuration parameter in the database with the value entered on our form. We again use the Tools class to obtain the value of the form variable using the call to Tools::getValue(our_message) where our_message is the name of the input field in our form. You can see that I have added the name of our module to the beginning of the configuration item name this is to ensure that the configuration key is unique as the namespace for these keys is shared for the entire store. Once we have stored our configuration data the form is again displayed, ready for more input if required. Module Output on a Page We now have a method of capturing input from the store owner and saving it in the database, so the next obvious step would be to do something with it e.g. display it on a page. In part 1 of the series we talked about hooks in relation to modules adding functionality. In order to utilise this we need to tell PrestaShop that our module would like to hook into the Front office and we do this using the following function (defined in the Module base class): 1 $this->registerHook($hook_name); The $hook_name parameter refers to one of the different points that the Prestashop core allows modules to insert output and/or data processing, but for now we will use one in particular leftColumn, which allows us to add content in the left column of all pages. In order to initialise the hook we need to add the following new override in our own class: 1 public function install() 2{ 3 parent::install();

Source: www.ecartservice.net/tag/development/

4 5 if (!$this->registerHook('leftColumn')) 6 return false; 7} This tells Prestashop to execute our module hook when it is rendering the content for the left column of all pages. We next need to add a function to handle the hook callback. The convention is to name the function as the Hook name preceded by hook: 1 public function hookLeftColumn() 2{ 3 return '<div class="block"><h4>'. Configuration::get($this->name.'_message') . '</h4></div>'; 4} In our simple example we are just wrapping our configuration parameter in some standard html markup so that it is displayed correctly on our page. If you have already installed the module you should now uninstall then reinstall to ensure that the hook is correctly registered with the Prestashop core. Now you can enter a value in the configuration screen for the module e.g. Hello World, and it will be output as the heading of a box in the left column of your store. The full code for the second example should now look like: 01 <?php 02 class Tutorialsecond extends Module 03 { 04 private $_html = ''; 05 06 function __construct() 07 { 08 $this->name = 'tutorialsecond'; 09 parent::__construct(); 10 11 $this->tab = 'eCartService.net Tutorials'; 12 $this->version = '0.1.0'; 13 $this->displayName = $this->l('Second Tutorial Module'); 14 $this->description = $this->l('Our second module - A "Hello world" redux'); 15 } 16 17 public function install() 18 { 19 parent::install(); 20 21 if (!$this->registerHook('leftColumn')) 22 return false;

Source: www.ecartservice.net/tag/development/

23 } 24 25 public function getContent() 26 { 27 if (Tools::isSubmit('submit')) 28 { 29 Configuration::updateValue($this->name.'_message', Tools::getValue('our_message')); 30 } 31 32 $this->_displayForm(); 33 34 return $this->_html; 35 } 36 37 private function _displayForm() 38 { 39 $this->_html .= ' 40 <form action="'.$_SERVER['REQUEST_URI'].'" method="post"> 41 <label>'.$this->l('Message to the world').'</label> 42 <div class="margin-form"> 43 <input type="text" name="our_message" /> 44 </div> 45 <input type="submit" name="submit" value="'.$this->l('Update').'" class="button" /> 46 </form>'; 47 } 48 49 public function hookLeftColumn() 50 { 51 return '<div class="block"><h4>'. Configuration::get($this->name.'_message') . '</h4></div>'; 52 } 53 54 } 55 // End of: tutorialsecond.php Summary In this article we have extended our first module to include a basic configuration form and have used a hook function to display output from our module in the left column of our pages. In the next part of this series we will look at improving the configuration facility into something that could be used in a real module implementation. This will include validating user input to the form, pre-populating the form fields as appropriate based on the current configuration and displaying module errors and warnings in the Back Office screens.

Source: www.ecartservice.net/tag/development/

Form Validation and Security


Introduction While being sufficiently functional for what it does, the module we created in Part 2 does present us with some issues to consider when implementing real world modules to extend Prestashop. In particular the user input we captured with our form was written directly to the configuration entry without any checking to determine whether it was valid, nor did we take account of the type of data being entered. In this tutorial we will look at the general issue of form input checking and security, both for Back Office and Front Office forms and user input as well as looking at improving our code both functionally and aesthetically. The Configuration class revisited In Part 3 we touched briefly on an additional parameter that may be passed to the Configuration::updateValue() class method. If you recall the function has the following form: 1 updateValue($key, $values, $html = false); In Part 3 we ignored the $html parameter and allowed the function to use the default value of false. In doing this we actually inadvertently added the first element of security and validation to our code. When set to false the updateValue() method actually pre-processes the value to be written using the following code ($string is the input value passed to the function): 1 $string = strip_tags(nl2br2($string)); You can test this out by entering some HTML into the configuration screen for the module we created in Part 3. You should see that any html tags in your input are removed. We could modify the TutorialSecond module to allow input of html in the form, by changing line 29 in the source file to: 1 Configuration::updateValue($this->name.'_message', Tools::getValue('our_message', true)); This illustrates the fundamental principle that we need to employ throughout our own code to ensure that it is secure and operates predictably. Thankfully Prestashop provides us with some tools that we can use in our own code to make it more secure and robust. Validation Prestashop provides us with a class called Validate that we can use to determine whether any user input we accept is valid or not. The list of member functions is rather large, but its worth reproducing some of them here to illustrate the point for a complete list you should consult the classes/Validate.php file in your Prestashop distribution. 01 isEmail($email); 02 isFloat($float); 03 isUnsignedFloat($float); 04 isCleanHtml($html); 05 isDate($date); 06 isBool($bool); 07 isPhoneNumber($phoneNumber);

Source: www.ecartservice.net/tag/development/

08 isPostCode($postcode); 09 isInt($int); 10 isUnsignedInt($int); 11 isUnsignedId($id); 12 isNullOrUnsignedId($id); 13 isUrl($url); 14 isAbsoluteUrl($url); 15 isFileName($name); As an example we can use the isCleanHtml() function from the list above as a test in our module to prevent XSS (cross site scripting) that way we can allow html input reasonable safely. Validating our form data As before were going to create a new module based on the previous version. Why not try modifying the Tutorialsecond class yourself to create the Tutorialthird module? If youd rather not, then just expand and copy the code below as appropriate! 01 <?php 02 class Tutorialthird extends Module 03 { 04 private $_html = ''; 05 06 function __construct() 07 { 08 $this->name = 'tutorialthird'; 09 parent::__construct(); 10 11 $this->tab = 'eCartService.net Tutorials'; 12 $this->version = '0.1.0'; 13 $this->displayName = $this->l('Third Tutorial Module'); 14 $this->description = $this->l('Our third module - Security and Validation'); 15 } 16 17 public function install() 18 { 19 parent::install(); 20 21 if (!$this->registerHook('leftColumn')) 22 return false; 23 } 24 25 public function getContent() 26 { 27 if (Tools::isSubmit('submit'))

Source: www.ecartservice.net/tag/development/

28 { 29 Configuration::updateValue($this->name.'_message', Tools::getValue('our_message')); 30 } 31 32 $this->_displayForm(); 33 34 return $this->_html; 35 } 36 37 private function _displayForm() 38 { 39 $this->_html .= ' 40 <form action="'.$_SERVER['REQUEST_URI'].'" method="post"> 41 <label>'.$this->l('Message to the world').'</label> 42 <div class="margin-form"> 43 <input type="text" name="our_message" /> 44 </div> 45 <input type="submit" name="submit" value="'.$this->l('Update').'" class="button" /> 46 </form>'; 47 } 48 49 public function hookLeftColumn() 50 { 51 return '<div class="block"><h4>'. Configuration::get($this->name.'_message') . '</h4></div>'; 52 } 53 54 } 55 // End of: tutorialthird.php The first stage in the process is to modify our getContent() function to add the validation step: 01 public function getContent() 02 { 03 if (Tools::isSubmit('submit')) 04 { 05 $this->_postValidation(); 06 07 if (!sizeof($this->_postErrors)) 08 { 09 Configuration::updateValue($this->name.'_message', Tools::getValue('our_message'), true); 10 $this->_html .= '<div class="conf confirm">'.$this->l('Settings updated').'</div>'; 11 }

Source: www.ecartservice.net/tag/development/

12 else 13 { 14 foreach ($this->_postErrors AS $err) 15 { 16 $this->_html .= '<div class="alert error">'.$err.'</div>'; 17 } 18 } 19 } 20 21 $this->_displayForm(); 22 23 return $this->_html; 24 } We also need to add a declaration for the $_postErrors member variable weve introduced at the beginning of our class definition e.g. 1 class Tutorialthird extends Module 2{ 3 private $_html = ''; 4 private $_postErrors = array(); The logic flow when we post data to getContent() is now to call our _Validation() function to test the fields submitted and to set our $_postErrors array with any error messages. If there are errors we can display them prior to redisplaying the form. If the validation checks are passed, then we display a success message to give visual feedback that the configuration has been updated. A simple XSS test in the _Validation() function for our example could be: 1 private function _postValidation() 2{ 3 if (!Validate::isCleanHtml(Tools::getValue('our_message'))) 4 $this->_postErrors[] = $this->l('The message you entered was not allowed, sorry'); 5} Obviously you arent limited to using the tests supplied by the Validate class, and you can also apply multiple tests to each field submitted to test for length etc. The basic principle is the same in all cases, no matter how complex your validation requirements are. Summary In this article weve improved on our form handling by adding validation of user input for added security and/or reliability. Weve also added some visual feedback when the configuration has been updated successfully. In the final part of this series well add some final cosmetic touches to our form to standardise the interface and improve usability. Well also look at ideas for improving and extending the template module weve created.

Source: www.ecartservice.net/tag/development/

The finishing touches


Introduction In this final part of our basic module writing tutorial series well look at the final steps to transform our Tutorialthird module class into a base template that we can use to kick start the writing of new modules. Rather than republish the same old code again well only discuss the changes, but Ive added a download link at the end of this part so you can grab the final code and use it as the basis for your own projects. Were going to call this module Skeleton a name that well replace with our own when it comes to producing new modules based on it. Styling the configuration form The first changes were going to make are purely cosmetic, however this is an important element since we want to provide a consistent interface for our users. Our form code looked like: 01 private function _displayForm() 02 { 03 $this->_html .= ' 04 <form action="'.$_SERVER['REQUEST_URI'].'" method="post"> 05 <label>'.$this->l('Message to the world').'</label> 06 <div class="margin-form"> 07 <input type="text" name="our_message" /> 08 </div> 09 <input type="submit" name="submit" value="'.$this->l('Update').'" class="button" /> 10 </form>'; 11 } The convention for these configuration screens is to wrap the settings in a fieldset, and well also need to add a nice friendly (translatable) legend complete with icon. Our code will now look like: private function _displayForm() 01 02 { 03 $this->_html .= ' 04 <form action="'.$_SERVER['REQUEST_URI'].'" method="post"> 05 <fieldset> 06 <legend><img src="../img/admin/cog.gif" alt=""class="middle" />'.$this->l('Settings').'</legend> 07 <label>'.$this->l('Message to the world').'</label> 08 <div class="margin-form"> 09 <input type="text" name="our_message" /> 10 </div> 11 <input type="submit" name="submit" value="'.$this->l('Update').'" class="button" /> 12 </fieldset> 13 </form>'; 14 }

Source: www.ecartservice.net/tag/development/

Our final cosmetic change is to add a heading at the top of our settings screen just in case the user has forgotten where they are! We do this by adding the following line at the start of the getContent() function: $this->_html .= '<h2>'.$this->displayName.'</h2>'; 1 Pre-populating configuration form fields Another missing element from our original tutorial design was the display of the current settings in the module configuration form, and even when the form returns from updating the values the fields are blank, so we need to fix this glitch too. There are two possibilities that we need to handle: 1. 2. Initial display of the form should display the current configuration (if any) After a form update we should display the data entered by the user

We can use the Configuration::get() function to retrieve the current settings from the database, and Tools::getValue() to get the field contents. The Tools::getValue() function takes a second parameter which is useful in this context, as this specifies a default to use should the field be empty. We can now set the value attribute of our input tag appropriately using these two functions, so our final form input code will be: 1 <input type="text" name="our_message"value="'.Tools::getValue('our_message', Configuration::get($this->name.'_message')).'"/>

Another useful change to make when dealing with several fields in a configuration for is to move the database update code to its own private function. For this we will replace the line: 1 if (!sizeof($this->_postErrors)) 2 { 3 Configuration::updateValue($this->name.'_message', Tools::getValue('our_message'), true); 4 $this->_html .= '<div class="conf confirm">'.$this->l('Settings updated').'</div>'; 5 } with the following: 1 2 if (!sizeof($this->_postErrors)) $this->_postProcess();

And we add the new private member function to our class to handle the actual updates in a single, easily identified location: 1 private function _postProcess() 2{ 3 Configuration::updateValue($this->name.'_message', Tools::getValue('our_message'), true); 4 5 $this->_html .= '<div class="conf confirm">'.$this->l('Settings updated').'</div>'; 6}

Source: www.ecartservice.net/tag/development/

Handling other field types In the final download of the skeleton module Ive also added examples of other types of fields that will act as useful shortcuts to creating your module configuration form. This covers checkboxes, radio buttons, textarea and drop-down lists. All you need to do is add/rename the fields, add any validation required to the _postValidation() function and modify the update code in the _postProcess() function appropriately. For mandatory settings you should also test for their presence in the install function and take appropriate action to prevent your module causing errors in the Front Office e.g. by setting appropriate defaults using the Configuration::updateValue() function. Alternatively this can be performed in the module constructor, although it is more correct to perform this within install(). Adding multiple display location hooks Our Tutorialthird module could only display our content in the left column since this was the only hook we implemented. Luckily its very easy to implement the Transplant a module BackOffice functionality in our code. In the simplest form we will just use the same output in all locations, but if required all of these additional hooks can produce different results. To produce the same output in all the popular locations, we merely need to implement the additional hook functions in our module and call the original hook code to generate the output. Note that we only actually call registerHook() for the default one in the install() member function, and let the Back Office handle the registration of the others. 01 function hookRightColumn($params) 02 { 03 return $this->hookLeftColumn($params); 04 } 05 06 function hookTop($params) 07 { 08 return $this->hookLeftColumn($params); 09 } 10 11 function hookHome($params) 12 { 13 return $this->hookLeftColumn($params); 14 } 15 16 function hookFooter($params) 17 { 18 return $this->hookLeftColumn($params); 19 }

Source: www.ecartservice.net/tag/development/

Summary Over this series of articles you should have learned how the basic module system works in Prestashop and be able to code modules that deliver output to the different presentation areas in the Front Office. Youll also have a good code framework to base your own modules on. You may have noticed that at no time have we actually used smarty or its template files in the creation of our module this is deliberate as they can be seen as a separate entity from the module design itself. Smarty is highly flexible, but the choice to use it is based on many factors, and for performance reasons it is best to avoid its use if at all possible. Later articles will explore how and when to use smarty to enhance your modules functionality though, as it is a fundamental part of the Prestashop architecture.

Source: www.ecartservice.net/tag/development/

Das könnte Ihnen auch gefallen