因為Yii測試框架基於PHPUnit構建,所以推薦你在理解如何寫一個單元測試之前先通讀一遍PHPUnit文檔。例如我們簡單概括一下在Yii中寫一個單元測試的基本原則:
一個單元測試以繼承自CTestCase或者CDbTestCase的XyzTest類的形式編寫, 其中Xyz代表要被測試的類., 想要測試的類. Post類別,我們會相應地將測試類別命名為PostTest. 基底類別CTestCase是通用單元測試類別, 而CDbTestCase只適用於測試AR模型類別. 由於PHPUnit_Framework_TestCase是這兩個類別的父類別
, 我們可以從這個類別中繼承所有方法。
單元測試類別以XyzTest.php的形式保存在PHP檔案中. 方便起見,單元測試檔案通常保存在 protected/tests/unit資料夾下
.
方法, 其中Abc通常是要被測試的類別方法.
測試方法通常包含一系列斷言語句(e.g. assertTrue
, asserEquals
),作為驗證目標類行為的斷點。我們主要闡述如何為AR模型類別編寫單元測試. 我們的測試類別將會繼承自CDbTestCase,因為它提供了資料庫特定狀態支持,在上一章節中我們已經詳細討論了資料庫特定狀態.
:
class CommentTest extends CDbTestCase { public $fixtures=array( 'posts'=>'Post', 'comments'=>'Comment', ); ...... }
在這個類別中, 我們指定成員變數:
// return all rows in the 'Comment' fixture table $comments = $this->comments; // return the row whose alias is 'sample1' in the `Post` fixture table $post = $this->posts['sample1']; // return the AR instance representing the 'sample1' fixture data row $post = $this->posts('sample1');在這個類別中, 我們指定成員變數
:<pre class="brush:php;toolbar:false">public function testApprove()
{
// insert a comment in pending status
$comment=new Comment;
$comment->setAttributes(array(
&#39;content&#39;=>&#39;comment 1&#39;,
&#39;status&#39;=>Comment::STATUS_PENDING,
&#39;createTime&#39;=>time(),
&#39;author&#39;=>&#39;me&#39;,
&#39;email&#39;=>[email protected]&#39;,
&#39;postId&#39;=>$this->posts[&#39;sample1&#39;][&#39;id&#39;],
),false);
$this->assertTrue($comment->save(false));
// verify the comment is in pending status
$comment=Comment::model()->findByPk($comment->id);
$this->assertTrue($comment instanceof Comment);
$this->assertEquals(Comment::STATUS_PENDING,$comment->status);
// call approve() and verify the comment is in approved status
$comment->approve();
$this->assertEquals(Comment::STATUS_APPROVED,$comment->status);
$comment=Comment::model()->findByPk($comment->id);
$this->assertEquals(Comment::STATUS_APPROVED,$comment->status);
}</pre>
在這個類別中, 我們指定成員變數fixtures 為一個包含這個測試要用到的特定狀態(fixtures)陣列。這個陣列表示從特定狀態名稱到模型類別的對應或特定狀態表名(e.g. 從
posts 到
Post). 注意當對應到特定狀態表名時,應該在資料表名稱前加上冒號前綴( e.g. <img src="https://img.php.cn/upload/article/000/000/194/d8454295409f69752ae1c667ca9e3c2e-0.gif" alt="Yii框架官方指南系列增補版39-測驗:單元測驗(Unit Testing)" class="wp-smiley">
ost
rrreeeNote:
), 那麼上述第三個使用方法將會無效,因為我們已經沒有任何與模型類別的關聯資訊了.如果一個特定狀態聲明使用它的資料表名(e.g.
'posts'=>'Yii框架官方指南系列增補版39-測驗:單元測驗(Unit Testing)ost'
接下來,我們要編寫
testApprove方法在Comment模型類別中測試approve方法
rrreee
以上就是Yii框架官方指南系列增補版39-測試:單元測試(Unit Testing)的內容,更多相關內容請關注PHP中文網(www.php.cn)!