SlideShare a Scribd company logo
Beyond symfony 1.2

     Fabien Potencier
Work on symfony 2
    started 2 years ago
with a brand new code base
symfony 2 goals

   Learn from our mistakes

Take user feedback into account
But then, I realized that
     Starting from scratch is a lot of work!

We loose all the debugging we have already done

 I didn’t want symfony 2 to be the next Perl 6 ;)
But I learned a lot with this new code

        I used it to test new ideas…
…that were later incorporated into symfony 1


              Event dispatcher
              Form framework
symfony 2
•  symfony 2 will be an evolution of symfony 1, not a
   revolution
•  A lot of changes in symfony 1.1 and 1.2 are done
   to support symfony 2
•  symfony 1.1 decoupling was to support symfony 2

•  There will be a symfony 1.3
symfony 2
•  Based on the same symfony platform




•  New libraries / sub-frameworks
  –  Dependency injection container
  –  Real template layer
  –  New controller layer
Dependency Injection
The world of programming
  is evolving fast… very fast

But the ultimate goal of these
      changes is the same
Build better tools
    to avoid reinventing
         the wheel
Build on existing code / work / librairies
Specialize for your specific needs
That’s why Open-Source wins
Better tools are possible because
we base our work on existing work

  We learn from other projects

    We can adopt their ideas

    We can make them better

 This is the process of evolution
symfony
•  PHP
  –  Mojavi : Controller
  –  Propel : ORM
  –  Doctrine : ORM
•  Ruby
  –  Rails : Helpers, routing
•  Java
  –  Spring : Dependency injection container
•  Python
  –  Django : request / response paradigm, controller
     philosophy
•  … and much more
Read code to learn
This is why Open-Source wins
Open-Source drives

     Creativity
    Innovation
Create a website
•  Assembly code
•  C code
•  Operating system
•  MySQL, Apache
•  PHP
•  …
•  Your code
Create a website
•  You really need a framework nowadays
•  But you want it to be flexible and customizable
•  The framework needs to find the sweet spot
  –  Features / Complexity
  –  Easyness / Extensibility
•  Each version of symfony tries to be closer to this
    sweet spot
•  I hope symfony 2 will be the one
•  A framework is all about reusability
Reusability

Customization / Extension
     Configuration

Documentation / Support
Dependency Injection
A symfony example
In symfony, you manipulate a User object
  –  To manage the user culture
  –  To authenticate the user
  –  To manage her credentials
  –  …

  –  setCulture(), getCulture()
  –  isAuthenticated()
  –  addCredential()
  –  …
The User information need to be persisted
        between HTTP requests

 We use the PHP session for the Storage
<?php

class User
{
  protected $storage;

    function __construct()
    {
      $this->storage = new SessionStorage();
    }
}

$user = new User();
I want to change the session cookie name
<?php

class User
{
  protected $storage;                      Add a global
                                          Configuration?
    function __construct()
    {
      $this->storage = new SessionStorage();
    }
}



sfConfig::set('storage_session_name', 'SESSION_ID');

$user = new User();
<?php
                                        Configure via
class User                                 User?
{
  protected $storage;

    function __construct($sessionName)
    {
      $this->storage = new SessionStorage($sessionName);
    }
}

$user = new User('SESSION_ID');
<?php
                                        Configure with
class User                                 an array
{
  protected $storage;

    function __construct($options)
    {
      $this->storage = new SessionStorage($options);
    }
}

$user = new User(
   array('session_name' => 'SESSION_ID')
);
I want to change the session storage engine

                Filesystem
                  MySQL
                  SQLite
                     …
<?php

class User                              Use a global
{                                      context object?
  protected $storage;

    function __construct()
    {
      $this->storage = Context::get('session_storage');
    }
}

$user = new User();
The User now depends on the Context
Instead of harcoding
  the Storage dependency
      in the User class

Inject the storage dependency
       in the User object
<?php

class User
{
  protected $storage;

    function __construct(StorageInterface $storage)
    {
      $this->storage = $storage;
    }
}

$storage = new Storage(
   array('session_name' => 'SESSION_ID')
);
$user = new User($storage);
Use built-in Storage strategies
     Configuration becomes natural
    Wrap third-party classes (Adapter)
    Mock the Storage object (for test)


