When you see a change in the major version (the number before the first point of the version id), expect a great leap. New features have been added to PHP in version 7, that make programming more convenient. I’m going to discuss some of them.
Null Coalescing
Suppose you’re trying to get a value from a request, and set it to zero if not sent. So instead of typing
$val = $_GET['foo'];
if ($val == null)
$val=0;
Simply use ??
as follows:
$val = $_GET['foo'] ?? 0;
The Spaceship Comparison Operator
When making a decision based on comparisons between to values, would you like to use a switch
command instead of if ... else
? Use the operator ‘<=>’ to compare numbers or strings.
$a<=>$b
will return one of the following values:
* -1 if $a
is smaller than $b
* 0 if $a
equals $b
* 1 if $a
is greater than $b
Generator Functions
Generator functions have been introduced in PHP 5.5. They allow you to elegantly use generated values in a foreach
loop without calling the function time and time again.
For example, the following code:
<?php
function factUpTo($n){
$genValue=1;
for ($i=1; $i<=$n;$i++){
$genValue *= $i;
yield $genValue;
}
}
foreach (factUpTo(8) as $j){
print $j . "\n";
}
?>
produces the following output:
1
2
6
24
120
720
5040
40320
Following are features introduced in PHP 7:
Returned Values
In addition to generating values, a generator can return a value using the return
command. This value will be retrieved by the caller using the method getReturn()
.
For example, the code:
<?php
$gen = (function() {
yield 1;
yield 2;
return 3;
})();
foreach ($gen as $val) {
echo $val, PHP_EOL;
}
echo $gen->getReturn(), PHP_EOL;
will produce the output:
1
2
3
Delegation
A generator function can generate values using another generator function. This can be done by adding the keyword from
after the command yield
.
For example, the following code:
<?php
function gen()
{
yield 1;
yield 2;
yield 4;
yield from gen2();
}
function gen2()
{
yield 8;
yield 16;
}
foreach (gen() as $val)
{
echo $val, PHP_EOL;
}
?>
will produce the following output
1
2
4
8
16
Return Type Declaration
A return type can be declare by adding it at the end of the function declaration after colons.
For example:
function myFunc(): int
{
.
.
.
return $retValue;
}
returns an integer.
Why Write The Return Type At The End?
Two possible reasons to write the type at the end of the declaration and not at the beginning like in Java, C, and other c-like languages:
* In PHP, the function declaration begins with the keyword funcction
. The return type is optional.
* This syntax already exists in AcrionScript.
Find more about PHP 7 in the chapter Migrating from PHP 5.6.x to PHP 7.0.x of the php.net site documentation.
Written with StackEdit.
