SlideShare a Scribd company logo
Dependency Injection for
            WordPress Plugin Development

                    Mike Toppa
                WordCamp Nashville
                  April 21, 2012
                     #wcn12



www.toppa.com                              @mtoppa
Mike Toppa
●   Director of Development, WebDevStudios
●   17 years of experience in web development,
    project management, and team management
●   Universities: Georgetown, Stanford, Penn
●   Dot coms: E*Trade, Ask Jeeves
●   Start-ups: Finexa, Kai's Candy Co
●   WordPress development for non-profits

www.toppa.com                                  @mtoppa
Code is Poetry




www.toppa.com                    @mtoppa
We want code to be...
●   Easy to understand
●   Easy to change
●   Reusable (DRY)
●   Bug free




www.toppa.com                           @mtoppa
So why is it usually like this?




“O.P.C” http://abstrusegoose.com/432
It happens because we are always in a hurry,
          and requirements are always changing.




www.toppa.com                               @mtoppa
But coding fast and dirty
            only makes us slower in the long run.




www.toppa.com                                  @mtoppa
“We like to think we spend our time power typing,
     but we actually spend most of our time
              staring into the abyss.”

                - Douglas Crockford
                   principal discoverer of JSON,
                          Creator of JSLint




www.toppa.com                                      @mtoppa
The ratio of time spent reading code versus
             writing is well over 10 to 1.

         Therefore, making code easy to read
               makes it easier to write.

                       - Bob Martin
                  Paraphrased from his book Clean Code




www.toppa.com                                            @mtoppa
Clean code saves time, saves $$




www.toppa.com                  @mtoppa
Clean code techniques
●   Using meaningful names
●   Don't repeat yourself (DRY)
●   Object oriented principles and patterns
●   Unit testing, test driven development (TDD)
●   The “boy scout rule”
●   Vertical slicing
●   ...and many more
www.toppa.com                                 @mtoppa
Clean code techniques
●   Using meaningful names
●   Don't repeat yourself (DRY)
●   Object oriented principles and patterns
●   Unit testing, test driven development (TDD)
●   The “boy scout rule”
●   Vertical slicing
●   ...and many more
www.toppa.com                                 @mtoppa
The SOLID Principles
●   Single Responsibility (SRP)
●   Open-Closed (OCP)
●   Liskov Substitution (LSP)
●   Interface Segregation (ISP)
●   Dependency Inversion (DIP)



www.toppa.com                          @mtoppa
The SOLID Principles
●   Single Responsibility (SRP)
●   Open-Closed (OCP)
●   Liskov Substitution (LSP)
●   Interface Segregation (ISP)
●   Dependency Inversion (DIP)



www.toppa.com                          @mtoppa
Shashin

   My plugin for displaying albums, photos, and
    videos from Picasa, Twitpic, and YouTube
            (and others coming soon)




www.toppa.com                               @mtoppa
I used the new version as a test case for applying
    clean code principles to WordPress plugins




www.toppa.com                               @mtoppa
Dependency Injection for Wordpress
Dependency Injection for Wordpress
Dependency Injection for Wordpress
Dependency Injection for Wordpress
From LosTechies.com
My Shashin plugin consists of 44 classes, each of
 which has a meaningful name, follows the SRP,
             and “does one thing”

                PicasaPhotoDisplayer
                    SettingsMenu
                YouTubeSynchronizer
                      Uninstall
                         etc.

www.toppa.com                              @mtoppa
Shashin example

class Admin_ShashinInstall {
   // ...

    public function run() {
      $this->createAlbumTable();
      $this->verifyAlbumTable();
      $this->createPhotoTable();
      $this->verifyPhotoTable();
      $this->updateSettings();
      return true;
    }

    // ...
}


www.toppa.com                            @mtoppa
Class Autoloading
●   The problem:
    ●   PHP lacks an equivalent statement to “import” or
        “use” for classes
    ●   Having to hardcode a bunch of file paths is extra
        work, and makes code harder to change
●   The solution:
    ●   PHP 5.1.2 and spl_autoload_register()
    ●   PHP Standards Working Group: PSR-0

www.toppa.com                                        @mtoppa
PSR-0: Official Description
●   Each "_" character in the CLASS NAME is
    converted to a DIRECTORY_SEPARATOR
●   The fully-qualified namespace and class is suffixed
    with ".php" when loading from the file system
●   Alphabetic characters... may be of any
    combination of lower case and upper case
●   ...And other rules about namespaces
●   Source: https://github.com/php-fig/fig-
    standards/blob/master/accepted/PSR-0.md
www.toppa.com                                   @mtoppa
PSR-0 Example


                 Admin_ShashinInstall

                     is translated to

                Admin/ShashinInstall.php


www.toppa.com                              @mtoppa
Toppa Plugin Libraries Autoloader
// this is at the top of the main file for my Shashin plugin

require_once dirname(__FILE__) . '/../toppa-plugin-libraries-for-
wordpress/ToppaAutoLoaderWp.php';

$shashinAutoLoader = new ToppaAutoLoaderWp('/shashin');

// that's it! I can now call “new” on any class under the shashin folder
// and its class file will be automatically loaded




www.toppa.com                                                              @mtoppa
Shashin's capabilities are shaped by how its
        objects are wired together, through
               implementation of the
         Dependency Inversion Principle




