Zend Framework 2 quick start

Enrico Zimuel
Enrico ZimuelSenior Software Engineer at Zend Technologies
Zend Framework 2
quick start
by Enrico Zimuel (enrico@zend.com)

Senior Software Engineer
Zend Framework Core Team
Zend Technologies Ltd




ZFConf – 21th April 2012 Moscow
                                     © All rights reserved. Zend Technologies, Inc.
About me

                     • Enrico Zimuel (@ezimuel)
                     • Software Engineer since 1996
                            – Assembly x86, C/C++, Java, Perl, PHP
                     • Enjoying PHP since 1999
                     • PHP Engineer at Zend since 2008
                     • Zend Framework Core Team from
                                  2011
                     • B.Sc. Computer Science and
                                  Economics from University of
                                  Pescara (Italy)




           © All rights reserved. Zend Technologies, Inc.
Summary

●   Overview of ZF2
●   The new autoloading system
●   Dependency Injection
●   Event manager
●   The new MVC
●   Quick start: ZendSkeletonApplication
●   Package system
●   From ZF1 to ZF2

                    © All rights reserved. Zend Technologies, Inc.
ZF2 key features

●   New architecture (MVC, Di, Events)
●   Requirement: PHP 5.3
●   No more CLA (Contributor License Agreement)
●   Git (GitHub) instead of SVN
●   Better performance
●   Module management
●   Packaging system



                    © All rights reserved. Zend Technologies, Inc.
A new core

●   The ZF1 way:
       ▶   Singleton, Registry, and
             Hard-Coded Dependencies
●   The ZF2 approach:
       ▶   Aspect Oriented Design
             and Dependency Injection




                     © All rights reserved. Zend Technologies, Inc.
New architectural approach

●   Methodologies used in the development
      – Decoupling (ZendDi)
      – Event driven (ZendEventManager)
      – Standard classes (ZendStdlib)
●   Take advantage of PHP 5.3
       ▶   Namespace
       ▶   Lambda Functions and Closures
       ▶   Better performance


                     © All rights reserved. Zend Technologies, Inc.
Autoloading




  © All rights reserved. Zend Technologies, Inc.
Autoloading

●   No more require_once calls!
●   Multiple approaches:
      – ZF1-style include_path autoloader
      – Per-namespace/prefix autoloading
      – Class-map autoloading




                   © All rights reserved. Zend Technologies, Inc.
Classmap generator

●   How to generate the .classmap.php?
     We provided a command line tool:
     bin/classmap_generator.php
●   Usage is trivial:

    $ cd your/library
    $ php /path/to/classmap_generator.php -w

●   Class-Map will be created in .classmap.php




                        © All rights reserved. Zend Technologies, Inc.
Performance improvement

●   Class-Maps show a 25% improvement on the
      ZF1 autoloader when no acceleration is
      present
       ▶   60-85% improvements when an opcode cache
           is in place!

●   Pairing namespaces/prefixes with specific
     paths shows >10% gains with no
     acceleration
       ▶   40% improvements when an opcode cache is in
           place!

Note: The new autoloading system of ZF2 has been ported to ZF 1.12


                        © All rights reserved. Zend Technologies, Inc.
Dependency
 Injection



  © All rights reserved. Zend Technologies, Inc.
Dependency injection

●   How to manage dependencies between
    objects?
●   Dependency injection (Di) is
    a design pattern whose
    purpose is to reduce the
    coupling between software
    components




                                                        It's time for your dependency injection!

                 © All rights reserved. Zend Technologies, Inc.
Di by construct

        Without Di                                                 With Di (construct)

class Foo {                                                    class Foo {
  protected $bar;                                                 protected $bar;
  …                                                               …
  public function __construct() {                                 public function
    $this->bar= new Bar();                                          __construct(Bar $bar) {
  }                                                                  $this->bar = $bar;
  …                                                               }
}                                                                 …
                                                               }


 Cons:                                                              Pros:
 Difficult to test                                                  Easy to test
 No isolation                                                       Decoupling
 Difficult to reuse code                                            Flexible architecture
                           © All rights reserved. Zend Technologies, Inc.
Di by setter


class Foo
{
   protected $bar;
   …
   public function setBar(Bar $bar)
   {
      $this->bar = $bar;
   }
   …
}




                 © All rights reserved. Zend Technologies, Inc.
