Can I overload methods in PHP?

后端 未结 6 1849
隐瞒了意图╮
隐瞒了意图╮ 2021-01-06 20:01

Example:

I want to have two different constructors, and I don\'t want to use func_get_arg(), because then it\'s invisible what args are possible.

Is it legal

相关标签:
6条回答
  • 2021-01-06 20:07

    Since the PHP is a weak-typing language and it supports functions with variable number of the arguments (so-called varargs) there is no difference to processor between two functions with the same name even they have different number of declared arguments (all functions are varargs). So, the overloading is illegal by design.

    0 讨论(0)
  • 2021-01-06 20:09

    PHP has something that it calls "overloading" (via the __call magic method), but what really happens is the magic method __call is invoked when an inaccessible or non-existent method, rather like __get and __set let you "access" inaccessible/non-existent properties. You could use this to implement overloading of non-magic methods, but it's unwieldy.

    As formal parameters can be untyped (which is distinct from the argument values being untyped, since those are typed) and even function arity isn't strictly enforced (each function has a minimum number of arguments, but no theoretical maximum), you could also write the method body to handle different number and types of arguments.

    0 讨论(0)
  • 2021-01-06 20:11

    Nope, you can't do that.

    0 讨论(0)
  • 2021-01-06 20:15

    This is not possible, however to solve the problem of invisible args, you can use the reflection class.

    if(count($args) == 0)
      $obj = new $className;
    else {
     $r = new ReflectionClass($className);
     $obj = $r->newInstanceArgs($args);
    }
    
    0 讨论(0)
  • 2021-01-06 20:17

    No, but you can do this:

    class MyClass {
        public function __construct($arg = null) {
            if(is_array($arg)) {
                // do something with the array
            } else {
                // do something else
            }
        }
    }
    

    In PHP, a function can receive any number of arguments, and they don't have to be defined if you give them a default value. This is how you can 'fake' function overloading and allow access to functions with different arguments.

    0 讨论(0)
  • 2021-01-06 20:31

    You can also use func_get_args() to create pseudo-overloaded functions, though that may cause a confusing interface for your method/function.

    0 讨论(0)
提交回复
热议问题