Easy without changing the User class
That’s Dependency Injection

      Nothing more
« Dependency Injection is
    where components are given
     their dependencies through
    their constructors, methods,
       or directly into fields. »
http://www.picocontainer.org/injection.html
Configurable
 Extensible
 Decoupled
 Reusable
symfony platform
<?php

$dispatcher = new sfEventDispatcher();

$request = new sfWebRequest($dispatcher);
$response = new sfWebResponse($dispatcher);

$storage = new sfSessionStorage(
   array('session_name' => 'symfony')
);
$user = new sfUser($dispatcher, $storage);

$cache = new sfFileCache(
   array('dir' => dirname(__FILE__).'/cache')
);
$routing = new sfPatternRouting($dispatcher, $cache);
<?php

class Application
{
  function __construct()
  {
    $this->dispatcher = new sfEventDispatcher();
    $this->request = new sfWebRequest($this->dispatcher);
    $this->response = new sfWebResponse($this->dispatcher);

    $this->storage = new sfSessionStorage(
       array('session_name' => 'symfony')
    );
    $this->user = new sfUser($this->disptacher, $this->storage);

    $this->cache = new sfFileCache(
       array('dir' => dirname(__FILE__).'/cache')
    );
    $this->routing = new sfPatternRouting($this->disptacher,
 $this->cache);
  }
}

$application = new Application();
Back to square 1
We need a Container
    Describe objects
  and their relationships

     Configure them

     Instantiate them
Dependency Injection
    in symfony 2

 sfServiceContainer
<?php

$container = new sfServiceContainer(array(
  'dispatcher' => new sfServiceDefinition('sfEventDispatcher'),
));

$dispatcher = $container->getService('dispatcher');




                                         It is a just a
                                       Service Locator?
<?php

$dispatcherDef = new sfServiceDefinition('sfEventDispatcher');

$requestDef = new sfServiceDefinition('sfWebRequest',
   array(new sfServiceReference('dispatcher'))
);

$container = new sfServiceContainer(array(
  'dispatcher' => $dispatcherDef,
  'request'    => $requestDef,
));

$request = $container->getService('request');
$request = $container->getService('request');




           Get the configuration for the request service

 The sfWebRequest constructor must be given a dispatcher service

           Get the dispatcher object from the container

Create a sfWebRequest object by passing the constructor arguments
$request = $container->getService('request');



          is roughly equivalent to

    $dispatcher = new sfEventDispatcher();
  $request = new sfWebRequest($dispatcher);
<?php

