m3tsys
m3tsys

Reputation: 3969

php echo if two conditions are true

The actual code looks like this:

if (file_exists($filename)) {echo $player;

} else { 

echo 'something';

but it displays the player even if the id is not called from the url

i need something like this:

check if $filename exists and $id it is not empty then echo $player

if else echo something else

i check if $id is not empty with

if(empty($id)) echo "text";

but i don't know how to combine both of them

Can somebody help me?

Thank you for all your code examples but i still have a problem:

How i check if $id is not empty then echo the rest of code

Upvotes: 8

Views: 88865

Answers (6)

Tadeck
Tadeck

Reputation: 137410

Using ternary operator:

echo (!empty($id)) && file_exists($filename) ? 'OK' : 'not OK';

Using if-else clause:

if ( (!empty($id)) && file_exists($filename) ) {
    echo 'OK';
} else {
    echo 'not OK';
}

Upvotes: 1

Tom Claus
Tom Claus

Reputation: 1291

if (file_exists($filename) && !empty($id)){
   echo $player;
}else{
   echo 'other text';
}

Upvotes: 2

lonesomeday
lonesomeday

Reputation: 237975

You need the logical AND operator:

if (file_exists($filename) AND !empty($id)) {
    echo $player;
}

Upvotes: 5

afarazit
afarazit

Reputation: 4984

you need to check $id along with file_exists($filename) as follows

if (file_exists($filename) && $id != '') {
echo $player;

} else { 
echo 'something';
}

Upvotes: 1

No Results Found
No Results Found

Reputation: 102784

Just use the AND or && operator to check two conditions:

if (file_exists($filename) AND ! empty($id)): // do something

It's fundamental PHP. Reading material:

http://php.net/manual/en/language.operators.logical.php

http://www.php.net/manual/en/language.operators.precedence.php

Upvotes: 5

Pentium10
Pentium10

Reputation: 207982

if (!empty($id) && file_exists($filename))

Upvotes: 16

Related Questions