可以将代码包含到 PHP 类中吗?
将代码直接包含到 PHP 类中PHP 中不可能有类的主体。但是,可以包含来自类主体之外的外部文件的方法。
分离业务逻辑
将业务逻辑与其他类元素分离的愿望是可以理解的。但是,包含来自单独文件的方法违反了 PHP 语法规则。
性能问题
如果每个请求仅包含一次 Myclass.php,则外部文件 Myclass_methods.php也将仅包含一次。因此,性能不应该成为主要问题。
正确的解决方案:策略模式
要动态更改类行为,策略模式是比包含外部更合适的方法文件。它涉及使用已定义的方法创建接口,并使用该方法的不同实现来实现符合该接口的多个类。
实现:
// MeowingInterface.php interface MeowingInterface { public function meow(): string; } // RegularMeow.php class RegularMeow implements MeowingInterface { public function meow(): string { return 'meow'; } } // LolcatMeow.php class LolcatMeow implements MeowingInterface { public function meow(): string { return 'lolz xD'; } } // Cat.php class Cat { private MeowingInterface $meowingBehaviour; public function setMeowingBehaviour(MeowingInterface $meowingBehaviour): void { $this->meowingBehaviour = $meowingBehaviour; } public function meow(): string { return $this->meowingBehaviour->meow(); } }
用法:
// index.php require_once 'MeowingInterface.php'; require_once 'RegularMeow.php'; require_once 'LolcatMeow.php'; require_once 'Cat.php'; $cat = new Cat(); $cat->setMeowingBehaviour(new RegularMeow()); echo $cat->meow(); // Outputs "meow" // Change behaviour $cat->setMeowingBehaviour(new LolcatMeow()); echo $cat->meow(); // Outputs "lolz xD"
通过遵循策略模式,您可以轻松地更改类的行为,而无需诉诸非正统的做法(例如包含外部文件)。从长远来看,这种方法提供了代码灵活性和可维护性。
以上是PHP 类中可以包含外部方法吗?最好的选择是什么?的详细内容。更多信息请关注PHP中文网其他相关文章!