ZendDi

 ●   Supports the 3 different injection patterns:
       – Constructor
       – Interface
       – Setter
 ●   Implements a Di Container:
       – Manage the dependencies using configuration
           and annotation
       – Provide a compiler to autodiscover classes in a
            path and create the class definitions, for
            dependencies


                       © All rights reserved. Zend Technologies, Inc.
Sample definition

 $definition = array(
     'Foo' => array(
         'setBar' => array(
             'bar' => array(
                 'type'      => 'Bar',
                 'required' => true,
             ),
         ),
     ),
 );




                     © All rights reserved. Zend Technologies, Inc.
Using the Di container

 use ZendDiDi,
     ZendDiConfiguration;

 $di     = new Di;
 $config = new Configuration(array(
     'definition' => array('class' => $definition)
 ));
 $config->configure($di);

 $foo = $di->get('Foo'); // contains Bar!




                    © All rights reserved. Zend Technologies, Inc.
Di by annotation

namespace Example {
   use ZendDiDefinitionAnnotation as Di;

    class Foo {
       public $bam;
       /**
         * @DiInject()
         */
       public function setBar(Bar $bar){
            $this->bar = $bar;
       }
    }

    class Bar {
    }
}


                     © All rights reserved. Zend Technologies, Inc.
Di by annotation (2)


$compiler = new ZendDiDefinitionCompilerDefinition();
$compiler->addDirectory('File path of Foo and Bar');
$compiler->compile();

$definitions = new ZendDiDefinitionList($compiler);
$di = new ZendDiDi($definitions);

$baz = $di->get('ExampleFoo'); // contains Bar!




More use cases of ZendDi:
https://github.com/ralphschindler/zf2-di-use-cases


                     © All rights reserved. Zend Technologies, Inc.
Event Manager




   © All rights reserved. Zend Technologies, Inc.
Event Manager

●   An Event Manager is an object that
    aggregates listeners for one or more
    named events, and which triggers events.
●   A Listener is a callback that can react to
    an event.
●   An Event is an action.




                    © All rights reserved. Zend Technologies, Inc.
Example

use ZendEventManagerEventManager;

$events = new EventManager();
$events->attach('do', function($e) {
    $event = $e->getName();
    $params = $e->getParams();
    printf(
        'Handled event “%s”, with parameters %s',
        $event,
        json_encode($params)
    );
});
$params = array('foo' => 'bar', 'baz' => 'bat');
$events->trigger('do', null, $params);




                     © All rights reserved. Zend Technologies, Inc.
MVC



© All rights reserved. Zend Technologies, Inc.
Event driven architecture


●   Flow: bootstrap, route, dispatch, response
●   Everything is an event in MVC of ZF2




                    © All rights reserved. Zend Technologies, Inc.
Modules

●   The basic unit in a ZF2 MVC application is a Module
●   A module is a collection of code and other files that
    solves a more specific atomic problem of the larger
    business problem
●   Modules are simply:
       ▶   A namespace
       ▶   Containing a single classfile, Module.php




                       © All rights reserved. Zend Technologies, Inc.
Quick start
ZendSkeletonApplication




       © All rights reserved. Zend Technologies, Inc.
ZendSkeletonApplication

●   A simple, skeleton application using the ZF2
    MVC layer and module systems
●   On GitHub:
     ▶   git clone --recursive
         git://github.com/zendframework/ZendSkeletonApplication.git
●   This project makes use of Git submodules
●   Works using ZF2.0.0beta3




                         © All rights reserved. Zend Technologies, Inc.
Folder tree
   config                           autoload
                          application.config.php
   data

   module                          Application
                                               config
   vendor
                                               src
   public                                                 Application

       css                                                       Controller
                                                                 IndexController.php
       images
                                               view
       js
                                   Module.php
   .htaccess                       autoload_classmap.php
   index.php                       autoload_function.php
                                   autoload_register.php

                © All rights reserved. Zend Technologies, Inc.
Output




         © All rights reserved. Zend Technologies, Inc.
index.php

chdir(dirname(__DIR__));
require_once (getenv('ZF2_PATH') ?:
'vendor/ZendFramework/library') .
'/Zend/Loader/AutoloaderFactory.php';
ZendLoaderAutoloaderFactory::factory();

