在空对象模式(Null Object Pattern)中,一个空对象取代 NULL 对象实例的检查。Null 对象不是检查空值,而是反应一个不做任何动作的关系。这样的 Null 对象也可以在数据不可用的时候提供默认的行为。
在空对象模式中,我们创建一个指定各种要执行的操作的抽象类和扩展该类的实体类,还创建一个未对该类做任何实现的空对象类,该空对象类将无缝地使用在需要检查空值的地方
abstract class AbstractCustomer
{
protected $name;
public abstract function isNil();
public abstract function getName();
}
class CustomerFactory
{
public static $names = ["Rob", "Joe", "Julie"];
public static function getCustomer($name)
{
for ($i = 0; $i < sizeof(self::$names); $i++) {
if (self::$names[$i] == ($name)){
return new RealCustomer($name);
}
}
return new NullCustomer();
}
}
class NullCustomer extends AbstractCustomer
{
public function getName()
{
return "Not Available in Customer Database"."</br>";
}
public function isNil()
{
return true;
}
}
class RealCustomer extends AbstractCustomer
{
public function __construct($name)
{
$this->name = $name;
}
public function getName()
{
return $this->name;
}
public function isNil()
{
return false;
}
}
class NullPatternDemo
{
public static function main()
{
$customer1 = CustomerFactory::getCustomer("Rob");
$customer2 = CustomerFactory::getCustomer("Bob");
$customer3 = CustomerFactory::getCustomer("Julie");
$customer4 = CustomerFactory::getCustomer("Laura");
print_r("Customers:"."<br/>");
print_r("Rob:".$customer1->getName()."<br/>");
print_r("Bob:".$customer2->getName()."<br/>");
print_r("Julie:".$customer3->getName()."<br/>");
print_r("Laura:".$customer4->getName()."<br/>");
}
}
网友评论