Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

What is this alternative if/else syntax in PHP called?

Tags:

php

What is the name of the following type of if/else syntax:

print $foo = ($hour < 12) ? "Good morning!" : "Good afternoon!";

I couldn't find any dedicated page in the php manual. I knew that it existed, because I've read a book (last year) with it, and now I found this post.

like image 497
SOMN Avatar asked Dec 01 '12 23:12

SOMN


1 Answers

This is called a ternary expression

http://php.net/manual/en/language.expressions.php

You should note, this is not an "alternate syntax for if" as it should not be used to control the flow of a program.

In the simple example of setting variables, it can help you avoid lengthy if statements like this: (ref: php docs)

// Example usage for: Ternary Operator
$action = (empty($_POST['action'])) ? 'default' : $_POST['action'];

// The above is identical to this if/else statement
if (empty($_POST['action'])) {
    $action = 'default';
} else {
    $action = $_POST['action'];
}

However it can be used other places than just simple variable assignent

function say($a, $b) {
    echo "{$a} {$b}";
}

$foo = false;

say('hello', $foo ? 'world' : 'planet');

//=> hello planet
like image 171
maček Avatar answered Sep 21 '22 13:09

maček