Home > Article > Backend Development > php function takes variable number of parameters
This article mainly introduces the use of variable number of parameters in PHP functions, which has certain reference value. Now I share it with you. Friends in need can refer to it
php supports a variable number of parameter lists in user-defined functions.
In php5.5 and earlier versions, use the func_num_args(), func_get_arg(), func_get_args() function implementation.
<?php function myfunc(){ // 获取参数数量 echo func_num_args().PHP_EOL; // 获取第一个参数的值: print_r(func_get_arg(0)); echo PHP_EOL; // 获取所有参数的值 print_r(func_get_args()); echo PHP_EOL; } myfunc('a'); myfunc(1, 2, 3); myfunc(array('d','e'), array('f')); ?>
Output:
1 a Array ( [0] => a ) 3 1 Array ( [0] => 1 [1] => 2 [2] => 3 ) 2 Array ( [0] => d [1] => e ) Array ( [0] => Array ( [0] => d [1] => e ) [1] => Array ( [0] => f ) )
In php5.6 and above, you can use the ... syntax.
<br/>
<?php function myfunc(...$args){ // 获取参数数量 echo count($args).PHP_EOL; // 获取第一个参数的值: print_r($args[0]); echo PHP_EOL; // 获取所有参数的值 print_r($args); echo PHP_EOL; } myfunc('a'); myfunc(1, 2, 3); myfunc(array('d','e'), array('f')); ?>
##Example 1: Use...$args to replace any number of arguments
<?php function add($a, $b){ echo $a + $b; } $args = array(1, 2); add(...$args); // 输出3 ?>
Example 2: Convert array to parameter list
<br/>
<?php function display($name, $tag, ...$args){ echo 'name:'.$name.PHP_EOL; echo 'tag:'.$tag.PHP_EOL; echo 'args:'.PHP_EOL; print_r($args); echo PHP_EOL; } display('fdipzone', 'programmer'); display('terry', 'designer', 1, 2); display('aoao', 'tester', array('a','b'), array('c'), array('d')); ?>
Example 3: Some parameters are specified, and the number of other parameters is variable
Output:
name:fdipzone tag:programmer args: Array ( ) name:terry tag:designer args: Array ( [0] => 1 [1] => 2 ) name:aoao tag:tester args: Array ( [0] => Array ( [0] => a [1] => b ) [1] => Array ( [0] => c ) [2] => Array ( [0] => d ) )Related recommendations:
Normal transfer of php function What is the difference between passing by value and reference?
How to use static variables in PHP functions
The above is the detailed content of php function takes variable number of parameters. For more information, please follow other related articles on the PHP Chinese website!