PHP: Как создать экземпляр класса с аргументами из другого класса - PullRequest
13 голосов
/ 07 декабря 2009

Я в ситуации, когда мне нужно создать экземпляр класса с аргументами из экземпляра другого класса. Вот прототип:

//test.php

class test
{
    function __construct($a, $b, $c)
    {
        echo $a . '<br />';
        echo $b . '<br />';
        echo $c . '<br />';
    }
}

Теперь мне нужно создать экземпляр класса выше, используя функцию cls класса ниже:

class myclass
{
function cls($file_name, $args = array())
{
    include $file_name . ".php";

    if (isset($args))
    {
        // this is where the problem might be, i need to pass as many arguments as test class has.
        $class_instance = new $file_name($args);
    }
    else
    {
        $class_instance = new $file_name();
    }

    return $class_instance;
}
}

Теперь, когда я пытаюсь создать экземпляр тестового класса, передавая ему аргументы:

$myclass = new myclass;
$test = $myclass->cls('test', array('a1', 'b2', 'c3'));

выдает ошибку: Отсутствующие аргументы 1 и 2; передается только первый аргумент.

Это прекрасно работает, если я создаю экземпляр класса, у которого нет аргументов в функции конструктора.

Для опытных разработчиков PHP выше не должно быть большой проблемой. Пожалуйста, помогите.

Спасибо

Ответы [ 6 ]

28 голосов
/ 07 декабря 2009

нужно отражение http://php.net/manual/en/class.reflectionclass.php

if(count($args) == 0)
   $obj = new $className;
else {
   $r = new ReflectionClass($className);
   $obj = $r->newInstanceArgs($args);
}
4 голосов
/ 07 декабря 2009

Вы можете:

1) Измените класс теста так, чтобы он принимал массив, содержащий данные, которые вы хотите передать.

//test.php

class test
{
        function __construct($a)
        {
                echo $a[0] . '<br />';
                echo $a[1] . '<br />';
                echo $a[2] . '<br />';
        }
}

2) инициировать использование пользовательского метода вместо конструктора и вызывать его с помощью функции call_user_func_array().

//test.php

class test
{
        function __construct()
        {

        }

        public function init($a, $b, $c){
                echo $a . '<br />';
                echo $b . '<br />';
                echo $c . '<br />';
        }

}

В вашем основном классе:

class myclass
{
function cls($file_name, $args = array())
{
        include $file_name . ".php";

        if (isset($args))
        {
                // this is where the problem might be, i need to pass as many arguments as test class has.
                $class_instance = new $file_name($args);
                call_user_func_array(array($class_instance,'init'), $args);
        }
        else
        {
                $class_instance = new $file_name();
        }

        return $class_instance;
}
}

http://www.php.net/manual/en/function.call-user-func-array.php

Наконец, вы можете оставить параметры конструктора пустыми и использовать func_get_args().

//test.php

class test
{
        function __construct()
        {
                $a = func_get_args();
                echo $a[0] . '<br />';
                echo $a[1] . '<br />';
                echo $a[2] . '<br />';
        }
}

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

1 голос
/ 12 ноября 2011
class textProperty
{
    public $start;
    public $end;
    function textProperty($start, $end)
    {
        $this->start = $start;
        $this->end = $end;
    }

}

$ object = new textProperty ($ start, $ end);

не работает?

1 голос
/ 07 декабря 2009

Вы можете использовать call_user_func_array () Полагаю.

или вы можете оставить список аргументов конструктора, а затем внутри конструктора использовать это

$args = func_get_args();
0 голосов
/ 20 марта 2019

Мы находимся в 2019 году и теперь у нас есть php7 ... и у нас есть оператор распространения (...) Теперь мы можем просто позвонить

<?php

class myclass
{
    function cls($file_name, $args = array())
    {
        include $file_name . ".php";

        if (isset($args))
        {
            $class_instance = new $file_name(...$args); // <-- notice the spread operator
        }
        else
        {
            $class_instance = new $file_name();
        }

        return $class_instance;
    }
}


0 голосов
/ 02 июня 2017

Самый простой способ, который я нашел:

if ($depCount === 0) {
            $instance = new $clazz();
        } elseif ($depCount === 1) {
            $instance = new $clazz($depInstances[0]);
        } elseif ($depCount === 2) {
            $instance = new $clazz($depInstances[0], $depInstances[1]);
        } elseif ($depCount === 3) {
            $instance = new $clazz($depInstances[0], $depInstances[1], $depInstances[2]);
        }

Извините, немного грубо, но вы должны понять идею.

...