func_get_args

(PHP 4, PHP 5, PHP 7, PHP 8)

func_get_args関数の引数リストを配列として返す

説明

func_get_args(): array

関数の引数リストを配列で取得します。

この関数は func_num_args() および func_get_arg() と組み合わせて使用され、 これによりユーザー定義の章において可変長の引数リストを使用することができるようになります。

パラメータ

この関数にはパラメータはありません。

戻り値

配列を返します。この配列の各要素は、 現在のユーザー定義関数の引数リストにおける対応するメンバのコピーとなります。

エラー / 例外

ユーザー定義関数の外部からコールされた際に警告を発生します。

例1 func_get_args() の例

<?php
function foo()
{
$numargs = func_num_args();
echo
"引数の数: $numargs \n";
if (
$numargs >= 2) {
echo
"二番目の引数は: " . func_get_arg(1) . " です。\n";
}
$arg_list = func_get_args();
for (
$i = 0; $i < $numargs; $i++) {
echo
"引数 $i は: " . $arg_list[$i] . " です。\n";
}
}

foo(1, 2, 3);
?>

上の例の出力は以下となります。

引数の数: 3
二番目の引数は: 2 です。
引数 0 は: 1 です。
引数 1 は: 2 です。
引数 2 は: 3 です。

例2 func_get_args() での引数の参照渡しと値渡しの例

<?php
function byVal($arg) {
echo
'As passed : ', var_export(func_get_args()), PHP_EOL;
$arg = 'baz';
echo
'After change : ', var_export(func_get_args()), PHP_EOL;
}

function
byRef(&$arg) {
echo
'As passed : ', var_export(func_get_args()), PHP_EOL;
$arg = 'baz';
echo
'After change : ', var_export(func_get_args()), PHP_EOL;
}

$arg = 'bar';
byVal($arg);
byRef($arg);
?>

上の例の出力は以下となります。


As passed : array (
0 => 'bar',
)
After change : array (
0 => 'baz',
)
As passed : array (
0 => 'bar',
)
After change : array (
0 => 'baz',
)

注意

注意:

PHP 8.0.0 以降における func_*() 関数ファミリは、名前付き引数に関しては、ほぼ透過的に動作するはずです。つまり、渡された全ての引数は位置を指定したかのように扱われ、引数が指定されない場合は、デフォルト値で置き換えられるということです。 この関数は、未知の名前付きの可変長引数を無視します。 未知の名前付き引数は、可変長引数を通じてのみアクセスできます。

注意:

引数をリファレンス渡しにすると、その引数への変更がすべてこの関数の返り値に反映されます。 PHP 7 からは、引数が値渡しされた場合には現在の値も返されるようになりました。

注意: この関数は、渡された引数のみのコピーを返します。 デフォルトの(渡されていない)引数については考慮しません。

参考

add a note

User Contributed Notes 13 notes

