Skip to content

Latest commit

 

History

History
60 lines (38 loc) · 1.81 KB

README.md

File metadata and controls

60 lines (38 loc) · 1.81 KB
composer require scope-guard/scope-guard dev-master

ScopeGuard for PHP

This is a PHP implementation of the ScopeGuard idiom.

You can use this whenever you want to schedule code to run on the end of a scope. If you are already mainly using exceptions the readability of some pieces of code can improve greatly.

You can differentiate between code that should be executed

  • always (onExit)
  • when the scope is left early through an exception or early return (onFailure)
  • when the scope is left sucessfully (onSuccess)

Simplest example

This closes a connection on scope exit.

use ScopeGuard\Scope;

$connection = connect() 
$scope = new Scope;
$scope->onExit([$connection, 'disconnect']);

/* do stuff with $connection */

/* explicit or implicit return, ->disconnect() is called here */
return;

OnFailure example

use ScopeGuard\Scope;

$salesEntry = new SalesEntry;

$scope = new Scope;
$scope->onFailure(function use ($serviceDesk, $salesEntry) { $serviceDesk->alertRepresentative($salesEntry); }); 

/* more logic here */

// this makes sure any success handlers are called. 
// any other path leads to the failure handlers being called
$scope->markSuccessful(); 

// unset can manually trigger the handlers (taking into account the regular reference-counting semantics)
unset($scope);

Probably you will find onFailure the most useful for doing rollbacks, attaching more handlers as the script progresses, and entering the failure flow by throwing an exception.

OnSuccess will generally not be used because your normal code is the success case, but it may help to group some statements more logically.

OnExit can be used for something like cleanup which must be done regardless of what the eventual outcome of the script was.

It is perfectly fine to use multiple Scope object at the same time.