www.toppa.com                                @mtoppa
From LosTechies.com
Naïve model of a button and lamp
                                                  Lamp
                          Button
                                                + turnOn()
                           + poll()
                                                + turnOff()


class Button {
    private $lamp;

    public function __construct(Lamp $lamp) {
         $this->lamp = $lamp;
    }

    public function poll() {
         if (/* some condition */) {
                $this->lamp->turnOn();
         }
    }
}
                                                Example from “Agile Software Development”
Dependency inversion applied

                              <<interface>>
      Button                SwitchableDevice

      + poll()                   + turnOn()
                                 + turnOff()




                                   Lamp



       This is the Abstract Server pattern
class Lamp implements SwitchableDevice {
    public function turnOn() {
         // code
    }

    public function turnOff() {
         // code
    }
}


class Button {
    private $switchableDevice;

    public function __construct(SwitchableDevice $switchableDevice) {
         $this->switchableDevice = $switchableDevice;
    }

    public function poll() {
         if (/* some condition */) {
                $this->switchableDevice->turnOn();
         }
    }
}
A web of collaborating objects
●   The SRP and DIP together drive a
    “composition” approach to OO design
●   From Growing Object Oriented Software,
    Guided by Tests:
    "An object oriented system is a web of
    collaborating objects... The behavior of the
    system is an emergent property of the
    composition of the objects - the choice of
    objects and how they are connected... Thinking
    of a system in terms of its dynamic
    communication structure is a significant mental
    shift from the static classification that most of us
    learn when being introduced to objects."
Composition
                 (“Has a...”)

                     vs.

                Inheritance
                  (“Is a...”)



www.toppa.com                   @mtoppa
The SRP is about objects that do one thing

    The DIP is about how to wire them together
        to create working, flexible software




www.toppa.com                              @mtoppa
Never, ever do this


class Button {
    private $lamp;

    public function __construct() {
         $this->lamp = new Lamp();
    }

    //...
}




www.toppa.com                              @mtoppa
Instead, you want to
                inject the object dependency

                  Dependency injection!




www.toppa.com                                  @mtoppa
Dependency injection is one of many
                  design patterns
               for implementing the
           Dependency inversion principle




www.toppa.com                                  @mtoppa
It comes in two flavors




www.toppa.com                             @mtoppa
Constructor injection


public function __construct(SwitchableDevice $switchableDevice) {
     $this->switchableDevice = $switchableDevice;
}




www.toppa.com                                                       @mtoppa
Setter injection


public function setSwitchableDevice(SwitchableDevice $switchableDevice) {
     $this->switchableDevice = $switchableDevice;
}




www.toppa.com                                                               @mtoppa
Which to use?

                 It depends




www.toppa.com                   @mtoppa
Dependency chains




          If class A depends on class B,
        and class B depends on class C,
 class A should be blissfully unaware of class C



www.toppa.com                               @mtoppa
To do this without going insane,
                you need an injection container




www.toppa.com                                      @mtoppa
Example from Shashin
class Lib_ShashinContainer {
   // …
   public function getPhotoRefData() {
      if (!isset($this->photoRefData)) {
          $this->photoRefData = new Lib_ShashinPhotoRefData();
      }

      return $this->photoRefData;
  }

  public function getClonablePhoto() {
    if (!isset($this->clonablePhoto)) {
        $this->getPhotoRefData();
        $this->clonablePhoto = new Lib_ShashinPhoto($this->photoRefData);
    }

      return $this->clonablePhoto;
  }
www.toppa.com                                                               @mtoppa
Example continued

 public function getClonablePhotoCollection() {
   if (!isset($this->photoCollection)) {
       $this->getClonablePhoto();
       $this->getSettings();
       $this->clonablePhotoCollection = new Lib_ShashinPhotoCollection();
       $this->clonablePhotoCollection->setClonableDataObject($this->clonablePhoto);
       $this->clonablePhotoCollection->setSettings($this->settings);
   }

     return $this->clonablePhotoCollection;
 }




www.toppa.com                                                              @mtoppa
Beyond the textbook examples




www.toppa.com                                  @mtoppa
What to do when you need
                a new object inside a loop

                  One solution is cloning




www.toppa.com                                @mtoppa
Shashin Example

class Admin_ShashinSynchronizerPicasa extends Admin_ShashinSynchronizer {
   // …

