TP5.1 原始碼窺探之瞭解一下容器實現的三個介面

zs4336發表於2020-03-26

繼上一篇自動載入,我們接著往下看,當系統執行至Container::get('app')->run()->send()這一行時,實現Container容器類的自動載入,可以看它的設計模式,使用到了單例模式,註冊樹模式。當你看它程式碼的時候不難發現它實現了ArrayAccess, IteratorAggregate, Countable三個介面。下面就瞭解一下這些介面。

ArrayAccess

官方的描述是:提供像訪問陣列一樣訪問物件的能力的介面。也就是向下面這樣可以訪問陣列的方式訪問物件。

$obj = new Obj();
echo $obj['name'];

既然是介面類,那麼容器類必須要實現該介面的所有方法。

// 檢查一個偏移位置是否存在
public function offsetExists($key);
//獲取一個偏移位置的值
public function offsetGet($key);
//設定一個偏移位置的值
public function offsetSet($key,$val);
//復位一個偏移位置的值
public function offsetUnset($key);

譬如:Obj.php

namespace note;
use ArrayAccess;

class Obj implements ArrayAccess {
    private $container = array();
    public function __construct() {
        $this->container = array(
            "one"   => 1,
            "two"   => 2,
            "three" => 3,
        );
    }
    public function offsetSet($offset, $value) {
        if (is_null($offset)) {
            $this->container[] = $value;
        } else {
            $this->container[$offset] = $value;
        }
    }
    public function offsetExists($offset) {
        return isset($this->container[$offset]);
    }
    public function offsetUnset($offset) {
        unset($this->container[$offset]);
    }
    public function offsetGet($offset) {
        return isset($this->container[$offset]) ? $this->container[$offset] : null;
    }
}

index.php

$obj = new Obj;
var_dump(isset($obj["two"])); // true
var_dump($obj["two"]); // 2
unset($obj["two"]);
var_dump(isset($obj["two"])); // fasle
$obj["two"] = "A value";
var_dump($obj["two"]); // A value
$obj[] = 'Append 1';
$obj[] = 'Append 2';
$obj[] = 'Append 3';
print_r($obj);

Countable

官方解釋是: 統計一個物件的元素個數,實現該介面需要實現count函式。

public function count();

Obj.php

namespace note;
use Countable;

class Obj implements Countable {
    public function count()
    {
        return 111;
    }
}

index.php

$obj = new Obj();
$res1 = count($obj);
$res2 = $obj->count();
var_dump($res1,$res2);// 111 111

IteratorAggregate

官方解釋:建立外部迭代器的介面,需要實現getIterator方法

public function getIterator();

舉例
MyData.php

namespace note;

use IteratorAggregate;
use ArrayIterator;

class MyData implements IteratorAggregate {
    public    $property1 = "public property one";
    protected $property2 = "protected property two";
    private   $property3 = "private property three";
    protected $bind = ['a'=>'animal','b'=>'banana'];

    public function __construct() {
        $this->property4 = "last property";
    }

    public function getIterator() {
        return new ArrayIterator($this);
       // return new ArrayIterator($this->bind);
    }

    public function method()
    {
        return '看看方法會不會進入迭代器,還是隻是屬性才進入迭代器';
    }
}

index.php

$obj = new MyData();
//可以先判斷是否可以迭代
if( $obj instanceof \Traversable){
    //像陣列一樣遍歷一個物件,因為實現了迭代器介面,並且只有公有屬性才會被迭代
    foreach($obj as $key => $value){
        var_dump($key,$value);
    }
}

注意:雖然實現了迭代器介面,但仍不可以使用count函式統計,需要實現Countable介面。

本作品採用《CC 協議》,轉載必須註明作者和本文連結
今年不學習,明天慘唧唧。

相關文章