PHP syntax and semantics
The syntax and semantics of PHP, a programming language, form a set of rules that define how a PHP program can be written and interpreted. OverviewHistorically, the development of PHP has been somewhat haphazard. To counter this, the PHP Framework Interop Group (FIG) has created The PHP Standards Recommendation (PSR) documents that have helped bring more standardization to the language since 2009.[1] The modern coding standards are contained in PSR-1 (Basic Coding Standard)[2] and PSR-2 (Coding Style Guide).[3] KeywordsSome keywords represent things that look like functions, some look like constants, but they are actually language constructs. It is forbidden to use any keywords as constants, class names, functions or methods. Using them as variable names is allowed, but it can be confusing.[4]
Basic language constructsPHP generally follows C syntax, with exceptions and enhancements for its main use in web development, which makes heavy use of string manipulation. PHP variables must be prefixed by " DelimitersThe PHP processor only parses code within its delimiters. Anything outside its delimiters is sent directly to the output and not parsed by PHP. The only open/close delimiters allowed by PSR-1[6] are " The purpose of the delimiting tags is to separate PHP code from non-PHP data (mainly HTML). Although rare in practice, PHP will execute code embedded in any file passed to its interpreter, including binary files such as PDF or JPEG files, or in server log files.[7][8] Everything outside the delimiters is ignored by the PHP parser and is passed through as output.[9] These recommended delimiters create correctly formed XHTML and other XML documents.[10] This may be helpful if the source code documents ever need to be processed in other ways during the life of the software. If proper XML validation is not an issue, and a file contains only PHP code, it is preferable to omit the PHP closing ( Non-recommended tagsOther delimiters can be used on some servers, though most are no longer supported.[12] Examples are:
Variables and commentsVariables are prefixed with a dollar symbol and a type does not need to be specified in advance. Unlike function and class names, variable names are case-sensitive. Both double-quoted ( PHP has three types of comment syntax: Simplest programThe usual "Hello World" code example for PHP is:[16] <?php
echo "Hello World!\n";
?>
The example above outputs the following: Hello World! Instead of using <!DOCTYPE html>
<html>
<head>
<title>PHP "Hello, World!" program</title>
</head>
<body>
<p><?="Hello World!"?></p>
</body>
</html>
The above example also illustrates that text not contained within enclosing PHP tags will be directly output. OperatorsPHP supports: arithmetic operators, assignment operators, bitwise operators, comparison operators, error control operators, execution operators, increment/decrement operators, logical operators, string operators, array operators, conditional assignment operators.[17] Control structuresConditionalsIf ... else statementThe syntax of a PHP if ... else statement is as follows: if (condition) {
// statements;
} elseif (condition2) {
// statements;
} else {
// statements;
}
For single statements, the brackets may be omitted and the if optionally condensed to a single line: if (condition) dosomething();
elseif (condition2) dosomethingelse();
else doyetathirdthing();
Ternary conditional operator$abs = $value >= 0 ? $value : -$value;
/* Equivalent to */
if ($value >= 0) {
$abs = $value;
} else {
$abs = -$value;
}
Elvis operatorSince PHP 5.3 supports Elvis operator ( $c = $a ?: $b;
/* Equivalent to */
$c = $a ? $a : $b;
Null coalescing operatorSince version 7.0 PHP also supports Null coalescing operator ( $a = $b ?? $c;
/* Equivalent to */
$a = isset($b) ? $b : $c;
Since version 7.4 PHP also supports Null coalescing operator with the $a ??= $b;
/* Equivalent to */
$a = $a ?? $b;
Safe navigation operatorSince version 8.0 PHP also supports Safe navigation operator ( $variable = $object?->method();
/* Equivalent to */
$variable = $object !== null ? $object->method() : null;
Switch statementAn example of the syntax of a PHP switch statement is as follows: switch (expr) {
case 0:
// statements;
break;
case 1:
// statements;
break;
case 2:
// statements;
break;
default:
// statements;
}
Note that unlike in C, values in case statement can be any type, not just integers.[18] Match expressionPHP 8 introduces the echo match (1) {
0 => 'Foo',
1 => 'Bar',
2 => 'Baz',
};
//> Bar
LoopsFor loopThe PHP syntax of a for loop is as follows: for (initialization; condition; afterthought) {
// statements;
}
While loopThe syntax for a PHP while loop is as follows: while (condition) {
// statements;
}
Do while loopThe syntax for a PHP do while loop is as follows: do {
// statements;
} while (condition);
For each loopThe syntax for a PHP for each loop is as follows: foreach ($set as $value) {
// statements;
}
Alternative syntax for control structuresPHP offers an alternative syntax using colons rather than the standard curly-brace syntax (of " if (condition):
// code here
elseif (condition):
// code here
else:
// code here
endif;
This style is sometimes called template syntax, as it is often found easier to read when combining PHP and HTML or JavaScript for conditional output: <html>
<?php if ($day == 'Thursday'): ?>
<div>Tomorrow is Friday!</div>
<?php elseif ($day == 'Friday'): ?>
<div>TGIF</div>
<?php else: ?>
<div>ugh</div>
<?php endif; ?>
</html>
Exception handlingRuntime exception handling method in PHP is inherited from C++.[23] function inv($x)
{
if ($x == 0) {
throw new Exception('Division by zero');
}
return 1 / $x;
}
try {
echo inv(2); // prints 0.5
echo inv(0); // throw an exception
echo inv(5); // will not run
} catch (Exception $e) {
echo $e->getMessage(); // prints Division by zero
}
// Continue execution
echo "Hello"; // prints Hello
Data typesScalar typesPHP supports four scalar types: BooleanPHP has a native Boolean type, named " IntegerPHP stores whole numbers in a platform-dependent range. This range is typically that of 32-bit or 64-bit signed integers.[26] Integer variables can be assigned using decimal (positive and negative), octal, hexadecimal, and binary notations. $a = 1234; // decimal number
$b = 0321; // octal number (equivalent to 209 decimal)
$c = 0x1B; // hexadecimal number (equivalent to 27 decimal)
$d = 0b11; // binary number (equivalent to 3 decimal)
$e = 1_234_567; // decimal number (as of PHP 7.4.0)
FloatReal numbers are also stored in a platform-specific range. They can be specified using floating point notation, or two forms of scientific notation.[27] $a = 1.234;
$b = 1.2e3; // 1200
$c = 7E-5; // 0.00007
$d = 1_234.567; // as of PHP 7.4.0
StringPHP supports Double quoted strings support variable interpolation: $age = '23';
echo "John is $age years old"; // John is 23 years old
Curly braces syntax:[29] $f = "sqrt";
$x = 25;
echo "a$xc\n"; // Warning: Undefined variable $xc
echo "a{$x}c\n"; // prints a25c
echo "a${x}c\n"; // also prints a25c
echo "$f($x) is {$f($x)}\n"; // prints sqrt(25) is 5
Special typesPHP supports two special types: Compound typesPHP supports four compound types: ArrayArrays can contain mixed elements of any type, including resources, objects.[31] Multi-dimensional arrays are created by assigning arrays as array elements. PHP has no true array type. PHP arrays are natively sparse and associative. Indexed arrays are simply hashes using integers as keys. Indexed array: $season = ["Autumn", "Winter", "Spring", "Summer"];
echo $season[2]; // Spring
Associative array: $salary = ["Alex" => 34000, "Bill" => 43000, "Jim" => 28000];
echo $salary["Bill"]; // 43000
Multidimensional array: $mark = [
"Alex" => [
"biology" => 73,
"history" => 85
],
"Jim" => [
"biology" => 86,
"history" => 92
]
];
echo $mark["Jim"]["history"]; // 92
ObjectThe class Person
{
//...
}
$person = new Person();
CallableSince version 5.3 PHP has first-class functions that can be used e.g. as an argument to another function. function runner(callable $function, mixed ...$args)
{
return $function(...$args);
}
$f = fn($x, $y) => $x ** $y;
function sum(int|float ...$args)
{
return array_sum($args);
}
echo runner(fn($x) => $x ** 2, 2); // prints 4
echo runner($f, 2, 3); // prints 8
echo runner('sum', 1, 2, 3, 4); // prints 10
Iterable
function printSquares(iterable $data)
{
foreach ($data as $value) {
echo ($value ** 2) . " ";
}
echo "\n";
}
// array
$array = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10];
// generator
$generator = function (): Generator {
for ($i = 1; $i <= 10; $i++) {
yield $i;
}
};
// object
$arrayIterator = new ArrayIterator([1, 2, 3, 4, 5, 6, 7, 8, 9, 10]);
printSquares($array); // 1 4 9 16 25 36 49 64 81 100
printSquares($generator()); // 1 4 9 16 25 36 49 64 81 100
printSquares($arrayIterator); // 1 4 9 16 25 36 49 64 81 100
Union typesUnion types were introduced in PHP 8.0[34] function foo(string|int $foo): string|int {}
FunctionsPHP has hundreds of base functions and thousands more from extensions. Prior to PHP version 5.3.0, functions are not first-class functions and can only be referenced by their name, whereas PHP 5.3.0 introduces closures.[35] User-defined functions can be created at any time and without being prototyped.[35] Functions can be defined inside code blocks, permitting a run-time decision as to whether or not a function should be defined. There is no concept of local functions. Function calls must use parentheses with the exception of zero argument class constructor functions called with the PHP An example function definition is the following: function hello($target='World')
{
echo "Hello $target!\n";
}
hello(); // outputs "Hello World!"
hello('Wikipedia'); // outputs "Hello Wikipedia!"
Function calls may be made via variables, where the value of a variable contains the name of the function to call. This is illustrated in the following example: function hello()
{
return 'Hello';
}
function world()
{
return "World!";
}
$function1 = 'hello';
$function2 = 'world';
echo "{$function1()} {$function2()}";
A default value for parameters can be assigned in the function definition, but prior to PHP 8.0 did not support named parameters or parameter skipping.[36] Some core PHP developers have publicly expressed disappointment with this decision.[37] Others have suggested workarounds for this limitation.[38] Named argumentsNamed arguments were introduced in PHP 8.0 function power($base, $exp)
{
return $base ** $exp;
}
// Using positional arguments:
echo power(2, 3); // prints 8
// Using named arguments:
echo power(base: 2, exp: 3); // prints 8
echo power(exp: 3, base: 2); // prints 8
Type declarationSpecifying the types of function parameters and function return values has been supported since PHP 7.0.[39] Return type declaration: function sum($a, $b): float
{
return $a + $b;
}
var_dump(sum(1, 2)); // prints float(3)
Parameters typing: function sum(int $a, int $b)
{
return $a + $b;
}
var_dump(sum(1, 2)); // prints int(3)
var_dump(sum(1.6, 2.3)); // prints int(3)
Strict typingWithout strict typing enabled: $f1 = fn ($a, $b): int => $a + $b;
$f2 = fn (int $a, int $b) => $a + $b;
var_dump($f1(1.3, 2.6)); // prints int(3)
var_dump($f1(1, '2')); // prints int(3)
var_dump($f2(1.3, 2.6)); // prints int(3)
var_dump($f2(1, '2')); // prints int(3)
With strict typing enabled: declare(strict_types=1);
$f1 = fn ($a, $b): int => $a + $b;
$f2 = fn (int $a, int $b) => $a + $b;
var_dump($f1(1.3, 2.6)); // Fatal error: Return value must be of type int, float returned
var_dump($f1(1, '2')); // prints int(3)
var_dump($f2(1.3, 2.6)); // Fatal error: Argument #1 ($a) must be of type int, float given
var_dump($f2(1, '2')); // Fatal error: Argument #2 ($b) must be of type int, string given
Anonymous functionsPHP supports true anonymous functions as of version 5.3.[35] In previous versions, PHP only supported quasi-anonymous functions through the $x = 3;
$func = function($z) { return $z * 2; };
echo $func($x); // prints 6
Since version 7.4 PHP also supports arrow functions syntax ( $x = 3;
$func = fn($z) => $z * 2;
echo $func($x); // prints 6
ClosuresСreating closures $add = fn($x) => fn($y) => $y + $x;
/* Equivalent to */
$add = function ($x) {
return function ($y) use ($x) {
return $y + $x;
};
};
using $f = $add(5);
echo $f(3); // prints 8
echo $add(2)(4); // prints 6
PHPPHP does not care about types of variadic arguments unless the argument is typed. function sum(...$nums): int
{
return array_sum($nums);
}
echo sum(1, 2, 3); // 6
And typed variadic arguments: function sum(int ...$nums): int
{
return array_sum($nums);
}
echo sum(1, 'a', 3); // TypeError: Argument 2 passed to sum() must be of the type int (since PHP 7.3)
GeneratorsUsing generators, we can write code that uses foreach to iterate over a dataset without having to create an array in memory, which can result in memory overhead or significant processing time for generation. ObjectsBasic object-oriented programming functionality was added in PHP 3.[41] Object handling was completely rewritten for PHP 5, expanding the feature set and enhancing performance.[42] In previous versions of PHP, objects were handled like primitive types.[42] The drawback of this method was that the whole object was copied when a variable was assigned or passed as a parameter to a method. In the new approach, objects are referenced by handle, and not by value. PHP 5 introduced private and protected member variables and methods, along with abstract classes and final classes as well as abstract methods and final methods. It also introduced a standard way of declaring constructors and destructors, similar to that of other object-oriented languages such as C++, and a standard exception handling model. Furthermore PHP 5 added Interfaces and allows for multiple Interfaces to be implemented. There are special interfaces that allow objects to interact with the runtime system. Objects implementing ArrayAccess can be used with array syntax and objects implementing Iterator or IteratorAggregate can be used with the foreach language construct. The static method and class variable features in Zend Engine 2 do not work the way some would expect. There is no virtual table feature in the engine, so static variables are bound with a name instead of a reference at compile time.[43] This example shows how to define a class, class Foo extends Bar
{
function __construct()
{
$doo = "wah dee dee";
}
public static function myStaticMethod()
{
$dee = "dee dee dum";
}
}
If the developer creates a copy of an object using the reserved word clone, the Zend engine will check if a TraitsThis example uses a trait to enhance other classes: // The template
trait TSingleton
{
private static $_instance = null;
private function __construct() {} // Must have private default constructor and be aware not to open it in the class
public static function getInstance()
{
if (null === self::$_instance) {
self::$_instance = new self();
}
return self::$_instance;
}
}
class FrontController
{
use TSingleton;
}
// Can also be used in already extended classes
class WebSite extends SomeClass
{
use TSingleton;
}
This allows simulating aspects of multiple inheritance: trait TBounding
{
public $x, $y, $width, $height;
}
trait TMoveable
{
public function moveTo($x, $y)
{
// …
}
}
trait TResizeable
{
public function resize($newWidth, $newHeight)
{
// …
}
}
class Rectangle
{
use TBounding, TMoveable, TResizeable;
public function fillColor($color)
{
// …
}
}
See also
References
|
Portal di Ensiklopedia Dunia