$appConfig = include 'config/application.config.php';

$listenerOptions = new ZendModuleListenerListenerOptions(
    $appConfig['module_listener_options']);
$defaultListeners = new
ZendModuleListenerDefaultListenerAggregate($listenerOptions);
$defaultListeners->getConfigListener()
                   ->addConfigGlobPath("config/autoload/{,*.}
{global,local}.config.php");
...




                      © All rights reserved. Zend Technologies, Inc.
index.php (2)

...
$moduleManager = new ZendModuleManager($appConfig['modules']);
$moduleManager->events()->attachAggregate($defaultListeners);
$moduleManager->loadModules();

// Create application, bootstrap, and run
$bootstrap   = new ZendMvcBootstrap(
   $defaultListeners->getConfigListener()->getMergedConfig());
$application = new ZendMvcApplication;
$bootstrap->bootstrap($application);
$application->run()->send();




                       © All rights reserved. Zend Technologies, Inc.
config/application.config.php

return array(
    'modules' => array(
        'Application'
    ),
    'module_listener_options' => array(
        'config_cache_enabled' => false,
        'cache_dir'            => 'data/cache',
        'module_paths' => array(
            './module',
            './vendor',
        ),
    ),
);




                    © All rights reserved. Zend Technologies, Inc.
config/autoload

●   global.config.php
●   local.config.php.dist (.gitignore)
●   By default, this application is configured to load all
    configs in:
     ./config/autoload/{,*.}{global,local}.config.php.
●   Doing this provides a location for a developer to drop in
    configuration override files provided by modules, as
    well as cleanly provide individual, application-wide
    config files for things like database connections, etc.




                        © All rights reserved. Zend Technologies, Inc.
Application/config/module.config.php


  return array(
      'di' => array(
          'instance' => array(
             …
          )
       )
  );

                 Here you configure the components
                 of your application (i.e. routing,
                 controller, view)




                 © All rights reserved. Zend Technologies, Inc.
IndexController.php


namespace ApplicationController;

use ZendMvcControllerActionController,
    ZendViewModelViewModel;

class IndexController extends ActionController
{
    public function indexAction()
    {
        return new ViewModel();
    }
}




                     © All rights reserved. Zend Technologies, Inc.
Modules are “plug and play”


●   Easy to reuse a module, only 3 steps:
1) Copy the module in module (or vendor) folder
2) Enable the module in your application.config.php
       ▶   Add the name of the module in “modules”
3) Copy the config file of the module in
  /config/autoload/module.<module's name>.config.php




                       © All rights reserved. Zend Technologies, Inc.
modules.zendframework.com




           © All rights reserved. Zend Technologies, Inc.
Package system




    © All rights reserved. Zend Technologies, Inc.
Package system
●   We use Pyrus, a tool to manage PEAR
    packages. Pyrus simplifies and improves the
    PEAR experience.
●   Source packages (download + github):
    ▶       http://packages.zendframework.com/
●   Install and configure pyrus:
    ▶       wget http://packages.zendframework.com/pyrus.phar
    ▶       pyrus.phar .
    ▶       pyrus.phar . channel-discover packages.zendframework.com

●   Install a Zend_<component>:
        ▶   pyrus.phar . install zf2/Zend_<component>




                             © All rights reserved. Zend Technologies, Inc.
From ZF1 to ZF2




     © All rights reserved. Zend Technologies, Inc.
Migrate to ZF2

●   Goal: migrate without rewriting much code!
●   Main steps
      – Namespace: Zend_Foo => ZendFoo
      – Exceptions: an Interface for each
          components, no more Zend_Exception
      – Autoloading: 3 possible options (one is
         ZF1)
       ▶   MVC: module, event based, dispatchable



                      © All rights reserved. Zend Technologies, Inc.
ZF1 migration prototype

●   Source code: http://bit.ly/pvc0X1
●   Creates a "Zf1Compat" version of the ZF1
    dispatcher as an event listener.
●   The bootstrap largely mimics how ZF1's
    Zend_Application bootstrap works.
●   The default route utilizes the new ZF2 MVC
    routing, but mimics what ZF1 provided.




                    © All rights reserved. Zend Technologies, Inc.
Helping out

