Bar\n"}}" id="mwAcw">
echomatch(1){0=>'Foo',1=>'Bar',2=>'Baz',};//> Bar
The PHP syntax of a for loop is as follows:
for(initialization;condition;afterthought){// statements;}
The syntax for a PHP while loop is as follows:
while(condition){// statements;}
The syntax for a PHP do while loop is as follows:
do{// statements;}while(condition);
The syntax for a PHP for each loop is as follows:
foreach($setas$value){// statements;}
PHP offers an alternative syntax using colons rather than the standard curly-brace syntax (of "{...}
"). This syntax affects the following control structures: if
, while
, for
, foreach
, and switch
. The syntax varies only slightly from the curly-brace syntax. In each case the opening brace ({
) is replaced with a colon (:
) and the close brace is replaced with endif;
, endwhile;
, endfor;
, endforeach;
, or endswitch;
, respectively. [22] Mixing syntax styles within the same control block is not supported. An example of the syntax for an if
/elseif
statement is as follows:
if(condition):// code hereelseif(condition):// code hereelse:// code hereendif;
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><?phpif($day=='Thursday'):?><div>Tomorrow is Friday!</div><?phpelseif($day=='Friday'):?><div>TGIF</div><?phpelse:?><div>ugh</div><?phpendif;?></html>
Runtime exception handling method in PHP is inherited from C++. [23]
functioninv($x){if($x==0){thrownewException('Division by zero');}return1/$x;}try{echoinv(2);// prints 0.5echoinv(0);// throw an exceptionechoinv(5);// will not run}catch(Exception$e){echo$e->getMessage();// prints Division by zero }// Continue executionecho"Hello";// prints Hello
PHP supports four scalar types: bool
, int
, float
, string
. [24]
PHP has a native Boolean type, named "bool
", similar to the native Boolean types in Java and C++. Using the Boolean type conversion rules, non-zero values are interpreted as true
and zero as false
, as in Perl. Both constants true
and false
are case-insensitive. [25]
PHP 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)
Real 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
PHP supports strings
, which can be used with single quotes, double quotes, nowdoc or heredoc syntax. [28]
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 $xcecho"a{$x}c\n";// prints a25cecho"a${x}c\n";// also prints a25cecho"$f($x) is {$f($x)}\n";// prints sqrt(25) is 5
PHP supports two special types: null
, resource
. The null
data type represents a variable that has no value. The only value in the null
data type is NULL. The NULL constant is not case sensitive. [30] Variables of the "resource
" type represent references to resources from external sources. These are typically created by functions from a particular extension, and can only be processed by functions from the same extension. Examples include file, image and database resources. [24]
PHP supports four compound types: array
, object
, callable
, iterable
.
Arrays 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
The object
data type is a combination of variables, functions and data structures in the object-oriented programming paradigm.
classPerson{//...}$person=newPerson();
Since version 5.3 PHP has first-class functions that can be used e.g. as an argument to another function.
functionrunner(callable$function,mixed...$args){return$function(...$args);}$f=fn($x,$y)=>$x**$y;functionsum(int|float...$args){returnarray_sum($args);}echorunner(fn($x)=>$x**2,2);// prints 4echorunner($f,2,3);// prints 8echorunner('sum',1,2,3,4);// prints 10
Iterable
type indicate that variable can be used with foreach
loop. [32] It can be any array
or generator
or object that implementing the special internal Traversable
[33] interface.
functionprintSquares(iterable$data){foreach($dataas$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=newArrayIterator([1,2,3,4,5,6,7,8,9,10]);printSquares($array);// 1 4 9 16 25 36 49 64 81 100printSquares($generator());// 1 4 9 16 25 36 49 64 81 100printSquares($arrayIterator);// 1 4 9 16 25 36 49 64 81 100
Union types were introduced in PHP 8.0 [34]
functionfoo(string|int$foo):string|int{}
PHP 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 new
operator, where parentheses are optional.
An example function definition is the following:
functionhello($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:
functionhello(){return'Hello';}functionworld(){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 arguments were introduced in PHP 8.0
functionpower($base,$exp){return$base**$exp;}// Using positional arguments:echopower(2,3);// prints 8// Using named arguments:echopower(base:2,exp:3);// prints 8echopower(exp:3,base:2);// prints 8
Specifying the types of function parameters and function return values has been supported since PHP 7.0. [39]
Return type declaration:
functionsum($a,$b):float{return$a+$b;}var_dump(sum(1,2));// prints float(3)
Parameters typing:
functionsum(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)
Without 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 returnedvar_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 givenvar_dump($f2(1,'2'));// Fatal error: Argument #2 ($b) must be of type int, string given
PHP supports true anonymous functions as of version 5.3. [35] In previous versions, PHP only supported quasi-anonymous functions through the create_function()
function.
$x=3;$func=function($z){return$z*2;};echo$func($x);// prints 6
Since version 7.4 PHP also supports arrow functions syntax (=>
). [40]
$x=3;$func=fn($z)=>$z*2;echo$func($x);// prints 6
Сreating closures
$add=fn($x)=>fn($y)=>$y+$x;/* Equivalent to */$add=function($x){returnfunction($y)use($x){return$y+$x;};};
using
$f=$add(5);echo$f(3);// prints 8echo$add(2)(4);// prints 6
PHP does not care about types of variadic arguments unless the argument is typed.
functionsum(...$nums):int{returnarray_sum($nums);}echosum(1,2,3);// 6
And typed variadic arguments:
functionsum(int...$nums):int{returnarray_sum($nums);}echosum(1,'a',3);// TypeError: Argument 2 passed to sum() must be of the type int (since PHP 7.3)
Using 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.
Basic 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, Foo
, that inherits from class Bar
. The method myStaticMethod
is a public static method that can be called with Foo::myStaticMethod();
.
classFooextendsBar{function__construct(){$doo="wah dee dee";}publicstaticfunctionmyStaticMethod(){$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 __clone()
method has been defined or not. If not, it will call a default __clone()
which will copy the object's properties. If a __clone()
method is defined, then it will be responsible for setting the necessary properties in the created object. For convenience, the engine will supply a function that imports the properties of the source object, so that the programmer can start with a by-value replica of the source object and only override properties that need to be changed. [44]
This example uses a trait to enhance other classes:
// The templatetraitTSingleton{privatestatic$_instance=null;privatefunction__construct(){}// Must have private default constructor and be aware not to open it in the classpublicstaticfunctiongetInstance(){if(null===self::$_instance){self::$_instance=newself();}returnself::$_instance;}}classFrontController{useTSingleton;}// Can also be used in already extended classesclassWebSiteextendsSomeClass{useTSingleton;}
This allows simulating aspects of multiple inheritance:
traitTBounding{public$x,$y,$width,$height;}traitTMoveable{publicfunctionmoveTo($x,$y){// …}}traitTResizeable{publicfunctionresize($newWidth,$newHeight){// …}}classRectangle{useTBounding,TMoveable,TResizeable;publicfunctionfillColor($color){// …}}
PHP is a general-purpose scripting language geared towards web development. It was originally created by Danish-Canadian programmer Rasmus Lerdorf in 1993 and released in 1995. The PHP reference implementation is now produced by the PHP Group. PHP was originally an abbreviation of Personal Home Page, but it now stands for the recursive acronym PHP: Hypertext Preprocessor.
In computer programming, lazy initialization is the tactic of delaying the creation of an object, the calculation of a value, or some other expensive process until the first time it is needed. It is a kind of lazy evaluation that refers specifically to the instantiation of objects or other resources.
In computer programming, an iterator is an object that progressively provides access to each item of a collection, in order.
In mathematics and computer science, a higher-order function (HOF) is a function that does at least one of the following:
The syntax of the C programming language is the set of rules governing writing of software in C. It is designed to allow for programs that are extremely terse, have a close relationship with the resulting object code, and yet provide relatively high-level data abstraction. C was the first widely successful high-level language for portable operating-system development.
In computer science, a for-loop or for loop is a control flow statement for specifying iteration. Specifically, a for-loop functions by running a section of code repeatedly until a certain condition has been satisfied.
In computer programming, a function object is a construct allowing an object to be invoked or called as if it were an ordinary function, usually with the same syntax. In some languages, particularly C++, function objects are often called functors.
In computer programming, foreach loop is a control flow statement for traversing items in a collection. foreach is usually used in place of a standard for loop statement. Unlike other for loop constructs, however, foreach loops usually maintain no explicit counter: they essentially say "do this to everything in this set", rather than "do this x times". This avoids potential off-by-one errors and makes code simpler to read. In object-oriented languages, an iterator, even if implicit, is often used as the means of traversal.
In some programming languages, eval
, short for the English evaluate, is a function which evaluates a string as though it were an expression in the language, and returns a result; in others, it executes multiple lines of code as though they had been included instead of the line including the eval
. The input to eval
is not necessarily a string; it may be structured representation of code, such as an abstract syntax tree, or of special type such as code
. The analog for a statement is exec, which executes a string as if it were a statement; in some languages, such as Python, both are present, while in other languages only one of either eval
or exec
is.
The syntax of Java is the set of rules defining how a Java program is written and interpreted.
In mathematics and in computer programming, a variadic function is a function of indefinite arity, i.e., one which accepts a variable number of arguments. Support for variadic functions differs widely among programming languages.
The syntax of JavaScript is the set of rules that define a correctly structured JavaScript program.
The null coalescing operator is a binary operator that is part of the syntax for a basic conditional expression in several programming languages, such as : C# since version 2.0, Dart since version 1.12.0, PHP since version 7.0.0, Perl since version 5.10 as logical defined-or, PowerShell since 7.0.0, and Swift as nil-coalescing operator.
This article describes the syntax of the C# programming language. The features described are compatible with .NET Framework and Mono.
This comparison of programming languages (associative arrays) compares the features of associative array data structures or array-lookup processing for over 40 computer programming languages.
The computer programming language, C#, introduces several new features in version 2.0. These include:
The structure of the Perl programming language encompasses both the syntactical rules of the language and the general ways in which programs are organized. Perl's design philosophy is expressed in the commonly cited motto "there's more than one way to do it". As a multi-paradigm, dynamically typed language, Perl allows a great degree of flexibility in program design. Perl also encourages modularization; this has been attributed to the component-based design structure of its Unix roots, and is responsible for the size of the CPAN archive, a community-maintained repository of more than 100,000 modules.
Swift is a high-level general-purpose, multi-paradigm, compiled programming language created by Chris Lattner in 2010 for Apple Inc. and maintained by the open-source community. Swift compiles to machine code and uses an LLVM-based compiler. Swift was first released in June 2014 and the Swift toolchain has shipped in Xcode since Xcode version 6, released in September 2014
In object-oriented programming, the safe navigation operator is a binary operator that returns null if its first argument is null; otherwise it performs a dereferencing operation as specified by the second argument.