Get "PHP 8 in a Nuthshell" (Now comes with PHP 8.3)
Amit Merchant

Amit Merchant

A blog on PHP, JavaScript, and more

Immediately Invoked Function Expression in PHP

Sometimes all you need is to define and call function at the same time and only once throughout the scope. Such functions are called as Immediately Invoke Function Expression (IIFE) also known as Self-Executing Anonymous Function.

IIFE is a design pattern you’ve most probably seen in some of the other popular scripting language such as JavaScript. In JavaScript, the primary reason to use an IIFE is to avoid contaminating Javascript global space with unneeded variables is to move the code into an immediately called anonymous closure.

We can use IIFE for the similar reasons in PHP as well. An IIFE can be written by wrapping a closure by parenthesis, which will create a function expression and then including () at the end of our function expression, it will invoke the IIFE immediately.

So, a typical function in PHP can be defined and called like so.

function doSomething()
{
    echo "Hello World!";
}

doSomething();

If you want to covert the above function into a IIFE in PHP 7+, you can do it like so.

// For PHP 7 or higher

(function() {
    echo "Hello World!";
})();

// Hello World!

The function would get invoked immediately without being called. And hence the name Immediately Invoked Function Expression.

Another cool thing about IIFEs is you can also pass in arguments to it if you want to like so.

(function($a, $b) {
    $sum = $a + $b;
    echo $sum;
})(25, 9);

// 34

The similar can be achieved in versions lower than PHP 7 by passing in an anonymous function in call_user_func like so.

// For versions lower than PHP 7

call_user_func(function() {
    echo "Hello World!";
});

And for working with arguments, here’s how you can do it.

call_user_func(function($a, $b) {
    $sum = $a + $b;
    echo $sum;
}, 25, 9);
Learn the fundamentals of PHP 8 (including 8.1, 8.2, and 8.3), the latest version of PHP, and how to use it today with my new book PHP 8 in a Nutshell. It's a no-fluff and easy-to-digest guide to the latest features and nitty-gritty details of PHP 8. So, if you're looking for a quick and easy way to PHP 8, this is the book for you.

Like this article? Consider leaving a

Tip

👋 Hi there! I'm Amit. I write articles about all things web development. You can become a sponsor on my blog to help me continue my writing journey and get your brand in front of thousands of eyes.

Comments?