Download the PHP package chippyash/builderpattern without Composer

On this page you can find all versions of the php package chippyash/builderpattern. It is possible to download/install these versions without Composer. Possible dependencies are resolved automatically.

FAQ

After the download, you have to make one include require_once('vendor/autoload.php');. After that you have to import the classes with use statements.

Example:
If you use only one package a project is not needed. But if you use more then one package, without a project it is not possible to import the classes with use statements.

In general, it is recommended to use always a project to download your libraries. In an application normally there is more than one library needed.
Some PHP packages are not free to download and because of that hosted in private repositories. In this case some credentials are needed to access such packages. Please use the auth.json textarea to insert credentials, if a package is coming from a private repository. You can look here for more information.

  • Some hosting areas are not accessible by a terminal or SSH. Then it is not possible to use Composer.
  • To use Composer is sometimes complicated. Especially for beginners.
  • Composer needs much resources. Sometimes they are not available on a simple webspace.
  • If you are using private repositories you don't need to share your credentials. You can set up everything on our site and then you provide a simple download link to your team member.
  • Simplify your Composer build process. Use our own command line tool to download the vendor folder as binary. This makes your build process faster and you don't need to expose your credentials for private repositories.
Please rate this library. Is it a good library?

Informations about the package builderpattern

chippyash/builder-pattern

Quality Assurance

PHP 5.5 PHP 5.6 PHP 7 Build Status Test Coverage Code Climate

The above badges represent the current development branch. As a rule, I don't push to GitHub unless tests, coverage and usability are acceptable. This may not be true for short periods of time; on holiday, need code for some other downstream project etc. If you need stable code, use a tagged version. Read 'Further Documentation' and 'Installation'.

Test Contract (37 tests, 65 assertions) in the docs directory.

Please note that developer support for PHP5.5 was withdrawn at version 3.0.0 of this library. If you need support for PHP 5.5, please use a version >=2,<3

What?

Provides an implementation of the Builder Pattern for PHP.

The library is released under the GNU GPL V3 or later license

If you have PlantUML installed, you can view the UML diagrams in the docs folder.

See the test contract in the docs folder.

Why

Solve the problem once! The requirement was to have a builder pattern implementation that can:

How

The solution breaks the problem into parts:

Coding Basics

Please see the example script, Builders and Director in the examples folder. They demonstrate all the principles of using the library. Try changing the Director to use a different Renderer. Add some additional data items to a builder. Add a modification into a builder, with a Director method that allows the client script to control the build.

Creating Builders

Extend your builder from AbstractBuilder and add a protected function setBuildItems() to add items to the $this->buildItems associative array. Items can be simple value holders or implementations of another builder. e.g.

    protected function setBuildItems()
    {
        $this->buildItems = [
            'name' => '',
            'createdate' => new \DateTime(),
            'account' => new AccountBuilder(),
            'exportName => function(){return 'BuilderPattern!';}
        ];
    }

Under normal circumstances, you can reference your builder items using

    $builder->itemname = $value
    $value = $builder->itemname
    //or
    $builder->SetItemname($value)
    $value = $builder->getItemname()

Using the set... method has the advantage that it presents a fluent interface thus allowing you to chain setters together.

In some circumstances, you may want to add some special processing to setting and getting. Simply create a public setItemname($value) method or getItemname() method. Similarly you can provide a hasItemname() method to override default isset() behaviour.

    public function setName($value)
    {   
        $this->buildItems['name'] = ucfirst($value);
        return $this;
    }

You can create a collection builder by extending AbstractCollectionBuilder. In this case you do not need to add a setBuildItems() method as this is already done in the abstract parent class.

Note that adding override methods generally does not make sense for a collection builder. Collection builders support methods for adding builders to the collection:

    $cBuilder->addBuilder($builder);
    $cBuilder->setCollection(array($builder1, $builder2, ...));
    $collection = $cBuilder->getCollection()

All builders support building and getting the results:

    if ($builder->build()) {
        $result = $builder->getResult();
    } else {
        //...
    }

Creating Directors

Create a Director by extending the AbstractDirector class and providing it with a constructor that extends the parent

class CustomerDirector extends AbstractDirector
{
    public function __construct()
    {
        parent::__construct(new CustomerBuilder(), new JsonRenderer());
    }
}

You can use the supplied renderers, or create your own. The above snippet is the minimum you need to do. You can add setup steps in the constructor:

    public function __construct(EventManagerAwareInterface $modifier)
    {
        $builder = new CustomerBuilder();
        parent::__construct($builder, new JsonRenderer());

        //set test account details
        $builder->setName('Mrs Felicia Bailey');
        $builder->account->id = '023197';
    }

You can also add methods that are available to clients of the director:

    public function setName($name)
    {
        $this->builder->setName($name);
        return $this;
    }

    public function setAccountId($id)
    {
        $this->builder->account->setId($id);
        return $this;
    }

Modifying the build

