4

getAllForms($data=null)

getAllForms() and getAllForms("data")

这将起作用。但我想在这样的函数中创建两个可选参数:

getAllForms($arg1=null,$arg2=null)

getAllForms() and getAllForms("data")

我怎样才能做到这一点?

4

5 回答 5

11

你可以试试:

function getAllForms() {
    extract(func_get_args(), EXTR_PREFIX_ALL, "data");
}

getAllForms();
getAllForms("a"); // $data_0 = a
getAllForms("a", "b"); // $data_0 = a $data_1 = b
getAllForms(null, null, "c"); // $data_0 = null $data_1 = null, $data_2 = c
于 2012-10-22T08:14:15.810 回答
6

您也可以尝试使用func_get_arg它可以将n多个参数传递给函数。

http://php.net/manual/en/function.func-get-args.php

例子

function foo(){
    $arg_list = func_get_args();
    for ($i = 0; $i < $numargs; $i++) {
        echo "Argument $i is: " . $arg_list[$i] . "<br />\n";
    }
}

foo(1, 2, 3);
于 2012-10-22T08:01:53.173 回答
3

试试这个:

getAllForms($data=null,$data2=null)

你在这种模式下调用它:

getAllForms()
getAllForms("data")
getAllForms("data","data2")

第二个参数必须是不同的名称尊重第一个

于 2012-10-22T08:01:08.043 回答
1

您已经描述了如何做到这一点:

function getAllForms($arg1 = null, $arg2 = null)

除了每个变量名(包括第二个)必须不同。

于 2012-10-22T08:01:14.470 回答
1
<? php
function getAllForms($data1 = null, $data2 = null)
{
    if ($data1 != null)
    {
        // do something with $data1
    }

    if ($data2 != null)
    {
        // do something with $data2
    }
}
?>

getAllForms();
getAllForms("a");
getAllForms(null, "b");
getAllForms("a", "b");

或者

<? php
function getAllForms($data = null)
{
    if (is_array($data))
    {
        foreach($data as $item)
        {
            getAllForms($item);
        }
    }
    else
    {
        if ($data != null)
        {
            // do something with data.
        }
    }
}

getAllForms();
getAllForms("a");
getAllForms(array("a"));
getAllForms(array("a", "b"));
?>
于 2012-10-22T08:07:12.833 回答