up
66
T.M.
20 years ago
Simple function to calculate average value using dynamic arguments:<?phpfunction average(){    return array_sum(func_get_args())/func_num_args();}print average(10, 15, 20, 25); // 17.5?>
up
13
cobrattila at gmail dot com
5 years ago
If you want to get the arguments by reference, instead of func_get_args() you can simply use<?phpfunction args_byref(&...$args) {    // Modify the $args array here}?>Credits should go to Markus Malkusch for pointing this out on Stackoverflow.https://stackoverflow.com/a/29181826/1426064
up
17
anderson at francotecnologia dot com
16 years ago
How to create a polymorphic/"overloaded" function<?phpfunction select(){    $t = '';    $args = func_get_args();    foreach ($args as &$a) {        $t .= gettype($a) . '|';        $a = mysql_real_escape_string($a);    }    if ($t != '') {        $t = substr($t, 0, - 1);    }    $sql = '';    switch ($t) {        case 'integer':            // search by ID            $sql = "id = {$args[0]}";            break;        case 'string':            // search by name            $sql = "name LIKE '%{$args[0]}%'";            break;        case 'string|integer':            // search by name AND status            $sql = "name LIKE '%{$args[0]}%' AND status = {$args[1]}";            break;        case 'string|integer|integer':            // search by name with limit            $sql = "name LIKE '%{$args[0]}%' LIMIT {$args[1]},{$args[2]}";            break;        default:            // :P            $sql = '1 = 2';    }    return mysql_query('SELECT * FROM table WHERE ' . $sql);}$res = select(29); // by ID$res = select('Anderson'); // by name$res = select('Anderson', 1); // by name and status$res = select('Anderson', 0, 5); // by name with limit?>
up
2
daveNO at ovumSPAMdesign dot com
23 years ago
<?php
// How to simulate named parameters in PHP.
// By Dave Benjamin <dave@ovumdesign.com>

// Turns the array returned by func_get_args() into an array of name/value
// pairs that can be processed by extract().
function varargs($args) {
    $count = count($args);
    for ($i = 0; $i < $count; $i += 2) {
        $result[$args[$i]] = $args[$i + 1];
    }
    
    return $result;
}

// Example
function test(&$ref1, &$ref2) {
    // Default arguments go here.
    $foo = "oof";
    
    // Do some magic.
    extract(varargs(func_get_args()));

    echo nl2br("\n\$var1 = $var1");
    echo nl2br("\n\$var2 = $var2");
    echo nl2br("\n\$foo = $foo\n\n");
    
    // Modify some variables that were passed by reference.
    // Note that func_get_args() doesn't pass references, so they
    // need to be explicitly declared in the function definition.
    $ref1 = 42;
    $ref2 = 84;
}

$a = 5;
$b = 6;

echo nl2br("Before calling test(): \$a = $a\n");
echo nl2br("Before calling test(): \$b = $b\n");

// Try removing the 'foo, "bar"' from the following line.
test($a, $b, var1, "abc", var2, "def", foo, "bar");

echo nl2br("After calling test(): \$a = $a\n");
echo nl2br("After calling test(): \$b = $b\n");
?>
up
4
foxkeys at gmail dot com
9 years ago
Merge func_get_args() with function defaults<?phpclass utils {  /**   * @param mixed[] $args   * @param ReflectionMethod $reflectionMethod   *   * @return array   */  public static function mergeArgsWithDefaults( $args, \ReflectionMethod $reflectionMethod ) {    foreach ( array_slice( $reflectionMethod->getParameters(), count( $args ) ) as $param ) {      /**       * @var ReflectionParameter $param       */      $args[] = $param->getDefaultValue();    }    return $args;  }}class  sampleParent {  const USER_FILE_TYPE_FILE = 'FILE';  public function select( $idUserFile = null, $idUserFileType = self::USER_FILE_TYPE_FILE ) {    echo '[$idUserFile=>' . $idUserFile . ', $idUserFileType=>' . $idUserFileType, ']<br/>' . PHP_EOL;  }}class sample extends sampleParent {  const USER_FILE_TYPE_IMG = 'IMG';  public function select( $idUserFile = null, $idUserFileType = self::USER_FILE_TYPE_IMG ) {    return call_user_func_array( 'parent::select', \utils::mergeArgsWithDefaults( func_get_args(), new ReflectionMethod( __CLASS__, __FUNCTION__ ) ) );  }}$sample1 = new sampleParent();$sample1->select();//Prints "" / self::USER_FILE_TYPE_FILE$sample1->select(1);//Prints 1 / self::USER_FILE_TYPE_FILE$sample1->select(2, 'test 1');//Prints 2 / "test 1"echo '<br/>' . PHP_EOL;$sample2 = new sample();$sample2->select();//Prints "" / self::USER_FILE_TYPE_IMG$sample2->select(3);//Prints 3 / self::USER_FILE_TYPE_IMG$sample2->select(4, 'test 2');//Prints 4 / "test 2"?>
up
4
OpenTechnologist
13 years ago
please note that optional parameters are not seen/passed by func_get_args(), as well as func_get_arg().

ex:

<?php
function testfunc($optional = 'this argument is optional..') {
    $args = func_get_args();
    var_dump($args);
    echo $optional;
}
?>

test case #1:
testfunc('argument no longer optional..');

result for #1:
array(1) {
    [0]=>  string(20) "argument no longer optional.."
}
argument no longer optional..

test case #2:
testfunc('argument no longer optional..','this is an extra argument');

result for #2:
array(2) {
    [0]=>  string(29) "argument no longer optional.."
    [1]=>  string(25) "this is an extra argument"
}
argument no longer optional..

test case #3: -- RESULTS IN AN EMPTY ARRAY
testfunc();

result for #3:
array(0) {
}
this argument is optional..
up
2
hans at loltek dot net
1 year ago
I wanted an associative list of arguments, in case some else does too, I'm leaving it here.I hope PHP gets native support for this, because a core implementation would be faster than this userland backtrace+reflection implementation:<?php/** * Get function arguments as associative array * (same as func_get_args() but with keys) *  * @param bool $populateMissingArgumentsWithDefaults whether to populate the array with default values for missing arguments *  * @return array */function func_get_args_associative(bool $populateMissingArgumentsWithDefaults = false): array{    $trace = debug_backtrace(0, 2)[1];    $reflection = null;    if (isset($trace['class'])) {        $reflection = new \ReflectionMethod($trace['class'], $trace['function']);    } else {        $reflection = new \ReflectionFunction($trace['function']);    }    $ret = [];    foreach ($reflection->getParameters() as $param) {        if (array_key_exists($param->getPosition(), $trace['args'])) {            $ret[$param->name] = $trace['args'][$param->getPosition()];        } elseif ($populateMissingArgumentsWithDefaults) {            // because of the "required arguments declared after an optional argument are implicitly required" rule:            assert($param->isDefaultValueAvailable(), "i think all params are either in trace[args] or have default values");            $ret[$param->name] = $param->getDefaultValue();        }    }    return $ret;}?>
up
1
art at geigel dot com
2 years ago
The size of the array resulting from func_get_args(), for instance using count(), does not take into account parameters that have been assigned default values in the function definition.Example:function foo($bar=true) {     echo count(func_get_args());}foo(); // echoes 0foo("bar"); // echoes 1A useful condition to test for when a function needs to return default behavior (whatever that might be) when no value is present and the value of $bar could be true, false, null, etc.
up
0
info at ensostudio dot ru
3 months ago
Note: this function returns current values of variables instead passed to function<?phpfunction test(int $v) {        $v = 2;        var_export(func_get_args());}test(1); // display array('v' => 2)?>
up
0
maarten at ba dot be
12 years ago
it seems that this function only returns a copy and loses it's byref information, use this dirty non-efficient workaround instead:at the moment of writing it currently returns all of them as references, instead of only the ones who are passed that way...<?phpfunction func_get_args_byref() {        $trace = debug_backtrace();        return $trace[1]['args'];}?>
up
0
mitko at edabg dot com
16 years ago
<?php/*This example demonstrate how to use unknown variable arguments by reference.func_get_args() don't return arguments by reference, but debug_backtrace() "args" is by reference.In PHP 5 this have no particular sense, because calling with arguments by referenceis depreciated and produce warning.*/class foo {    var $bar = "default bar";        function foo(/*variable arguments*/) {// func_get_args returns copy of arguments//        $args = func_get_args();// debug_backtrace returns arguments by reference                    $stack = debug_backtrace();        $args = array();        if (isset($stack[0]["args"]))            for($i=0; $i < count($stack[0]["args"]); $i++)                $args[$i] = & $stack[0]["args"][$i];        call_user_func_array(array(&$this, 'bar'), $args);    }        function bar($bar = NULL) {        if (isset($bar))            $this->bar = & $bar;     }}$global_bar = "bar global";$foo = & new foo();echo "foo->bar:    ".$foo->bar."</br>\n";$foo->bar = "new bar";echo "global_bar:  ".$global_bar."</br>\n";/*Result:foo->bar:    default bar</br>global_bar:  bar global</br>*/$foo = & new foo(&$global_bar);echo "foo->bar:    ".$foo->bar."</br>\n";$foo->bar = "new bar";echo "global_bar:  ".$global_bar."</br>\n";/*Result:foo->bar:    bar global</br>global_bar:  new bar</br>*/?>
up
0
ario [a] mail [dot] utexas [dot] edu
18 years ago
"Because this function depends on the current scope to determine parameter details, it cannot be used as a function parameter. If you must pass this value, assign the results to a variable, and pass the variable."This means that the following code generates an error:<?phpfunction foo($list){  echo implode(', ', $list);}function foo2(){  foo(func_get_args());}foo2(1, 2, 3);?>However, you can easily get around this by doing the following:<?phpfunction foo($list){  echo implode(', ', $list);}function foo2(){  foo($args = func_get_args());}foo2(1, 2, 3);?>This captures the context from foo2(), making this legal.  You get the expected output:"1, 2, 3"
up
0
Anonymous
24 years ago
You can pass a variable number of arguments to a function whilst keeping references intact by using an array. The disadvantage of course, is that the called function needs to be aware that it's arguments are in an array.

<?php
// Prints "hello mutated world"
function mutator($args=null) {
$n=count($args);
while($i<$n) $args[$i++] = "mutated";
}
$a = "hello";
$b = "strange";
$c = "world";
mutator(array($a, &$b, $c));
echo "$a $b $c";
?>
To Top