  public function syncAlbumPhotos(array $decodedAlbumData) {
    // …

     foreach ($decodedAlbumData['feed']['entry'] as $entry) {
        $photoData = $this->extractFieldsFromDecodedData($entry, $photoRefData,
'picasa');
        // ...
        $photo = clone $this->clonablePhoto;
        $photo->set($photoData);
        $photo->flush();
     }



www.toppa.com                                                            @mtoppa
What if you need a new object inside a loop,
     but can't know the subtype you'll need
                 ahead of time?

        Let the injection container figure it out




www.toppa.com                                       @mtoppa
Shashin Example

class Public_ShashinLayoutManager {
   // ...
   public function setTableBody() {
       // …

    for ($i = 0; $i < count($this->collection); $i++) {
       // ...

      $dataObjectDisplayer = $this->container->getDataObjectDisplayer(
         $this->shortcode,
         $this->collection[$i]
      );

      $this->tableBody .= $dataObjectDisplayer->run();

      // ...
   }
www.toppa.com                                                            @mtoppa
Dependency injection: key benefits
●   Makes your object dependencies adaptable to
    emerging needs
●   With an injection container, simplifies managing
    dependency chains
●   Supports “preferring polymorphism to
    conditionals”, making it easy to add new class
    subtypes


www.toppa.com                                 @mtoppa
Will this proliferation of objects
                    eat up all my memory?

                               No




www.toppa.com                                        @mtoppa
Use dependency injection to instantiate
             only the objects you need,
               when you need them




www.toppa.com                                @mtoppa
Make immutable objects into
            properties of the container,
     so you only need to instantiate them once




www.toppa.com                               @mtoppa
PHP 5 has improved memory
             management

“In PHP 5, the infrastructure of the object model was
rewritten to work with object handles. Unless you
explicitly clone an object by using the clone keyword you
will never create behind the scene duplicates of your
objects. In PHP 5, there is neither a need to pass objects
by reference nor assigning them by reference.”

From http://devzone.zend.com/article/1714

www.toppa.com                                      @mtoppa
But don't overdo it:
avoid needless complexity

More Related Content

What's hot (17)

PDF
Jumping Into WordPress Plugin Programming
Dougal Campbell
 
PDF
Twig for Drupal 8 and PHP | Presented at OC Drupal
webbywe
 
PDF
Objects, Testing, and Responsibility
machuga
 
PDF
An easy guide to Plugin Development
Shinichi Nishikawa
 
ZIP
Object Oriented PHP5
Jason Austin
 
PDF
A Gentle Introduction To Object Oriented Php
Michael Girouard
 
PDF
oop_in_php_tutorial_for_killerphp.com
tutorialsruby
 
PDF
Don't RTFM, WTFM - Open Source Documentation - German Perl Workshop 2010
singingfish
 
PDF
Object Oriented Programming with PHP 5 - More OOP
Wildan Maulana
 
PDF
Oop in php_tutorial
Gregory Hanis
 
PDF
Getting big without getting fat, in perl
Dean Hamstead
 
PDF
Object Oriented Programming in PHP
Lorna Mitchell
 
PDF
So, you want to be a plugin developer?
ylefebvre
 
PDF
Behaviour Driven Development con Behat & Drupal
sparkfabrik
 
PDF
Twig: Friendly Curly Braces Invade Your Templates!
Ryan Weaver
 
ODP
Perl Teach-In (part 2)
Dave Cross
 
KEY
Writing your Third Plugin
Justin Ryan
 
Jumping Into WordPress Plugin Programming
Dougal Campbell
 
Twig for Drupal 8 and PHP | Presented at OC Drupal
webbywe
 
Objects, Testing, and Responsibility
machuga
 
An easy guide to Plugin Development
Shinichi Nishikawa
 
Object Oriented PHP5
Jason Austin
 
A Gentle Introduction To Object Oriented Php
Michael Girouard
 
oop_in_php_tutorial_for_killerphp.com
tutorialsruby
 
Don't RTFM, WTFM - Open Source Documentation - German Perl Workshop 2010
singingfish
 
Object Oriented Programming with PHP 5 - More OOP
Wildan Maulana
 
Oop in php_tutorial
Gregory Hanis
 
Getting big without getting fat, in perl
Dean Hamstead
 
Object Oriented Programming in PHP
Lorna Mitchell
 
So, you want to be a plugin developer?
ylefebvre
 
Behaviour Driven Development con Behat & Drupal
sparkfabrik
 
Twig: Friendly Curly Braces Invade Your Templates!
Ryan Weaver
 
Perl Teach-In (part 2)
Dave Cross
 
Writing your Third Plugin
Justin Ryan
 

Viewers also liked (20)

PDF
WordCamp Nashville: Clean Code for WordPress
mtoppa
 
PDF
Dependency Injection for PHP
mtoppa
 
PPTX
Logging with Monolog
Tudor Barbu
 
PDF
Use of Monolog with PHP
Mindfire Solutions
 
PPT
Automated Abstraction of Flow of Control in a System of Distributed Software...
nimak
 
PDF
Quanto è sicuro il tuo wordpress?
GGDBologna
 
PDF
Take the next step with git
Karin Taliga
 
PDF
WordPress Community: Choose your own adventure
Andrea Middleton
 
PDF
THE WORDPRESS DASHBOARD DEMYSTIFIED
BobWP.com
 
PDF
WordCamp 2015
Luiza Libardi
 
KEY
A house with no walls: Creating a site structure for the future
Gizmo Creative Factory, Inc.
 
PDF
L’ascesa della geolocalizzazione. Perché mapperemo sempre di più e come lo fa...
GGDBologna
 
PPTX
Caching 101 - WordCamp OC
Eugene Kovshilovsky
 
KEY
CSI: WordPress -- Getting Into the Guts
Dougal Campbell
 
PDF
Cómo crear plugins para Wordpress
ralcocer
 
KEY
Zazzy WordPress Navigation WordCamp Milwaukee
Rachel Baker
 
PDF
Congrats. You're having a WordPress Site. WordCamp Philly
Trailer Trash Design
 
PDF
A Fantástica Fábrica de Websites - WordPress
Daniel Glik
 
PPTX
Getting an eCommerce Site Running in 30 Minutes
Apptivo
 
PDF
The Capitalist in the Co-Op: The Art & Science of the Premium WordPress Business
Shane Pearlman
 
WordCamp Nashville: Clean Code for WordPress
mtoppa
 
Dependency Injection for PHP
mtoppa
 
Logging with Monolog
Tudor Barbu
 
Use of Monolog with PHP
Mindfire Solutions
 
Automated Abstraction of Flow of Control in a System of Distributed Software...
nimak
 
Quanto è sicuro il tuo wordpress?
GGDBologna
 
Take the next step with git
Karin Taliga
 
WordPress Community: Choose your own adventure
Andrea Middleton
 
THE WORDPRESS DASHBOARD DEMYSTIFIED
BobWP.com
 
WordCamp 2015
Luiza Libardi
 
A house with no walls: Creating a site structure for the future
Gizmo Creative Factory, Inc.
 
L’ascesa della geolocalizzazione. Perché mapperemo sempre di più e come lo fa...
GGDBologna
 
Caching 101 - WordCamp OC
Eugene Kovshilovsky
 
CSI: WordPress -- Getting Into the Guts
Dougal Campbell
 
Cómo crear plugins para Wordpress
ralcocer
 
Zazzy WordPress Navigation WordCamp Milwaukee
Rachel Baker
 
Congrats. You're having a WordPress Site. WordCamp Philly
Trailer Trash Design
 
A Fantástica Fábrica de Websites - WordPress
Daniel Glik
 
Getting an eCommerce Site Running in 30 Minutes
Apptivo
 
The Capitalist in the Co-Op: The Art & Science of the Premium WordPress Business
Shane Pearlman
 
Ad

Similar to Dependency Injection for Wordpress (20)

PDF
Dependency Inversion and Dependency Injection in PHP
mtoppa
 
PPTX
OOP and JavaScript
easelsolutions
 
PDF
Learning Php Design Patterns William Sanders
arzunakuuse94
 
PPTX
Social Photos - My presentation at Microsoft Tech Day
TechMaster Vietnam
 
PDF
Your first 5 PHP design patterns - ThatConference 2012
Aaron Saray
 
PDF
When Should You Consider Meta Architectures
Daniel Cukier
 
PDF
When Should You Consider Meta Architectures
ccsl-usp
 
PDF
IPC07 Talk - Beautiful Code with AOP and DI
Robert Lemke
 
PPTX
Mike Taulty OData (NxtGen User Group UK)
ukdpe
 
PDF
The Developer Experience
Atlassian
 
PPTX
Design patterns
Alok Guha
 
PDF
Clean Code V2
Jean Carlo Machado
 
PPTX
SOLID Principles of Refactoring Presentation - Inland Empire User Group
Adnan Masood
 
PPTX
Why Doesn't Java Has Instant Turnaround - Con-FESS 2012
Anton Arhipov
 
PDF
Save time by applying clean code principles
Edorian
 
PDF
Open Innovation means Open Source
Bertrand Delacretaz
 
PDF
Why we (Day) open source most of our code
Bertrand Delacretaz
 
PDF
Designing your API Server for mobile apps
Mugunth Kumar
 
PDF
From class to architecture
Marcin Hawraniak
 
PPTX
Is your code solid
Nathan Gloyn
 
Dependency Inversion and Dependency Injection in PHP
mtoppa
 
OOP and JavaScript
easelsolutions
 
Learning Php Design Patterns William Sanders
arzunakuuse94
 
Social Photos - My presentation at Microsoft Tech Day
TechMaster Vietnam
 
Your first 5 PHP design patterns - ThatConference 2012
Aaron Saray
 
When Should You Consider Meta Architectures
Daniel Cukier
 
When Should You Consider Meta Architectures
ccsl-usp
 
IPC07 Talk - Beautiful Code with AOP and DI
Robert Lemke
 
Mike Taulty OData (NxtGen User Group UK)
ukdpe
 
The Developer Experience
Atlassian
 
Design patterns
Alok Guha
 
Clean Code V2
Jean Carlo Machado
 
SOLID Principles of Refactoring Presentation - Inland Empire User Group
Adnan Masood
 
Why Doesn't Java Has Instant Turnaround - Con-FESS 2012
Anton Arhipov
 
Save time by applying clean code principles
Edorian
 
Open Innovation means Open Source
Bertrand Delacretaz
 
Why we (Day) open source most of our code
Bertrand Delacretaz
 
Designing your API Server for mobile apps
Mugunth Kumar
 
From class to architecture
Marcin Hawraniak
 
Is your code solid
Nathan Gloyn
 
Ad

More from mtoppa (19)

PDF
RubyConf 2022 - From beginner to expert, and back again
mtoppa
 
PDF
RailsConf 2022 - Upgrading Rails: The Dual Boot Way
mtoppa
 
PDF
Applying Omotenashi (Japanese customer service) to your work
mtoppa
 
PDF
Talking to strangers causes train wrecks
mtoppa
 
PDF
A11Y? I18N? L10N? UTF8? WTF? Understanding the connections between: accessib...
mtoppa
 
PDF
The promise and peril of Agile and Lean practices
mtoppa
 
PDF
Why do planes crash? Lessons for junior and senior developers
mtoppa
 
PDF
Boston Ruby Meetup: The promise and peril of Agile and Lean practices
mtoppa
 
PDF
A real-life overview of Agile and Scrum
mtoppa
 
PDF
WordCamp Nashville 2016: The promise and peril of Agile and Lean practices
mtoppa
 
PDF
WordCamp US: Clean Code
mtoppa
 
PDF
WordCamp Boston 2015: Agile Contracts for WordPress Consultants
mtoppa
 
PDF
WordCamp Nashville 2015: Agile Contracts for WordPress Consultants
mtoppa
 
PPT
Rails testing: factories or fixtures?
mtoppa
 
PPT
WordCamp Lancaster 2014: A11Y? I18N? L10N? UTF8? WTF?
mtoppa
 
PDF
A real-life overview of Agile workflow practices
mtoppa
 
PDF
Why Agile? Why Now?
mtoppa
 
PDF
Why Do Planes Crash?
mtoppa
 
PDF
Why Scrum Why Now
mtoppa
 
RubyConf 2022 - From beginner to expert, and back again
mtoppa
 
RailsConf 2022 - Upgrading Rails: The Dual Boot Way
mtoppa
 
Applying Omotenashi (Japanese customer service) to your work
mtoppa
 
Talking to strangers causes train wrecks
mtoppa
 
A11Y? I18N? L10N? UTF8? WTF? Understanding the connections between: accessib...
mtoppa
 
The promise and peril of Agile and Lean practices
mtoppa
 
Why do planes crash? Lessons for junior and senior developers
mtoppa
 
Boston Ruby Meetup: The promise and peril of Agile and Lean practices
mtoppa
 
A real-life overview of Agile and Scrum
mtoppa
 
WordCamp Nashville 2016: The promise and peril of Agile and Lean practices
mtoppa
 
WordCamp US: Clean Code
mtoppa
 
WordCamp Boston 2015: Agile Contracts for WordPress Consultants
mtoppa
 
WordCamp Nashville 2015: Agile Contracts for WordPress Consultants
mtoppa
 
Rails testing: factories or fixtures?
mtoppa
 
WordCamp Lancaster 2014: A11Y? I18N? L10N? UTF8? WTF?
mtoppa
 
A real-life overview of Agile workflow practices
mtoppa
 
Why Agile? Why Now?
mtoppa
 
Why Do Planes Crash?
mtoppa
 
Why Scrum Why Now
mtoppa
 

Recently uploaded (20)

PDF
NLJUG Speaker academy 2025 - first session
Bert Jan Schrijver
 
PDF
“ONNX and Python to C++: State-of-the-art Graph Compilation,” a Presentation ...
Edge AI and Vision Alliance
 
PPTX
Digital Circuits, important subject in CS
contactparinay1
 
PDF
Automating Feature Enrichment and Station Creation in Natural Gas Utility Net...
Safe Software
 
PDF
Transforming Utility Networks: Large-scale Data Migrations with FME
Safe Software
 
PDF
CIFDAQ Market Wrap for the week of 4th July 2025
CIFDAQ
 
PDF
Kit-Works Team Study_20250627_한달만에만든사내서비스키링(양다윗).pdf
Wonjun Hwang
 
PPTX
Agentforce World Tour Toronto '25 - Supercharge MuleSoft Development with Mod...
Alexandra N. Martinez
 
PDF
Transcript: Book industry state of the nation 2025 - Tech Forum 2025
BookNet Canada
 
PPTX
Talbott's brief History of Computers for CollabDays Hamburg 2025
Talbott Crowell
 
PDF
99 Bottles of Trust on the Wall — Operational Principles for Trust in Cyber C...
treyka
 
PPTX
Role_of_Artificial_Intelligence_in_Livestock_Extension_Services.pptx
DrRajdeepMadavi
 
PPTX
Mastering ODC + Okta Configuration - Chennai OSUG
HathiMaryA
 
PDF
Evolution: How True AI is Redefining Safety in Industry 4.0
vikaassingh4433
 
PDF
Next Generation AI: Anticipatory Intelligence, Forecasting Inflection Points ...
dleka294658677
 
PDF
What’s my job again? Slides from Mark Simos talk at 2025 Tampa BSides
Mark Simos
 
PDF
[GDGoC FPTU] Spring 2025 Summary Slidess
minhtrietgect
 
PDF
NASA A Researcher’s Guide to International Space Station : Earth Observations
Dr. PANKAJ DHUSSA
 
PDF
Peak of Data & AI Encore AI-Enhanced Workflows for the Real World
Safe Software
 
PDF
UiPath DevConnect 2025: Agentic Automation Community User Group Meeting
DianaGray10
 
NLJUG Speaker academy 2025 - first session
Bert Jan Schrijver
 
“ONNX and Python to C++: State-of-the-art Graph Compilation,” a Presentation ...
Edge AI and Vision Alliance
 
Digital Circuits, important subject in CS
contactparinay1
 
Automating Feature Enrichment and Station Creation in Natural Gas Utility Net...
Safe Software
 
Transforming Utility Networks: Large-scale Data Migrations with FME
Safe Software
 
CIFDAQ Market Wrap for the week of 4th July 2025
CIFDAQ
 
Kit-Works Team Study_20250627_한달만에만든사내서비스키링(양다윗).pdf
Wonjun Hwang
 
Agentforce World Tour Toronto '25 - Supercharge MuleSoft Development with Mod...
Alexandra N. Martinez
 
Transcript: Book industry state of the nation 2025 - Tech Forum 2025
BookNet Canada
 
Talbott's brief History of Computers for CollabDays Hamburg 2025
Talbott Crowell
 
99 Bottles of Trust on the Wall — Operational Principles for Trust in Cyber C...
treyka
 
Role_of_Artificial_Intelligence_in_Livestock_Extension_Services.pptx
DrRajdeepMadavi
 
Mastering ODC + Okta Configuration - Chennai OSUG
HathiMaryA
 
Evolution: How True AI is Redefining Safety in Industry 4.0
vikaassingh4433
 
Next Generation AI: Anticipatory Intelligence, Forecasting Inflection Points ...
dleka294658677
 
What’s my job again? Slides from Mark Simos talk at 2025 Tampa BSides
Mark Simos
 
[GDGoC FPTU] Spring 2025 Summary Slidess
minhtrietgect
 
NASA A Researcher’s Guide to International Space Station : Earth Observations
Dr. PANKAJ DHUSSA
 
Peak of Data & AI Encore AI-Enhanced Workflows for the Real World
Safe Software
 
UiPath DevConnect 2025: Agentic Automation Community User Group Meeting
DianaGray10
 

Dependency Injection for Wordpress

  • 1. Dependency Injection for WordPress Plugin Development Mike Toppa WordCamp Nashville April 21, 2012 #wcn12 www.toppa.com @mtoppa
  • 2. Mike Toppa ● Director of Development, WebDevStudios ● 17 years of experience in web development, project management, and team management ● Universities: Georgetown, Stanford, Penn ● Dot coms: E*Trade, Ask Jeeves ● Start-ups: Finexa, Kai's Candy Co ● WordPress development for non-profits www.toppa.com @mtoppa
  • 4. We want code to be... ● Easy to understand ● Easy to change ● Reusable (DRY) ● Bug free www.toppa.com @mtoppa
  • 5. So why is it usually like this? “O.P.C” http://abstrusegoose.com/432
  • 6. It happens because we are always in a hurry, and requirements are always changing. www.toppa.com @mtoppa
  • 7. But coding fast and dirty only makes us slower in the long run. www.toppa.com @mtoppa
  • 8. “We like to think we spend our time power typing, but we actually spend most of our time staring into the abyss.” - Douglas Crockford principal discoverer of JSON, Creator of JSLint www.toppa.com @mtoppa
  • 9. The ratio of time spent reading code versus writing is well over 10 to 1. Therefore, making code easy to read makes it easier to write. - Bob Martin Paraphrased from his book Clean Code www.toppa.com @mtoppa
  • 10. Clean code saves time, saves $$ www.toppa.com @mtoppa
  • 11. Clean code techniques ● Using meaningful names ● Don't repeat yourself (DRY) ● Object oriented principles and patterns ● Unit testing, test driven development (TDD) ● The “boy scout rule” ● Vertical slicing ● ...and many more www.toppa.com @mtoppa
  • 12. Clean code techniques ● Using meaningful names ● Don't repeat yourself (DRY) ● Object oriented principles and patterns ● Unit testing, test driven development (TDD) ● The “boy scout rule” ● Vertical slicing ● ...and many more www.toppa.com @mtoppa
  • 13. The SOLID Principles ● Single Responsibility (SRP) ● Open-Closed (OCP) ● Liskov Substitution (LSP) ● Interface Segregation (ISP) ● Dependency Inversion (DIP) www.toppa.com @mtoppa
  • 14. The SOLID Principles ● Single Responsibility (SRP) ● Open-Closed (OCP) ● Liskov Substitution (LSP) ● Interface Segregation (ISP) ● Dependency Inversion (DIP) www.toppa.com @mtoppa
  • 15. Shashin My plugin for displaying albums, photos, and videos from Picasa, Twitpic, and YouTube (and others coming soon) www.toppa.com @mtoppa
  • 16. I used the new version as a test case for applying clean code principles to WordPress plugins www.toppa.com @mtoppa
  • 22. My Shashin plugin consists of 44 classes, each of which has a meaningful name, follows the SRP, and “does one thing” PicasaPhotoDisplayer SettingsMenu YouTubeSynchronizer Uninstall etc. www.toppa.com @mtoppa
  • 23. Shashin example class Admin_ShashinInstall { // ... public function run() { $this->createAlbumTable(); $this->verifyAlbumTable(); $this->createPhotoTable(); $this->verifyPhotoTable(); $this->updateSettings(); return true; } // ... } www.toppa.com @mtoppa
  • 24. Class Autoloading ● The problem: ● PHP lacks an equivalent statement to “import” or “use” for classes ● Having to hardcode a bunch of file paths is extra work, and makes code harder to change ● The solution: ● PHP 5.1.2 and spl_autoload_register() ● PHP Standards Working Group: PSR-0 www.toppa.com @mtoppa
  • 25. PSR-0: Official Description ● Each "_" character in the CLASS NAME is converted to a DIRECTORY_SEPARATOR ● The fully-qualified namespace and class is suffixed with ".php" when loading from the file system ● Alphabetic characters... may be of any combination of lower case and upper case ● ...And other rules about namespaces ● Source: https://github.com/php-fig/fig- standards/blob/master/accepted/PSR-0.md www.toppa.com @mtoppa
  • 26. PSR-0 Example Admin_ShashinInstall is translated to Admin/ShashinInstall.php www.toppa.com @mtoppa
  • 27. Toppa Plugin Libraries Autoloader // this is at the top of the main file for my Shashin plugin require_once dirname(__FILE__) . '/../toppa-plugin-libraries-for- wordpress/ToppaAutoLoaderWp.php'; $shashinAutoLoader = new ToppaAutoLoaderWp('/shashin'); // that's it! I can now call “new” on any class under the shashin folder // and its class file will be automatically loaded www.toppa.com @mtoppa
  • 28. Shashin's capabilities are shaped by how its objects are wired together, through implementation of the Dependency Inversion Principle www.toppa.com @mtoppa
  • 30. Naïve model of a button and lamp Lamp Button + turnOn() + poll() + turnOff() class Button { private $lamp; public function __construct(Lamp $lamp) { $this->lamp = $lamp; } public function poll() { if (/* some condition */) { $this->lamp->turnOn(); } } } Example from “Agile Software Development”
  • 31. Dependency inversion applied <<interface>> Button SwitchableDevice + poll() + turnOn() + turnOff() Lamp This is the Abstract Server pattern
  • 32. class Lamp implements SwitchableDevice { public function turnOn() { // code } public function turnOff() { // code } } class Button { private $switchableDevice; public function __construct(SwitchableDevice $switchableDevice) { $this->switchableDevice = $switchableDevice; } public function poll() { if (/* some condition */) { $this->switchableDevice->turnOn(); } } }
  • 33. A web of collaborating objects ● The SRP and DIP together drive a “composition” approach to OO design ● From Growing Object Oriented Software, Guided by Tests: "An object oriented system is a web of collaborating objects... The behavior of the system is an emergent property of the composition of the objects - the choice of objects and how they are connected... Thinking of a system in terms of its dynamic communication structure is a significant mental shift from the static classification that most of us learn when being introduced to objects."
  • 34. Composition (“Has a...”) vs. Inheritance (“Is a...”) www.toppa.com @mtoppa
  • 35. The SRP is about objects that do one thing The DIP is about how to wire them together to create working, flexible software www.toppa.com @mtoppa
  • 36. Never, ever do this class Button { private $lamp; public function __construct() { $this->lamp = new Lamp(); } //... } www.toppa.com @mtoppa
  • 37. Instead, you want to inject the object dependency Dependency injection! www.toppa.com @mtoppa
  • 38. Dependency injection is one of many design patterns for implementing the Dependency inversion principle www.toppa.com @mtoppa
  • 39. It comes in two flavors www.toppa.com @mtoppa
  • 40. Constructor injection public function __construct(SwitchableDevice $switchableDevice) { $this->switchableDevice = $switchableDevice; } www.toppa.com @mtoppa
  • 41. Setter injection public function setSwitchableDevice(SwitchableDevice $switchableDevice) { $this->switchableDevice = $switchableDevice; } www.toppa.com @mtoppa
  • 42. Which to use? It depends www.toppa.com @mtoppa
  • 43. Dependency chains If class A depends on class B, and class B depends on class C, class A should be blissfully unaware of class C www.toppa.com @mtoppa
  • 44. To do this without going insane, you need an injection container www.toppa.com @mtoppa
  • 45. Example from Shashin class Lib_ShashinContainer { // … public function getPhotoRefData() { if (!isset($this->photoRefData)) { $this->photoRefData = new Lib_ShashinPhotoRefData(); } return $this->photoRefData; } public function getClonablePhoto() { if (!isset($this->clonablePhoto)) { $this->getPhotoRefData(); $this->clonablePhoto = new Lib_ShashinPhoto($this->photoRefData); } return $this->clonablePhoto; } www.toppa.com @mtoppa
  • 46. Example continued public function getClonablePhotoCollection() { if (!isset($this->photoCollection)) { $this->getClonablePhoto(); $this->getSettings(); $this->clonablePhotoCollection = new Lib_ShashinPhotoCollection(); $this->clonablePhotoCollection->setClonableDataObject($this->clonablePhoto); $this->clonablePhotoCollection->setSettings($this->settings); } return $this->clonablePhotoCollection; } www.toppa.com @mtoppa
  • 47. Beyond the textbook examples www.toppa.com @mtoppa
  • 48. What to do when you need a new object inside a loop One solution is cloning www.toppa.com @mtoppa
  • 49. Shashin Example class Admin_ShashinSynchronizerPicasa extends Admin_ShashinSynchronizer { // … public function syncAlbumPhotos(array $decodedAlbumData) { // … foreach ($decodedAlbumData['feed']['entry'] as $entry) { $photoData = $this->extractFieldsFromDecodedData($entry, $photoRefData, 'picasa'); // ... $photo = clone $this->clonablePhoto; $photo->set($photoData); $photo->flush(); } www.toppa.com @mtoppa
  • 50. What if you need a new object inside a loop, but can't know the subtype you'll need ahead of time? Let the injection container figure it out www.toppa.com @mtoppa
  • 51. Shashin Example class Public_ShashinLayoutManager { // ... public function setTableBody() { // … for ($i = 0; $i < count($this->collection); $i++) { // ... $dataObjectDisplayer = $this->container->getDataObjectDisplayer( $this->shortcode, $this->collection[$i] ); $this->tableBody .= $dataObjectDisplayer->run(); // ... } www.toppa.com @mtoppa
  • 52. Dependency injection: key benefits ● Makes your object dependencies adaptable to emerging needs ● With an injection container, simplifies managing dependency chains ● Supports “preferring polymorphism to conditionals”, making it easy to add new class subtypes www.toppa.com @mtoppa
  • 53. Will this proliferation of objects eat up all my memory? No www.toppa.com @mtoppa
  • 54. Use dependency injection to instantiate only the objects you need, when you need them www.toppa.com @mtoppa
  • 55. Make immutable objects into properties of the container, so you only need to instantiate them once www.toppa.com @mtoppa
  • 56. PHP 5 has improved memory management “In PHP 5, the infrastructure of the object model was rewritten to work with object handles. Unless you explicitly clone an object by using the clone keyword you will never create behind the scene duplicates of your objects. In PHP 5, there is neither a need to pass objects by reference nor assigning them by reference.” From http://devzone.zend.com/article/1714 www.toppa.com @mtoppa
  • 57. But don't overdo it: avoid needless complexity

Editor's Notes

  • #4: This means different things to different people Smashing Magazine article compared them in terms of: Structure – short line lengths, indentions Purpose – limericks for humor, not using HTML tables for layout Meaning and Efficiency – how intent is conveyed, how bloat is avoided Perception – perceived as the master&apos;s craft “apex of the written word” - custom wooden staircases parallel But while we can appreciate poetry with hidden meaning and indirection, that&apos;s not what we want in our code
  • #5: Easy to understand Intention revealing: not just what, but also why Easy to change Adaptable to emerging needs: not fragile, not rigid Reusable (DRY) If we copy and paste, we are creating duplicate code we have to maintain Bug free Broken code costs time, money, and reputation
  • #7: Tight deadlines Too much work Changing requirements Too many useless meetings Other people&apos;s messy code Our messy code Just make it work and get on to the next thing!
  • #8: And launching buggy code can cost money and reputation
  • #11: The exact shape of these lines is hotly debated May projects have ultimately failed because of the steep cost curve of messy code
  • #14: Design patterns you may know or heard of, are ways of expressing these design principles
  • #15: To explain dependency injection, I need to explain the DIP, and to explain it, I first need to explain the SRP
  • #16: I&apos;m going to show SRP and DIP examples of code from Shashin
  • #17: Clean code books and articles all use other languages as examples – I wanted to try applying them to PHP and WordPress
  • #20: Shashin supports multiple viewers
  • #21: There&apos;s a lot going on here. A lot of different data sources and display possibilities to support. How do you keep the code from becoming a tangled mess?
  • #22: Do one thing, do it well, do it only For methods, this typically means changing the value of only one variable If you are passing more than 2 or 3 arguments into a method, you are probably doing more than one thing For classes, it means having a single conceptual responsibility You want high cohesiveness in a class This is the opposite of how most WordPress plugins are written
  • #24: The whole class is about 150 lines The run method calls the other methods (this is a simple use of the command pattern) It reads like a table of contents Breaking the functionality down into methods that do one thing makes the code easier to read and to unit test Installation is especially useful to break down into small methods that can have automated tests, as plugin activation is especially difficult to debug
  • #25: spl_autoloader_register allows you to register a function that will be called when PHP encounters a “new” call, for finding and including the file containing the class. You can register more than one function.
  • #27: The problem is, this conflicts with WordPress naming conventions
  • #30: It&apos;s common to see code that hard-wires together all the parts, when those connections could be made more flexible and extensible
  • #31: This solution violates the DIP Button depends directly on Lamp Button is not reusable It can&apos;t control, for example, a Motor
  • #32: What it means Neither Button nor Lamp “own” the interface Buttons can now control any device that implements SwitchableDevice Lamps and other SwitchableDevices can now be controlled by any object that accepts a SwitchableDevice
  • #33: Not shown here is the interface
  • #34: Author: Steve Freeman and Nat Pryce
  • #37: There was one thing that was ok in the naïve example – we were at least passing in the lamp object Instantiating it directly in the class makes your code impossible to unit test
  • #39: Factory pattern, adapter patter, service locator pattern are others that implement the DIP
  • #43: Constructor injection gives you a valid object, with all its dependencies, upon construction But constructor injection becomes hard to read and use when there are more than a few objects to inject More about this in an upcoming slide...
  • #44: We want loose coupling, not a rigid chain of dependencies that is hard to change
  • #46: I am making the objects properties of the container, because they happen to be immutable objects, so they are reusable You can see I&apos;m using constructor injection I&apos;ll explain in a minute why I called it a “clonable” photo
  • #47: Start with constructor injection As your design evolves, switch to setter injection once there are more than 2 objects to inject If you rely on an injection container, you don&apos;t have to worry about forgetting to call a required setter
  • #51: This was an interesting problem for me with Shashin. It supports multiple media sources (Picasa, etc), multiple viewers (Fancybox, etc), and we could be displaying a photo or an album cover, each of which has different behaviors
  • #52: Regardless of the type, the layout rules for the thumbnails is always the same So here I&apos;ve injected the container itself getDataObjectDisplayer() uses the passed in arguments to determine which subtype of DataObjectDisplayer to return
  • #58: The complexity of having 44 classes in Shashin is justified by its need for flexibility You can support a new viewer or a new photo service simply by creating a new subclass. This is much more maintainable and extensible than a single huge file with deeply nested conditionals and unclear dependencies But if I knew I would never need that kind of flexibility, there would be no justification for creating these layers of abstraction – they would just be needless complexity