Immediately-Invoked Function Expressions in PHP

In JavaScript

A common patten in JavaScript is immediately-invoked function expressions, also known as self-executing anonymous functions. These allow you to create a private scope that won’t pollute the global namespace. They look like this:

<?php
(function () {
    // variables defined here are 
    // only visible in this scope
}());

In PHP

Since PHP 5.3 brought along anonymous functions, the same can be done in PHP. Albeit with a slightly less elegant syntax:

<?php
call_user_func(function() {
    // do something
});

This is useful in PHP if you have some code that has side effects but you don’t want to litter variables. Real world examples

When bootstrapping a framework or CMS, you often have to setup the environment by defining some constants. With IIFEs you’re free to use variables liberally so you’re code’s easier to understand.

<?php
call_user_func(function() {
    // do some work, creating $result
    define('SOMETHING', $result)
});

You can even return a variable from the function and assign it to a variable:

<?php
$var = call_user_func(function() {
    $a = 2;
    $b = 2;
    return $a + $b;
});

Another use is registering namespaces with autoloaders (if you’re not using composer yet):

<?php
call_user_func(function() {
    require_once './vendor/symfony/src/Symfony/Component/ClassLoader/UniversalClassLoader.php';
    $loader = new Symfony\Component\ClassLoader\UniversalClassLoader();
    $loader->registerNamespace('Acme', __DIR__.'/vendor/acme/src');
});

The future?

PHP 5.5 looks like it has lots of interesting features. Hopefully one them will be better function dereferencing. If it is, we can expect to have a syntax like the following, without the ugly call to calluserfunc:

<?php
// php 5.5?
function() {
    // do something
}();

It’s great to see PHP improving and gradually making functions first-class citizens. Perhaps one day we’ll be able to pass functions around in PHP as easily as as we can in languages like JavaScript.