3

この小さなスクリプトを作成しましたが、このエラーが発生しません:

Strict Standards: Only variables should be passed by reference in C:\xampp\htdocs\includes\class.IncludeFile.php on line 34" off!

ここにページがあります:

namespace CustoMS;

if (!defined('BASE'))
{
    exit;
}

class IncludeFile
{
    private $file;
    private $rule;

    function __Construct($file)
    {
        $this->file = $file;

        $ext = $this->Extention();
        switch ($ext)
        {
            case 'js':
                $this->rule = '<script type="text/javascript" src="'.$this->file.'"></script>';
                break;

            case 'css':
                $this->rule = '<link type="text/css" rel="stylesheet" href="'.$this->file.'">';
                break;
        }
    }

    private function Extention()
    {
        return end(explode('.', $this->file));
    }

    function __Tostring()
    {
        return $this->rule;
    }
}

私を助けてください。

4

2 に答える 2

6

関数endには次のプロトタイプがありますend(&$array)

変数を作成して関数に渡すことで、この警告を回避できます。

private function Extention()
{
    $arr = explode('.', $this->file);
    return end($arr);
}

ドキュメントから:

次のものは、参照によって渡すことができます。

  • 変数、つまり foo($a)
  • 新しいステートメント、つまり foo(new foobar())
  • 関数から返される参照、つまり:

explode配列への参照ではなく、配列を返します。

例えば:

function foo(&$array){
}

function &bar(){
    $myArray = array();
    return $myArray;
}

function test(){
    return array();
}

foo(bar()); //will produce no warning because bar() returns reference to $myArray.
foo(test()); //will arise the same warning as your example.
于 2012-10-29T07:07:32.827 に答える
1
private function Extention()
{
    return end(explode('.', $this->file));
}

end() は、ポインタ配列を最後の要素に設定します。ここでendは、変数ではなく関数の結果を提供しています。

private function Extention()
{
    $array = explode('.', $this->file);
    return end($array);
}
于 2012-10-29T07:09:04.013 に答える