●   http://framework.zend.com/zf2
●   http://github.com/zendframework
●   https://github.com/zendframework/ZendSkeletonApplication
●   Getting Started with Zend Framework 2 by Rob
    Allen, http://www.akrabat.com
●   Weekly IRC meetings (#zf2-meeting on Freenode)
●   #zftalk.2 on Freenode IRC




                       © All rights reserved. Zend Technologies, Inc.
Questions?




             © All rights reserved. Zend Technologies, Inc.
Thank you!

●   Comments and feedbacks:
     – Email: enrico@zend.com
     – Twitter: @ezimuel




                 © All rights reserved. Zend Technologies, Inc.
1 of 45

More Related Content

What's hot(20)

Zend Framework 2 ComponentsZend Framework 2 Components
Zend Framework 2 Components
Shawn Stratton3.1K views
Zend Framework 2 PatternsZend Framework 2 Patterns
Zend Framework 2 Patterns
Zend by Rogue Wave Software1.9K views
Get Started with Zend Framework 2Get Started with Zend Framework 2
Get Started with Zend Framework 2
Mindfire Solutions1.5K views
ZF2 Presentation @PHP Tour 2011 in LilleZF2 Presentation @PHP Tour 2011 in Lille
ZF2 Presentation @PHP Tour 2011 in Lille
Zend by Rogue Wave Software1.8K views
Cryptography with Zend FrameworkCryptography with Zend Framework
Cryptography with Zend Framework
Enrico Zimuel3.3K views
Introduction to Zend FrameworkIntroduction to Zend Framework
Introduction to Zend Framework
Michelangelo van Dam3.8K views
Instant ACLs with Zend Framework 2Instant ACLs with Zend Framework 2
Instant ACLs with Zend Framework 2
Stefano Valle21.6K views
2007 Zend Con Mvc Edited Irmantas2007 Zend Con Mvc Edited Irmantas
2007 Zend Con Mvc Edited Irmantas
Irmantas Šiupšinskas1.7K views
Extending Zend_ToolExtending Zend_Tool
Extending Zend_Tool
Ralph Schindler1.3K views
Zf2 phpquebecZf2 phpquebec
Zf2 phpquebec
mkherlakian1.8K views
Testing untestable code - phpdayTesting untestable code - phpday
Testing untestable code - phpday
Stephan Hochdörfer1.2K views
A Zend Architecture presentationA Zend Architecture presentation
A Zend Architecture presentation
techweb082.2K views
Apigility reloadedApigility reloaded
Apigility reloaded
Ralf Eggert1.9K views
Symfony tips and tricksSymfony tips and tricks
Symfony tips and tricks
Javier Eguiluz54.3K views
Hierarchy Viewer InternalsHierarchy Viewer Internals
Hierarchy Viewer Internals
Kyungmin Lee5.1K views

More from Enrico Zimuel(20)

Password (in)securityPassword (in)security
Password (in)security
Enrico Zimuel10.5K views
Integrare Zend Framework in WordpressIntegrare Zend Framework in Wordpress
Integrare Zend Framework in Wordpress
Enrico Zimuel6.6K views
PHP goes mobilePHP goes mobile
PHP goes mobile
Enrico Zimuel3.3K views
Zend Framework 2Zend Framework 2
Zend Framework 2
Enrico Zimuel3.5K views
Cryptography in PHP: use casesCryptography in PHP: use cases
Cryptography in PHP: use cases
Enrico Zimuel14.5K views
Framework software e Zend FrameworkFramework software e Zend Framework
Framework software e Zend Framework
Enrico Zimuel1.1K views
Strong cryptography in PHPStrong cryptography in PHP
Strong cryptography in PHP
Enrico Zimuel5.7K views
How to scale PHP applicationsHow to scale PHP applications
How to scale PHP applications
Enrico Zimuel29.5K views
Introduzione alle tabelle hashIntroduzione alle tabelle hash
Introduzione alle tabelle hash
Enrico Zimuel662 views
Introduzione alla crittografiaIntroduzione alla crittografia
Introduzione alla crittografia
Enrico Zimuel733 views
Sviluppo di applicazioni sicureSviluppo di applicazioni sicure
Sviluppo di applicazioni sicure
Enrico Zimuel390 views
PHP e crittografiaPHP e crittografia
PHP e crittografia
Enrico Zimuel551 views

Recently uploaded(20)

METHOD AND SYSTEM FOR PREDICTING OPTIMAL LOAD FOR WHICH THE YIELD IS MAXIMUM ...METHOD AND SYSTEM FOR PREDICTING OPTIMAL LOAD FOR WHICH THE YIELD IS MAXIMUM ...
METHOD AND SYSTEM FOR PREDICTING OPTIMAL LOAD FOR WHICH THE YIELD IS MAXIMUM ...
Prity Khastgir IPR Strategic India Patent Attorney Amplify Innovation24 views
[2023] Putting the R! in R&D.pdf[2023] Putting the R! in R&D.pdf
[2023] Putting the R! in R&D.pdf
Eleanor McHugh36 views

Zend Framework 2 quick start

  • 1. Zend Framework 2 quick start by Enrico Zimuel (enrico@zend.com) Senior Software Engineer Zend Framework Core Team Zend Technologies Ltd ZFConf – 21th April 2012 Moscow © All rights reserved. Zend Technologies, Inc.
  • 2. About me • Enrico Zimuel (@ezimuel) • Software Engineer since 1996 – Assembly x86, C/C++, Java, Perl, PHP • Enjoying PHP since 1999 • PHP Engineer at Zend since 2008 • Zend Framework Core Team from 2011 • B.Sc. Computer Science and Economics from University of Pescara (Italy) © All rights reserved. Zend Technologies, Inc.
  • 3. Summary ● Overview of ZF2 ● The new autoloading system ● Dependency Injection ● Event manager ● The new MVC ● Quick start: ZendSkeletonApplication ● Package system ● From ZF1 to ZF2 © All rights reserved. Zend Technologies, Inc.
  • 4. ZF2 key features ● New architecture (MVC, Di, Events) ● Requirement: PHP 5.3 ● No more CLA (Contributor License Agreement) ● Git (GitHub) instead of SVN ● Better performance ● Module management ● Packaging system © All rights reserved. Zend Technologies, Inc.
  • 5. A new core ● The ZF1 way: ▶ Singleton, Registry, and Hard-Coded Dependencies ● The ZF2 approach: ▶ Aspect Oriented Design and Dependency Injection © All rights reserved. Zend Technologies, Inc.
  • 6. New architectural approach ● Methodologies used in the development – Decoupling (ZendDi) – Event driven (ZendEventManager) – Standard classes (ZendStdlib) ● Take advantage of PHP 5.3 ▶ Namespace ▶ Lambda Functions and Closures ▶ Better performance © All rights reserved. Zend Technologies, Inc.
  • 7. Autoloading © All rights reserved. Zend Technologies, Inc.
  • 8. Autoloading ● No more require_once calls! ● Multiple approaches: – ZF1-style include_path autoloader – Per-namespace/prefix autoloading – Class-map autoloading © All rights reserved. Zend Technologies, Inc.
  • 9. Classmap generator ● How to generate the .classmap.php? We provided a command line tool: bin/classmap_generator.php ● Usage is trivial: $ cd your/library $ php /path/to/classmap_generator.php -w ● Class-Map will be created in .classmap.php © All rights reserved. Zend Technologies, Inc.
  • 10. Performance improvement ● Class-Maps show a 25% improvement on the ZF1 autoloader when no acceleration is present ▶ 60-85% improvements when an opcode cache is in place! ● Pairing namespaces/prefixes with specific paths shows >10% gains with no acceleration ▶ 40% improvements when an opcode cache is in place! Note: The new autoloading system of ZF2 has been ported to ZF 1.12 © All rights reserved. Zend Technologies, Inc.
  • 11. Dependency Injection © All rights reserved. Zend Technologies, Inc.
  • 12. Dependency injection ● How to manage dependencies between objects? ● Dependency injection (Di) is a design pattern whose purpose is to reduce the coupling between software components It's time for your dependency injection! © All rights reserved. Zend Technologies, Inc.
  • 13. Di by construct Without Di With Di (construct) class Foo { class Foo { protected $bar; protected $bar; … … public function __construct() { public function $this->bar= new Bar(); __construct(Bar $bar) { } $this->bar = $bar; … } } … } Cons: Pros: Difficult to test Easy to test No isolation Decoupling Difficult to reuse code Flexible architecture © All rights reserved. Zend Technologies, Inc.
  • 14. Di by setter class Foo { protected $bar; … public function setBar(Bar $bar) { $this->bar = $bar; } … } © All rights reserved. Zend Technologies, Inc.
  • 15. ZendDi ● Supports the 3 different injection patterns: – Constructor – Interface – Setter ● Implements a Di Container: – Manage the dependencies using configuration and annotation – Provide a compiler to autodiscover classes in a path and create the class definitions, for dependencies © All rights reserved. Zend Technologies, Inc.
  • 16. Sample definition $definition = array( 'Foo' => array( 'setBar' => array( 'bar' => array( 'type' => 'Bar', 'required' => true, ), ), ), ); © All rights reserved. Zend Technologies, Inc.
  • 17. Using the Di container use ZendDiDi, ZendDiConfiguration; $di = new Di; $config = new Configuration(array( 'definition' => array('class' => $definition) )); $config->configure($di); $foo = $di->get('Foo'); // contains Bar! © All rights reserved. Zend Technologies, Inc.
  • 18. Di by annotation namespace Example { use ZendDiDefinitionAnnotation as Di; class Foo { public $bam; /** * @DiInject() */ public function setBar(Bar $bar){ $this->bar = $bar; } } class Bar { } } © All rights reserved. Zend Technologies, Inc.
  • 19. Di by annotation (2) $compiler = new ZendDiDefinitionCompilerDefinition(); $compiler->addDirectory('File path of Foo and Bar'); $compiler->compile(); $definitions = new ZendDiDefinitionList($compiler); $di = new ZendDiDi($definitions); $baz = $di->get('ExampleFoo'); // contains Bar! More use cases of ZendDi: https://github.com/ralphschindler/zf2-di-use-cases © All rights reserved. Zend Technologies, Inc.
  • 20. Event Manager © All rights reserved. Zend Technologies, Inc.
  • 21. Event Manager ● An Event Manager is an object that aggregates listeners for one or more named events, and which triggers events. ● A Listener is a callback that can react to an event. ● An Event is an action. © All rights reserved. Zend Technologies, Inc.
  • 22. Example use ZendEventManagerEventManager; $events = new EventManager(); $events->attach('do', function($e) { $event = $e->getName(); $params = $e->getParams(); printf( 'Handled event “%s”, with parameters %s', $event, json_encode($params) ); }); $params = array('foo' => 'bar', 'baz' => 'bat'); $events->trigger('do', null, $params); © All rights reserved. Zend Technologies, Inc.
  • 23. MVC © All rights reserved. Zend Technologies, Inc.
  • 24. Event driven architecture ● Flow: bootstrap, route, dispatch, response ● Everything is an event in MVC of ZF2 © All rights reserved. Zend Technologies, Inc.
  • 25. Modules ● The basic unit in a ZF2 MVC application is a Module ● A module is a collection of code and other files that solves a more specific atomic problem of the larger business problem ● Modules are simply: ▶ A namespace ▶ Containing a single classfile, Module.php © All rights reserved. Zend Technologies, Inc.
  • 26. Quick start ZendSkeletonApplication © All rights reserved. Zend Technologies, Inc.
  • 27. ZendSkeletonApplication ● A simple, skeleton application using the ZF2 MVC layer and module systems ● On GitHub: ▶ git clone --recursive git://github.com/zendframework/ZendSkeletonApplication.git ● This project makes use of Git submodules ● Works using ZF2.0.0beta3 © All rights reserved. Zend Technologies, Inc.
  • 28. Folder tree config autoload application.config.php data module Application config vendor src public Application css Controller IndexController.php images view js Module.php .htaccess autoload_classmap.php index.php autoload_function.php autoload_register.php © All rights reserved. Zend Technologies, Inc.
  • 29. Output © All rights reserved. Zend Technologies, Inc.
  • 30. index.php chdir(dirname(__DIR__)); require_once (getenv('ZF2_PATH') ?: 'vendor/ZendFramework/library') . '/Zend/Loader/AutoloaderFactory.php'; ZendLoaderAutoloaderFactory::factory(); $appConfig = include 'config/application.config.php'; $listenerOptions = new ZendModuleListenerListenerOptions( $appConfig['module_listener_options']); $defaultListeners = new ZendModuleListenerDefaultListenerAggregate($listenerOptions); $defaultListeners->getConfigListener() ->addConfigGlobPath("config/autoload/{,*.} {global,local}.config.php"); ... © All rights reserved. Zend Technologies, Inc.
  • 31. index.php (2) ... $moduleManager = new ZendModuleManager($appConfig['modules']); $moduleManager->events()->attachAggregate($defaultListeners); $moduleManager->loadModules(); // Create application, bootstrap, and run $bootstrap = new ZendMvcBootstrap( $defaultListeners->getConfigListener()->getMergedConfig()); $application = new ZendMvcApplication; $bootstrap->bootstrap($application); $application->run()->send(); © All rights reserved. Zend Technologies, Inc.
  • 32. config/application.config.php return array( 'modules' => array( 'Application' ), 'module_listener_options' => array( 'config_cache_enabled' => false, 'cache_dir' => 'data/cache', 'module_paths' => array( './module', './vendor', ), ), ); © All rights reserved. Zend Technologies, Inc.
  • 33. config/autoload ● global.config.php ● local.config.php.dist (.gitignore) ● By default, this application is configured to load all configs in: ./config/autoload/{,*.}{global,local}.config.php. ● Doing this provides a location for a developer to drop in configuration override files provided by modules, as well as cleanly provide individual, application-wide config files for things like database connections, etc. © All rights reserved. Zend Technologies, Inc.
  • 34. Application/config/module.config.php return array( 'di' => array( 'instance' => array( … ) ) ); Here you configure the components of your application (i.e. routing, controller, view) © All rights reserved. Zend Technologies, Inc.
  • 35. IndexController.php namespace ApplicationController; use ZendMvcControllerActionController, ZendViewModelViewModel; class IndexController extends ActionController { public function indexAction() { return new ViewModel(); } } © All rights reserved. Zend Technologies, Inc.
  • 36. Modules are “plug and play” ● Easy to reuse a module, only 3 steps: 1) Copy the module in module (or vendor) folder 2) Enable the module in your application.config.php ▶ Add the name of the module in “modules” 3) Copy the config file of the module in /config/autoload/module.<module's name>.config.php © All rights reserved. Zend Technologies, Inc.
  • 37. modules.zendframework.com © All rights reserved. Zend Technologies, Inc.
  • 38. Package system © All rights reserved. Zend Technologies, Inc.
  • 39. Package system ● We use Pyrus, a tool to manage PEAR packages. Pyrus simplifies and improves the PEAR experience. ● Source packages (download + github): ▶ http://packages.zendframework.com/ ● Install and configure pyrus: ▶ wget http://packages.zendframework.com/pyrus.phar ▶ pyrus.phar . ▶ pyrus.phar . channel-discover packages.zendframework.com ● Install a Zend_<component>: ▶ pyrus.phar . install zf2/Zend_<component> © All rights reserved. Zend Technologies, Inc.
  • 40. From ZF1 to ZF2 © All rights reserved. Zend Technologies, Inc.
  • 41. Migrate to ZF2 ● Goal: migrate without rewriting much code! ● Main steps – Namespace: Zend_Foo => ZendFoo – Exceptions: an Interface for each components, no more Zend_Exception – Autoloading: 3 possible options (one is ZF1) ▶ MVC: module, event based, dispatchable © All rights reserved. Zend Technologies, Inc.
  • 42. ZF1 migration prototype ● Source code: http://bit.ly/pvc0X1 ● Creates a "Zf1Compat" version of the ZF1 dispatcher as an event listener. ● The bootstrap largely mimics how ZF1's Zend_Application bootstrap works. ● The default route utilizes the new ZF2 MVC routing, but mimics what ZF1 provided. © All rights reserved. Zend Technologies, Inc.
  • 43. Helping out ● http://framework.zend.com/zf2 ● http://github.com/zendframework ● https://github.com/zendframework/ZendSkeletonApplication ● Getting Started with Zend Framework 2 by Rob Allen, http://www.akrabat.com ● Weekly IRC meetings (#zf2-meeting on Freenode) ● #zftalk.2 on Freenode IRC © All rights reserved. Zend Technologies, Inc.
  • 44. Questions? © All rights reserved. Zend Technologies, Inc.
  • 45. Thank you! ● Comments and feedbacks: – Email: enrico@zend.com – Twitter: @ezimuel © All rights reserved. Zend Technologies, Inc.