如何在php中模仿模板类

时间:2010-01-27 15:51:15

标签: php class templates

如何在PHP中模仿C ++模板类?

EDITED1

例如,这将如何在PHP?

template  <typename T>
class MyQueue
{
         std::vector<T> data;
      public:
         void Add(T const &d);
         void Remove();
         void Print();
};

3 个答案:

答案 0 :(得分:4)

PHP是动态输入的。在这种情况下,我不认为拥有模板是可行/有用/有意义的,因为它们只是附加类型信息。

编辑: 作为对您的示例的回复,在php中您将负责了解列表中的类型。列表接受了所有内容。

答案 1 :(得分:1)

将C ++代码转换为PHP:

class MyQueue{
  private $data;
  public function Add($d);
  public function Remove();
  public function Print();
};

正如Thirler解释的那样,PHP是动态的,因此您可以将任何想要的内容传递给Add函数,并在$ data中保存您想要的任何值。如果你真的想添加一些类型安全性,你必须将你想要允许的类型传递给构造函数。

public function __construct($t){
   $this->type = $t;
}

然后,您可以使用instanceof运算符在其他函数中添加一些检查。

public function Add($d){
    if ( !($d instanceof $this->type ){
        throw new TypeException("The value passed to the function was not a {$this->type}");
    }
    //rest of the code here
}

但是,它不会接近静态类型语言的功能,该语法旨在在编译时捕获类型错误。

答案 2 :(得分:0)

PHP有非常有用的数组,可以接受任何类型的值,任何标量作为键。

您的示例的最佳翻译是

class MyQueue {
  private $data = array();

  public function Add($item) {
    $this->data[] = $item; //adds item to end of array
  }

  public function Remove() {
    //removes first item in array and returns it, or null if array is empty
    return array_shift($this->data); 
  }

  public function Print() {
    foreach($this->data as $item) {
      echo "Item: ".$item."<br/>\n";
    }
  }

}