3

PHPクラスで定義されたコンストラクターがいくつか必要です。ただし、コンストラクターのコードは現在非常に似ています。可能であれば、コードを繰り返さないほうがいいです。phpクラスの1つのコンストラクター内から他のコンストラクターを呼び出す方法はありますか?PHPクラスに複数のコンストラクターを含める方法はありますか?

function __construct($service, $action)
{
    if(empty($service) || empty($action))
    {
        throw new Exception("Both service and action must have a value");
    }
    $this->$mService = $service;
    $this->$mAction = $action;

    $this->$mHasSecurity = false;
}
function __construct($service, $action, $security)
    {
        __construct($service, $action); // This is what I want to be able to do, so I don't have to repeat code

        if(!empty($security))
        {
            $this->$mHasSecurity = true;
            $this->$mSecurity = $security;
        }
    }

たとえば、いくつかのInitメソッドを作成することで、これを解決できることを知っています。しかし、これを回避する方法はありますか?

4

2 に答える 2

5

PHPではそのような関数をオーバーロードすることはできません。これを行う場合:

class A {
  public function __construct() { }
  public function __construct($a, $b) { }
}

コードは、再宣言できないエラーでコンパイルされません__construct()

これを行う方法は、オプションの引数を使用することです。

function __construct($service, $action, $security = '') {
  if (empty($service) || empty($action)) {
    throw new Exception("Both service and action must have a value");
  }
  $this->$mService = $service;
  $this->$mAction = $action;
  $this->$mHasSecurity = false;
  if (!empty($security)) {
    $this->$mHasSecurity = true;
    $this->$mSecurity = $security;
  }
}
于 2009-11-11T00:15:03.293 に答える
4

また、完全に異なる引数が本当に必要な場合は、Factory パターンを使用してください。

class Car {       
   public static function createCarWithDoors($intNumDoors) {
       $objCar = new Car();
       $objCar->intDoors = $intNumDoors;
       return $objCar;
   }

   public static function createCarWithHorsepower($intHorsepower) {
       $objCar = new Car();
       $objCar->intHorses = $intHorsepower;
       return $objCar;
   }
}

$objFirst = Car::createCarWithDoors(3);
$objSecond = Car::createCarWithHorsePower(200);
于 2009-11-11T02:25:05.690 に答える