Outputs expression.
print is not a function but a language construct. Its argument is the expression following the print keyword, and is not delimited by parentheses.
The major differences to echo are that print only accepts a single argument and always returns 1.
Parameters
- expression
-
The expression to be output. Non-string values will be coerced to strings, even when the strict_types directive is enabled.
Return Values
Returns 1, always.
Notes
Note:
Using with parenthesesSurrounding the argument to print with parentheses will not raise a syntax error, and produces syntax which looks like a normal function call. However, this can be misleading, because the parentheses are actually part of the expression being output, not part of the print syntax itself.
<?php
print "hello";
// outputs "hello"
print("hello");
// also outputs "hello", because ("hello") is a valid expression
print(1 + 2) * 3;
// outputs "9"; the parentheses cause 1+2 to be evaluated first, then 3*3
// the print statement sees the whole expression as one argument
if ( print("hello") && false ) {
print " - inside if";
}
else {
print " - inside else";
}
// outputs " - inside if"
// the expression ("hello") && false is first evaluated, giving false
// this is coerced to the empty string "" and printed
// the print construct then returns 1, so code in the if block is run
?>
When using print in a larger expression, placing both the keyword and its argument in parentheses may be necessary to give the intended result:
<?php
if ( (print "hello") && false ) {
print " - inside if";
}
else {
print " - inside else";
}
// outputs "hello - inside else"
// unlike the previous example, the expression (print "hello") is evaluated first
// after outputting "hello", print returns 1
// since 1 && false is false, code in the else block is run
print "hello " && print "world";
// outputs "world1"; print "world" is evaluated first,
// then the expression "hello " && 1 is passed to the left-hand print
(print "hello ") && (print "world");
// outputs "hello world"; the parentheses force the print expressions
// to be evaluated before the &&
?>
Note:
Because this is a language construct and not a function, it cannot be called using variable functions, or named arguments.