有没有更好的方法来引用一系列扩展 class 中的最终子 class(可能会有所不同)?

Is there a better way to reference the final child class (which can vary) in a series of extended classes?

在我目前正在开发的应用程序中,有一个关键函数调用许多可能的 public 静态方法之一:

$methodID = // carve up user's input to arrive at this

$importantValue = {{className}}::$methodID($arg); // {{ }} are to emphasize this is not the finished line of code....see below

但是,我遇到的问题是 className 会因用户输入而异。基础 class 是 A,但是 classNameAB 取决于用户输入:

class A {
    // all the base methods
}

class B extends A {
    // certain user inputs necessitate these additional methods
}

我的(也许是黑客)解决方案现在是启动,然后编辑 public 静态变量的值,以根据需要更改上面 {{className}} 的身份:

publicValues::$myClass = $conditions_for_class_B_exist ? 'B' : 'A';

这样完成的代码行是:

$className = publicValues::$myClass;

$importantValue = $className::$methodID($arg);

一定有更好的方法,特别是因为未来的更新可能需要扩展到第三个 class,即 C.

是否有面向对象的解决方案来引用可变扩展 class?

我相信使用关键字 static 的后期静态绑定是您正在寻找的解决方案。

http://php.net/manual/en/language.oop5.late-static-bindings.php

<?php
class A {
    public static function who() {
        echo __CLASS__;
    }
    public static function test() {
        static::who(); // Here comes Late Static Bindings
    }
}

class B extends A {
    public static function who() {
        echo __CLASS__;
    }
}

B::test(); // Outputs "B"
?>