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

Amit Merchant

A blog on PHP, JavaScript, and more

Short functions could be coming in PHP 8.1

PHP 8 is around the corner and it is coming packed with a lot of new features. But there’s something exciting cooking in PHP 8.1 already.

Remember arrow functions which were released way back with PHP 7.4? This is the feature where the following…

$numbers = array_map(function($value) use ($factor){
    return $value * $factor;
}, [1, 2, 3]);

…is equivalent to the following.

$numbers = array_map(fn($value) => $value * $factor, [1, 2, 3]);

This was to make the Closures with only a single expression tidier and compact just like we have arrow functions in JavaScript.

Well, for reasons similar to above, this RFC can bring short functions to PHP 8.1 if accepted.

Short functions

Essentially, the RFC tries to bring the arrow function’s convenience to the named functions with a single expression. So, if we have the following function…

function add(int $a, int $b): int 
{
    return $a + b;
}

Using short functions, this can be shortened to the following.

function add(int $a, int $b): int => $a + $b;

As you can tell, the short function syntax is more concise and removes extra visual clutter in cases where the function only contains an expression.

From the RFC,

Allowing functions to be written in a more expression-y way helps with conceptualizing a program as evaluating expressions, not statement steps.

Meaning, writing functions using the short function syntax can make the code look more natural if you’re only evaluating and returning things from the function using a single expression.

And lastly, as you can return any expression from the short function, you could also use match expressions in conjunction with short function like so.

function guessFruit(int $fruit): string => match ($fruit) {
    'apple' => 'fruit is apple',
    'orange' => 'fruit is orange',
    default => 'fruit is banana',
};

print guessFruit('apple') . PHP_EOL; // fruit is apple

Which is equivalent to be writing it in PHP 8 like so.

function guessFruit(int $fruit): string
{
    return match ($fruit) {
        'apple' => 'fruit is apple',
        'orange' => 'fruit is orange',
        default => 'fruit is banana',
    }
}

print guessFruit('apple') . PHP_EOL; // fruit is apple

Pretty dense, no?

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?