2012-06-22 7 views
5

多分私はこれを間違っています。モデルテストケースでモックを作成する方法

私はモデル(抗体)のbeforeSaveメソッドをテストしたいと思います。このメソッドの一部は、関連するモデル(種)のメソッドを呼び出します。私は種モデルを模倣したいが、見つけられない。

MVCパターンに逆らって、私がしてはならないことをしようとしているのですか?

class Antibody extends AppModel { 
    public function beforeSave() { 

     // some processing ... 

     // retreive species_id based on the input 
     $this->data['Antibody']['species_id'] 
      = isset($this->data['Species']['name']) 
      ? $this->Species->getIdByName($this->data['Species']['name']) 
      : null; 

     return true; 
    } 
} 

答えて

5

あなたの種モデルが関係によってケーキで作成されていると仮定すると、si次のようなことをしてください:

public function setUp() 
{ 
    parent::setUp(); 

    $this->Antibody = ClassRegistry::init('Antibody'); 
    $this->Antibody->Species = $this->getMock('Species'); 

    // now you can set your expectations here 
    $this->Antibody->Species->expects($this->any()) 
     ->method('getIdByName') 
     ->will($this->returnValue(/*your value here*/)); 
} 

public function testBeforeFilter() 
{ 
    // or here 
    $this->Antibody->Species->expects($this->once()) 
     ->method('getIdByName') 
     ->will($this->returnValue(/*your value here*/)); 
} 
+0

ありがとう、それは私が探していたものでした – kaklon

0

「種別」オブジェクトの注入方法によって異なります。 コンストラクタ経由で注入されていますか?セッターを介して?それは継承されていますか?ここで

コンストラクタを注入対象と例です。

class Foo 
{ 
    /** @var Bar */ 
    protected $bar; 

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

    public function foo() { 

     if ($this->bar->isOk()) { 
      return true; 
     } else { 
      return false; 
     } 
    } 
} 

次に、あなたのテストでは、このようなものになるだろう:

public function test_foo() 
{ 
    $barStub = $this->getMock('Overblog\CommonBundle\TestUtils\Bar'); 
    $barStub->expects($this->once()) 
     ->method('isOk') 
     ->will($this->returnValue(false)); 

    $foo = new Foo($barStub); 
    $this->assertFalse($foo->foo()); 
} 

プロセスはセッターと全く同じであるオブジェクトを注射さ:

public function test_foo() 
{ 
    $barStub = $this->getMock('Overblog\CommonBundle\TestUtils\Bar'); 
    $barStub->expects($this->once()) 
     ->method('isOk') 
     ->will($this->returnValue(false)); 

    $foo = new Foo(); 
    $foo->setBar($barStub); 
    $this->assertFalse($foo->foo()); 
} 
関連する問題