2

Note:all code working fine without phpunit

file 1:common.php:

  public function setNIMUID( $NIMUID ) { 

        if(is_bool(Cache::get("$NIMUID"))) {                
                $user_Array=array("_JID"=>(string)$NIMUID);
                Cache::set("$NIMUID",$user_Array);
        } 
       $this->NIMUID=(string)$NIMUID ;
    }

File 2 :memcache.class.php
method 1:

   protected function __construct(array $servers) {  
    if(!$servers) {
        trigger_error('No memcache servers to connect', E_USER_WARNING);
    }
    for($i = 0, $n = count($servers); $i<$n; ++ $i) {
        ($con = memcache_connect(key($servers[$i]), current($servers[$i])))&&$this->mc_servers[] = $con; 
    }
    $this->mc_servers_count = count($this->mc_servers);
    if(!$this->mc_servers_count) {
        $this->mc_servers[0] = null;
    }
}

method 2:

      static function get($key) {
      return self::singleton()->getMemcacheLink($key)->get($key);
      } 

method 3:

static function singleton() {
    //Write here where from to get the servers list from, like 
    global $memcache_servers;

    self::$instance||self::$instance = new Cache($memcache_servers);
    return self::$instance;
}

File 3 : commonTest.php

public function testCommon()
      { 
      $Common = new Common();
      $Common->setNIMUID("saurabh4"); 
      }

$memcache_servers variable :

 $memcache_servers = array(
    array('localhost'=>'11211'),
    array('127.0.0.1'=>'11211')
    );

Error :

Fatal error: Call to undefined function memcache_connect()
4

1 回答 1

2

单元测试应该是可重复的、快速的和独立的。这意味着您不应该连接到外部服务来对您的类进行单元测试。如果您想测试 Common 是否正常工作,您应该测试它的行为,在这种情况下,它会按照您的预期调用 Cache 类。

为此,您需要使用 mocks。使用模拟,您可以设置一些期望,例如以特定方式调用对象。如果您的类按预期称为 memcached 类,您可以假设您的功能运行良好。你怎么知道 Cache 类工作正常?因为 Cache 类会有自己的单元测试。

为了使用模拟(或存根),您需要更改编程方式并避免像 Cache::set() 中那样的静态调用。相反,您应该使用类实例和正常调用。如何?将 Cache 实例传递给您的 Common 类。这个概念称为依赖注入。您的通用代码如下所示:

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

public function setNIMUID( $NIMUID ) { 

    if(is_bool($this->cache->get("$NIMUID"))) {                
            $user_Array=array("_JID"=>(string)$NIMUID);
            $this->cache->set("$NIMUID",$user_Array);
    } 
   $this->NIMUID=(string)$NIMUID ;
}
于 2013-07-02T07:36:04.780 回答