The library supports an event driven modification system that gives you great control over the build process. By default the Builders do not support this. To enable it you need to call the setModifier() method on the root builder, which will ripple it down the builder tree. A stock modifier is provided in the form of Chippyash\BuilderPattern\Modifier, but you can create your own by implementing the Zend\EventManager\EventManagerAwareInterface if you need to.

If you are using the BuilderPattern in some large system you may want to instantiate the Modifier outside of the Directors and pass it in, so the event train is shared between all your application components. The CustomerDirector example does this:

class CustomerDirector extends AbstractDirector
{
    public function __construct(EventManagerAwareInterface $modifier)
    {
        $builder = new CustomerBuilder();
        $builder->setModifier($modifier);
    }
}

By default, the AbstractDirector knows about and supports two events,

These are triggered just before build commences and just after success of the build respectively. NB. You can create triggers and listeners for other events.

Adding modifiers

Adding a modifier (trigger) to the pre or post build trigger stack is straightforward, simply call the root builder modify() method. modify() expects two parameters:

Here's an example from the CustomerDirector:

    public function buyItem($itemId, $amount)
    {
        $this->builder->modify(
                ['name' => 'addPurchase',
                 'id' => $itemId,
                 'date' => new \DateTime],
                ModifiableInterface::PHASE_PRE_BUILD
                );
        $this->builder->modify(
                ['name' => 'updateBalance',
                 'amount' => $amount],
                ModifiableInterface::PHASE_PRE_BUILD
                );

        return $this;
    }

The modify() method is best used for the two supported events. If you want to trigger another type of event you can call the trigger method on the event manager directly

    $modifer->getEventManager()->trigger($eventName, $this, $params);

This allows a great degree of control, particularly where you are using builders as part of a larger system, and that system is able to modify the eventual build result a long time before the build actually takes place.

Of course for every trigger, you need one or more listeners. You put these in your Builder classes. In Builders that you want to have listeners, extend the setModifier() method to set up your listeners:

    public function setModifier(EventManagerAwareInterface $modifier)
    {
        parent::setModifier($modifier);
        $this->modifier->getEventManager()->attach(ModifiableInterface::PHASE_PRE_BUILD, [$this,'preBuildListener']);
    }

In this example, we are telling the event manager to use the preBuildListener() method to answer to a pre build trigger. A typical implementation might be:

    public function preBuildListener(Event $e)
    {
        if ($e->getParam('name') == 'updateBalance') {
            $this->balance += $e->getParam('amount');
        }
    }

A note on renderers

Being able to build some sort of data structure is well and good, but the real power of the BuilderPattern comes from what you can do with it. Three basic renderers are provided:

You will almost certainly want to create your own renderers, simply do this by implementing the RendererInterface. Some ideas:

Changing the library

  1. fork it
  2. write the test
  3. amend it
  4. do a pull request

Found a bug you can't figure out?

  1. fork it
  2. write the test
  3. do a pull request

NB. Make sure you rebase to HEAD before your pull request

Where?

The library is hosted at Github. It is available at Packagist.org as a Composable module

Installation

Install [Composer] (https://getcomposer.org/)

For production

add

    "chippyash/builderpattern": ">=3,<4"

to your composer.json "requires" section.

For development

Clone this repo, and then run Composer in local repo root to pull in dependencies

    git clone [email protected]:chippyash/Builder-Pattern.git DataBuilder
    cd DataBuilder
    composer install --dev

To run the tests:

    cd DataBuilder
    vendor/bin/phpunit -c test/phpunit.xml test/

Some other stuff

Check out ZF4 Packages for more packages

License

This software library is released under the BSD 3 Clause license

This software library is Copyright (c) 2015-2016, Ashley Kitson, UK

A commercial license is available for this software library, please contact the author. It is normally free to deserving causes, but gets you around the limitation of the GPL license, which does not allow unrestricted inclusion of this code in commercial works.

History

1.0.0 initial version

1.0.1 integrate travis and coveralls

1.0.2 complete test pack

1.0.3 add test contract

1.1.0 new feature: allow use of closures as build items

1.1.1 make library agnostic of Zend-EventManager version

2.0.0 BC Break: change namespace from chippyash\BuilderPattern to Chippyash\BuilderPattern

2.0.1 move from coveralls to codeclimate

2.0.2 Add link to packages

2.0.3 Verify PHP7 compatibility

2.0.4 Update build runner

2.0.5 update composer - forced by packagist composer.json format change

3.0.0 BC Break. Withdraw support for older PHP versions

3.1.0 Change of license from GPL V3 to BSD 3 Clause


All versions of builderpattern with dependencies

PHP Build Version
Package Version
Requires php Version >=5.6
zendframework/zend-eventmanager Version *
Composer command for our command line client (download client) This client runs in each environment. You don't need a specific PHP version etc. The first 20 API calls are free. Standard composer command

The package chippyash/builderpattern contains the following files

Loading the files please wait ....