$container = new sfServiceContainer(array(
  'dispatcher' => new sfServiceDefinition('sfEventDispatcher’),
  'request'    => new sfServiceDefinition('sfWebRequest',          PHP
                     array(new sfServiceReference('dispatcher'))




                                    =
                  ),
));



<service id="dispatcher" class="sfEventDispatcher" />

<service id="request" class="sfWebRequest">
  <constructor_arg type="service" id="dispatcher" />
                                                                   XML


                                    =
</service>


dispatcher:
  class: sfEventDispatcher

request:
  class: sfWebRequest                                              YAML
  constructor_args: [@dispatcher]
<?php

$container = new sfServiceContainer(array(
  'dispatcher' => new sfServiceDefinition('sfEventDispatcher'),
));



<parameter key="dispatcher.class">sfEventDispatcher</parameter>

<service id="dispatcher" class="%dispatcher.class%" />



parameters:
  dispatcher.class: sfEventDispatcher

services:
  dispatcher:
    class: %dispatcher.class%
<parameter key="core.with_logging">true</parameter>
<parameter key="core.charset">UTF-8</parameter>
<parameter key="response.class">sfWebResponse</parameter>

<service id="response" class="%response.class%" global="false">
  <constructor_arg type="service" id="event_dispatcher" />
  <constructor_arg type="collection">
    <arg key="logging">%core.with_logging%</arg>
    <arg key="charset">%core.charset%</arg>
  </constructor_arg>
</service>

parameters:
  core.with_logging: true
  core.charset:      UTF-8
  response.class:    sfWebResponse

services:
  response:
    class: %response.class%
    global: false
    constructor_args:
      - @event_dispatcher
      - [logging: %core.with_logging%, charset: %core.charset%]
// YML

$loader = new sfServiceLoaderYml(array('/paths/to/config/dir'));

list($definitions, $parameters) = $loader->load('/paths/to/yml');


// XML

$loader = new sfServiceLoaderXml(array('/paths/to/config/dir'));

list($definitions, $parameters) = $loader->load('/paths/to/xml');



// Create the container

$container = new sfServiceContainer($definitions, $parameters);
// Access parameters

$withLogging = $container['core.with_logging'];



// Access services

$response = $container->response;
<import resource="core.xml" />

<parameter key="dispatcher.class">sfEventDispatcher</parameter>

<service id="dispatcher" class="%disaptcher.class%" />

<import resource="app_dev.xml" />




imports_1: core.xml

parameters:
  dispatcher.class: sfEventDispatcher

services:
  dispatcher:
    class: %dispatcher.class%

imports_2: app_dev.xml
sfServiceContainer replaces several symfony 1.X concepts


  – sfContext

  – sfConfiguration

  – sfConfig

  – factories.yml

  – settings.yml / logging.yml / i18n.yml




Into one integrated system
services:
  response:
    class: %response.class%
    global: false



Each time you ask for a response object,
           you get a new one
services:
  user:
    class: %user.class%
    lazy: true



 By default, the services are created on
      startup except if lazy is true
Does it scale?


sfServiceContainerApplication
 caches the service definition
Questions?
Sensio S.A.
                     92-98, boulevard Victor Hugo
                         92 115 Clichy Cedex
                               FRANCE
                        Tél. : +33 1 40 99 80 80

                                Contact
                           Fabien Potencier
                     fabien.potencier@sensio.com




http://www.sensiolabs.com/                http://www.symfony-project.org/

More Related Content

What's hot (20)

PDF
Symfony components in the wild, PHPNW12
Jakub Zalas
 
PDF
Decoupling with Design Patterns and Symfony2 DIC
Konstantin Kudryashov
 
ODP
Symfony2, creare bundle e valore per il cliente
Leonardo Proietti
 
PDF
Silex meets SOAP & REST
Hugo Hamon
 
PDF
Database Design Patterns
Hugo Hamon
 
PDF
New Symfony Tips & Tricks (SymfonyCon Paris 2015)
Javier Eguiluz
 
PDF
Advanced symfony Techniques
Kris Wallsmith
 
PDF
Symfony War Stories
Jakub Zalas
 
PDF
The History of PHPersistence
Hugo Hamon
 
PDF
The Zen of Lithium
Nate Abele
 
PDF
Rich Model And Layered Architecture in SF2 Application
Kirill Chebunin
 
PDF
Dependency Injection IPC 201
Fabien Potencier
 
PDF
Decoupling the Ulabox.com monolith. From CRUD to DDD
Aleix Vergés
 
PDF
Dependency Injection with PHP 5.3
Fabien Potencier
 
PDF
Dependency injection in PHP 5.3/5.4
Fabien Potencier
 
PDF
Dependency Injection in PHP
Kacper Gunia
 
PDF
Symfony2 revealed
Fabien Potencier
 
PDF
Doctrine fixtures
Bill Chang
 
PDF
Dependency injection-zendcon-2010
Fabien Potencier
 
PDF
Lithium: The Framework for People Who Hate Frameworks
Nate Abele
 
Symfony components in the wild, PHPNW12
Jakub Zalas
 
Decoupling with Design Patterns and Symfony2 DIC
Konstantin Kudryashov
 
Symfony2, creare bundle e valore per il cliente
Leonardo Proietti
 
Silex meets SOAP & REST
Hugo Hamon
 
Database Design Patterns
Hugo Hamon
 
New Symfony Tips & Tricks (SymfonyCon Paris 2015)
Javier Eguiluz
 
Advanced symfony Techniques
Kris Wallsmith
 
Symfony War Stories
Jakub Zalas
 
The History of PHPersistence
Hugo Hamon
 
The Zen of Lithium
Nate Abele
 
Rich Model And Layered Architecture in SF2 Application
Kirill Chebunin
 
Dependency Injection IPC 201
Fabien Potencier
 
Decoupling the Ulabox.com monolith. From CRUD to DDD
Aleix Vergés
 
Dependency Injection with PHP 5.3
Fabien Potencier
 
Dependency injection in PHP 5.3/5.4
Fabien Potencier
 
Dependency Injection in PHP
Kacper Gunia
 
Symfony2 revealed
Fabien Potencier
 
Doctrine fixtures
Bill Chang
 
Dependency injection-zendcon-2010
Fabien Potencier
 
Lithium: The Framework for People Who Hate Frameworks
Nate Abele
 

Viewers also liked (8)

PDF
Web Security 101
Brent Shaffer
 
PPTX
Diigo ISTE
diigobuzz
 
PDF
Netbeans 6.7: a única IDE que você precisa!
João Longo
 
PDF
Pocket guidebook elections in ukraine ukr crisimediacentre-052014
Dmytro Lysiuk
 
PPT
Nashvile Symfony Routes Presentation
Brent Shaffer
 
PPT
Nashville Php Symfony Presentation
Brent Shaffer
 
PDF
In The Future We All Use Symfony2
Brent Shaffer
 
PPTX
Symfony2 your way
Rafał Wrzeszcz
 
Web Security 101
Brent Shaffer
 
Diigo ISTE
diigobuzz
 
Netbeans 6.7: a única IDE que você precisa!
João Longo
 
Pocket guidebook elections in ukraine ukr crisimediacentre-052014
Dmytro Lysiuk
 
Nashvile Symfony Routes Presentation
Brent Shaffer
 
Nashville Php Symfony Presentation
Brent Shaffer
 
In The Future We All Use Symfony2
Brent Shaffer
 
Symfony2 your way
Rafał Wrzeszcz
 
Ad

Similar to Beyond symfony 1.2 (Symfony Camp 2008) (20)

PDF
Decouple Your Code For Reusability (International PHP Conference / IPC 2008)
Fabien Potencier
 
PDF
The symfony platform: Create your very own framework (PHP Quebec 2008)
Fabien Potencier
 
PDF
Dependency injection in Drupal 8
Alexei Gorobets
 
KEY
Phpne august-2012-symfony-components-friends
Michael Peacock
 
PDF
Dependency Injection with PHP and PHP 5.3
Fabien Potencier
 
PDF
symfony on action - WebTech 207
patter
 
PDF
Symfony As A Platform (Symfony Camp 2007)
Fabien Potencier
 
PDF
関西PHP勉強会 php5.4つまみぐい
Hisateru Tanaka
 
PDF
Dependency Injection
Fabien Potencier
 
PDF
Dependency Injection - ConFoo 2010
Fabien Potencier
 
PDF
Dependency injection - phpday 2010
Fabien Potencier
 
PDF
Symfony 2 (PHP Quebec 2009)
Fabien Potencier
 
PDF
Doctrine For Beginners
Jonathan Wage
 
PDF
Osiąganie mądrej architektury z Symfony2
3camp
 
PPTX
10 Things Every Plugin Developer Should Know (WordCamp Atlanta 2013)
arcware
 
PDF
Symfony internals [english]
Raul Fraile
 
PDF
PHP: 4 Design Patterns to Make Better Code
SWIFTotter Solutions
 
PDF
Symfony2 from the Trenches
Jonathan Wage
 
PDF
EPHPC Webinar Slides: Unit Testing by Arthur Purnama
Enterprise PHP Center
 
KEY
Yii Introduction
Jason Ragsdale
 
Decouple Your Code For Reusability (International PHP Conference / IPC 2008)
Fabien Potencier
 
The symfony platform: Create your very own framework (PHP Quebec 2008)
Fabien Potencier
 
Dependency injection in Drupal 8
Alexei Gorobets
 
Phpne august-2012-symfony-components-friends
Michael Peacock
 
Dependency Injection with PHP and PHP 5.3
Fabien Potencier
 
symfony on action - WebTech 207
patter
 
Symfony As A Platform (Symfony Camp 2007)
Fabien Potencier
 
関西PHP勉強会 php5.4つまみぐい
Hisateru Tanaka
 
Dependency Injection
Fabien Potencier
 
Dependency Injection - ConFoo 2010
Fabien Potencier
 
Dependency injection - phpday 2010
Fabien Potencier
 
Symfony 2 (PHP Quebec 2009)
Fabien Potencier
 
Doctrine For Beginners
Jonathan Wage
 
Osiąganie mądrej architektury z Symfony2
3camp
 
10 Things Every Plugin Developer Should Know (WordCamp Atlanta 2013)
arcware
 
Symfony internals [english]
Raul Fraile
 
PHP: 4 Design Patterns to Make Better Code
SWIFTotter Solutions
 
Symfony2 from the Trenches
Jonathan Wage
 
EPHPC Webinar Slides: Unit Testing by Arthur Purnama
Enterprise PHP Center
 
Yii Introduction
Jason Ragsdale
 
Ad

More from Fabien Potencier (20)

PDF
Varnish
Fabien Potencier
 
PDF
Look beyond PHP
Fabien Potencier
 
PDF
Caching on the Edge
Fabien Potencier
 
PDF
Design patterns revisited with PHP 5.3
Fabien Potencier
 
PDF
The state of Symfony2 - SymfonyDay 2010
Fabien Potencier
 
PDF
PhpBB meets Symfony2
Fabien Potencier
 
PDF
Symfony2 - WebExpo 2010
Fabien Potencier
 
PDF
Symfony2 - WebExpo 2010
Fabien Potencier
 
PDF
Symfony2 - OSIDays 2010
Fabien Potencier
 
PDF
Caching on the Edge with Symfony2
Fabien Potencier
 
PDF
Unit and Functional Testing with Symfony2
Fabien Potencier
 
PDF
News of the Symfony2 World
Fabien Potencier
 
PDF
Symfony Components
Fabien Potencier
 
PDF
PHP 5.3 in practice
Fabien Potencier
 
PDF
Symfony Components 2.0 on PHP 5.3
Fabien Potencier
 
PDF
Playing With PHP 5.3
Fabien Potencier
 
PDF
Symfony 2.0 on PHP 5.3
Fabien Potencier
 
PDF
Symfony2 San Francisco Meetup 2009
Fabien Potencier
 
PDF
Symfony And Zend Framework Together 2009
Fabien Potencier
 
PDF
Twig, the flexible, fast, and secure template language for PHP
Fabien Potencier
 
Look beyond PHP
Fabien Potencier
 
Caching on the Edge
Fabien Potencier
 
Design patterns revisited with PHP 5.3
Fabien Potencier
 
The state of Symfony2 - SymfonyDay 2010
Fabien Potencier
 
PhpBB meets Symfony2
Fabien Potencier
 
Symfony2 - WebExpo 2010
Fabien Potencier
 
Symfony2 - WebExpo 2010
Fabien Potencier
 
Symfony2 - OSIDays 2010
Fabien Potencier
 
Caching on the Edge with Symfony2
Fabien Potencier
 
Unit and Functional Testing with Symfony2
Fabien Potencier
 
News of the Symfony2 World
Fabien Potencier
 
Symfony Components
Fabien Potencier
 
PHP 5.3 in practice
Fabien Potencier
 
Symfony Components 2.0 on PHP 5.3
Fabien Potencier
 
Playing With PHP 5.3
Fabien Potencier
 
Symfony 2.0 on PHP 5.3
Fabien Potencier
 
Symfony2 San Francisco Meetup 2009
Fabien Potencier
 
Symfony And Zend Framework Together 2009
Fabien Potencier
 
Twig, the flexible, fast, and secure template language for PHP
Fabien Potencier
 

Recently uploaded (20)

PDF
Using FME to Develop Self-Service CAD Applications for a Major UK Police Force
Safe Software
 
PDF
“NPU IP Hardware Shaped Through Software and Use-case Analysis,” a Presentati...
Edge AI and Vision Alliance
 
PPTX
Building Search Using OpenSearch: Limitations and Workarounds
Sease
 
PPTX
Q2 FY26 Tableau User Group Leader Quarterly Call
lward7
 
PDF
Reverse Engineering of Security Products: Developing an Advanced Microsoft De...
nwbxhhcyjv
 
PPTX
Designing Production-Ready AI Agents
Kunal Rai
 
PDF
Smart Trailers 2025 Update with History and Overview
Paul Menig
 
PPTX
OpenID AuthZEN - Analyst Briefing July 2025
David Brossard
 
PDF
CIFDAQ Market Insights for July 7th 2025
CIFDAQ
 
PDF
Transforming Utility Networks: Large-scale Data Migrations with FME
Safe Software
 
PPTX
WooCommerce Workshop: Bring Your Laptop
Laura Hartwig
 
DOCX
Python coding for beginners !! Start now!#
Rajni Bhardwaj Grover
 
PDF
Staying Human in a Machine- Accelerated World
Catalin Jora
 
PDF
Empower Inclusion Through Accessible Java Applications
Ana-Maria Mihalceanu
 
PDF
DevBcn - Building 10x Organizations Using Modern Productivity Metrics
Justin Reock
 
PDF
New from BookNet Canada for 2025: BNC BiblioShare - Tech Forum 2025
BookNet Canada
 
PDF
The Rise of AI and IoT in Mobile App Tech.pdf
IMG Global Infotech
 
PDF
Newgen 2022-Forrester Newgen TEI_13 05 2022-The-Total-Economic-Impact-Newgen-...
darshakparmar
 
DOCX
Cryptography Quiz: test your knowledge of this important security concept.
Rajni Bhardwaj Grover
 
PDF
What Makes Contify’s News API Stand Out: Key Features at a Glance
Contify
 
Using FME to Develop Self-Service CAD Applications for a Major UK Police Force
Safe Software
 
“NPU IP Hardware Shaped Through Software and Use-case Analysis,” a Presentati...
Edge AI and Vision Alliance
 
Building Search Using OpenSearch: Limitations and Workarounds
Sease
 
Q2 FY26 Tableau User Group Leader Quarterly Call
lward7
 
Reverse Engineering of Security Products: Developing an Advanced Microsoft De...
nwbxhhcyjv
 
Designing Production-Ready AI Agents
Kunal Rai
 
Smart Trailers 2025 Update with History and Overview
Paul Menig
 
OpenID AuthZEN - Analyst Briefing July 2025
David Brossard
 
CIFDAQ Market Insights for July 7th 2025
CIFDAQ
 
Transforming Utility Networks: Large-scale Data Migrations with FME
Safe Software
 
WooCommerce Workshop: Bring Your Laptop
Laura Hartwig
 
Python coding for beginners !! Start now!#
Rajni Bhardwaj Grover
 
Staying Human in a Machine- Accelerated World
Catalin Jora
 
Empower Inclusion Through Accessible Java Applications
Ana-Maria Mihalceanu
 
DevBcn - Building 10x Organizations Using Modern Productivity Metrics
Justin Reock
 
New from BookNet Canada for 2025: BNC BiblioShare - Tech Forum 2025
BookNet Canada
 
The Rise of AI and IoT in Mobile App Tech.pdf
IMG Global Infotech
 
Newgen 2022-Forrester Newgen TEI_13 05 2022-The-Total-Economic-Impact-Newgen-...
darshakparmar
 
Cryptography Quiz: test your knowledge of this important security concept.
Rajni Bhardwaj Grover
 
What Makes Contify’s News API Stand Out: Key Features at a Glance
Contify
 

Beyond symfony 1.2 (Symfony Camp 2008)

  • 1. Beyond symfony 1.2 Fabien Potencier
  • 2. Work on symfony 2 started 2 years ago with a brand new code base
  • 3. symfony 2 goals Learn from our mistakes Take user feedback into account
  • 4. But then, I realized that Starting from scratch is a lot of work! We loose all the debugging we have already done I didn’t want symfony 2 to be the next Perl 6 ;)
  • 5. But I learned a lot with this new code I used it to test new ideas… …that were later incorporated into symfony 1 Event dispatcher Form framework
  • 6. symfony 2 •  symfony 2 will be an evolution of symfony 1, not a revolution •  A lot of changes in symfony 1.1 and 1.2 are done to support symfony 2 •  symfony 1.1 decoupling was to support symfony 2 •  There will be a symfony 1.3
  • 7. symfony 2 •  Based on the same symfony platform •  New libraries / sub-frameworks –  Dependency injection container –  Real template layer –  New controller layer
  • 9. The world of programming is evolving fast… very fast But the ultimate goal of these changes is the same
  • 10. Build better tools to avoid reinventing the wheel Build on existing code / work / librairies Specialize for your specific needs That’s why Open-Source wins
  • 11. Better tools are possible because we base our work on existing work We learn from other projects We can adopt their ideas We can make them better This is the process of evolution
  • 12. symfony •  PHP –  Mojavi : Controller –  Propel : ORM –  Doctrine : ORM •  Ruby –  Rails : Helpers, routing •  Java –  Spring : Dependency injection container •  Python –  Django : request / response paradigm, controller philosophy •  … and much more
  • 13. Read code to learn
  • 14. This is why Open-Source wins
  • 15. Open-Source drives Creativity Innovation
  • 16. Create a website •  Assembly code •  C code •  Operating system •  MySQL, Apache •  PHP •  … •  Your code
  • 17. Create a website •  You really need a framework nowadays •  But you want it to be flexible and customizable •  The framework needs to find the sweet spot –  Features / Complexity –  Easyness / Extensibility •  Each version of symfony tries to be closer to this sweet spot •  I hope symfony 2 will be the one •  A framework is all about reusability
  • 18. Reusability Customization / Extension Configuration Documentation / Support
  • 21. In symfony, you manipulate a User object –  To manage the user culture –  To authenticate the user –  To manage her credentials –  … –  setCulture(), getCulture() –  isAuthenticated() –  addCredential() –  …
  • 22. The User information need to be persisted between HTTP requests We use the PHP session for the Storage
  • 23. <?php class User { protected $storage; function __construct() { $this->storage = new SessionStorage(); } } $user = new User();
  • 24. I want to change the session cookie name
  • 25. <?php class User { protected $storage; Add a global Configuration? function __construct() { $this->storage = new SessionStorage(); } } sfConfig::set('storage_session_name', 'SESSION_ID'); $user = new User();
  • 26. <?php Configure via class User User? { protected $storage; function __construct($sessionName) { $this->storage = new SessionStorage($sessionName); } } $user = new User('SESSION_ID');
  • 27. <?php Configure with class User an array { protected $storage; function __construct($options) { $this->storage = new SessionStorage($options); } } $user = new User( array('session_name' => 'SESSION_ID') );
  • 28. I want to change the session storage engine Filesystem MySQL SQLite …
  • 29. <?php class User Use a global { context object? protected $storage; function __construct() { $this->storage = Context::get('session_storage'); } } $user = new User();
  • 30. The User now depends on the Context
  • 31. Instead of harcoding the Storage dependency in the User class Inject the storage dependency in the User object
  • 32. <?php class User { protected $storage; function __construct(StorageInterface $storage) { $this->storage = $storage; } } $storage = new Storage( array('session_name' => 'SESSION_ID') ); $user = new User($storage);
  • 33. Use built-in Storage strategies Configuration becomes natural Wrap third-party classes (Adapter) Mock the Storage object (for test) Easy without changing the User class
  • 35. « Dependency Injection is where components are given their dependencies through their constructors, methods, or directly into fields. » http://www.picocontainer.org/injection.html
  • 38. <?php $dispatcher = new sfEventDispatcher(); $request = new sfWebRequest($dispatcher); $response = new sfWebResponse($dispatcher); $storage = new sfSessionStorage( array('session_name' => 'symfony') ); $user = new sfUser($dispatcher, $storage); $cache = new sfFileCache( array('dir' => dirname(__FILE__).'/cache') ); $routing = new sfPatternRouting($dispatcher, $cache);
  • 39. <?php class Application { function __construct() { $this->dispatcher = new sfEventDispatcher(); $this->request = new sfWebRequest($this->dispatcher); $this->response = new sfWebResponse($this->dispatcher); $this->storage = new sfSessionStorage( array('session_name' => 'symfony') ); $this->user = new sfUser($this->disptacher, $this->storage); $this->cache = new sfFileCache( array('dir' => dirname(__FILE__).'/cache') ); $this->routing = new sfPatternRouting($this->disptacher, $this->cache); } } $application = new Application();
  • 41. We need a Container Describe objects and their relationships Configure them Instantiate them
  • 42. Dependency Injection in symfony 2 sfServiceContainer
  • 43. <?php $container = new sfServiceContainer(array( 'dispatcher' => new sfServiceDefinition('sfEventDispatcher'), )); $dispatcher = $container->getService('dispatcher'); It is a just a Service Locator?
  • 44. <?php $dispatcherDef = new sfServiceDefinition('sfEventDispatcher'); $requestDef = new sfServiceDefinition('sfWebRequest', array(new sfServiceReference('dispatcher')) ); $container = new sfServiceContainer(array( 'dispatcher' => $dispatcherDef, 'request' => $requestDef, )); $request = $container->getService('request');
  • 45. $request = $container->getService('request'); Get the configuration for the request service The sfWebRequest constructor must be given a dispatcher service Get the dispatcher object from the container Create a sfWebRequest object by passing the constructor arguments
  • 46. $request = $container->getService('request'); is roughly equivalent to $dispatcher = new sfEventDispatcher(); $request = new sfWebRequest($dispatcher);
  • 47. <?php $container = new sfServiceContainer(array( 'dispatcher' => new sfServiceDefinition('sfEventDispatcher’), 'request' => new sfServiceDefinition('sfWebRequest', PHP array(new sfServiceReference('dispatcher')) = ), )); <service id="dispatcher" class="sfEventDispatcher" /> <service id="request" class="sfWebRequest"> <constructor_arg type="service" id="dispatcher" /> XML = </service> dispatcher: class: sfEventDispatcher request: class: sfWebRequest YAML constructor_args: [@dispatcher]
  • 48. <?php $container = new sfServiceContainer(array( 'dispatcher' => new sfServiceDefinition('sfEventDispatcher'), )); <parameter key="dispatcher.class">sfEventDispatcher</parameter> <service id="dispatcher" class="%dispatcher.class%" /> parameters: dispatcher.class: sfEventDispatcher services: dispatcher: class: %dispatcher.class%
  • 49. <parameter key="core.with_logging">true</parameter> <parameter key="core.charset">UTF-8</parameter> <parameter key="response.class">sfWebResponse</parameter> <service id="response" class="%response.class%" global="false"> <constructor_arg type="service" id="event_dispatcher" /> <constructor_arg type="collection"> <arg key="logging">%core.with_logging%</arg> <arg key="charset">%core.charset%</arg> </constructor_arg> </service> parameters: core.with_logging: true core.charset: UTF-8 response.class: sfWebResponse services: response: class: %response.class% global: false constructor_args: - @event_dispatcher - [logging: %core.with_logging%, charset: %core.charset%]
  • 50. // YML $loader = new sfServiceLoaderYml(array('/paths/to/config/dir')); list($definitions, $parameters) = $loader->load('/paths/to/yml'); // XML $loader = new sfServiceLoaderXml(array('/paths/to/config/dir')); list($definitions, $parameters) = $loader->load('/paths/to/xml'); // Create the container $container = new sfServiceContainer($definitions, $parameters);
  • 51. // Access parameters $withLogging = $container['core.with_logging']; // Access services $response = $container->response;
  • 52. <import resource="core.xml" /> <parameter key="dispatcher.class">sfEventDispatcher</parameter> <service id="dispatcher" class="%disaptcher.class%" /> <import resource="app_dev.xml" /> imports_1: core.xml parameters: dispatcher.class: sfEventDispatcher services: dispatcher: class: %dispatcher.class% imports_2: app_dev.xml
  • 53. sfServiceContainer replaces several symfony 1.X concepts – sfContext – sfConfiguration – sfConfig – factories.yml – settings.yml / logging.yml / i18n.yml Into one integrated system
  • 54. services: response: class: %response.class% global: false Each time you ask for a response object, you get a new one
  • 55. services: user: class: %user.class% lazy: true By default, the services are created on startup except if lazy is true
  • 56. Does it scale? sfServiceContainerApplication caches the service definition
  • 58. Sensio S.A. 92-98, boulevard Victor Hugo 92 115 Clichy Cedex FRANCE Tél. : +33 1 40 99 80 80 Contact Fabien Potencier [email protected] http://www.sensiolabs.com/ http://www.symfony-project.org/