[关闭]
@a5635268 2016-02-23T11:53:45.000000Z 字数 1217 阅读 1200

【SPL标准库专题(7)】 Datastructures:SplHeap & SplMaxHeap & SplMinHeap

SPL


堆(Heap)就是为了实现优先队列而设计的一种数据结构,它是通过构造二叉堆(二叉树的一种)实现。根节点最大的堆叫做最大堆或大根堆,根节点最小的堆叫做最小堆或小根堆。二叉堆还常用于排序(堆排序)。

1352265671_1438.jpg-27.3kB

类摘要

  1. abstract SplHeap implements Iterator , Countable {
  2. /* 方法 */
  3. public __construct ( void )
  4. abstract protected int compare ( mixed $value1 , mixed $value2 )
  5. public int count ( void )
  6. public mixed current ( void )
  7. public mixed extract ( void )
  8. public void insert ( mixed $value )
  9. public bool isEmpty ( void )
  10. public mixed key ( void )
  11. public void next ( void )
  12. public void recoverFromCorruption ( void )
  13. public void rewind ( void )
  14. public mixed top ( void )
  15. public bool valid ( void )
  16. }

从上面可以看到由于类中包含一个compare的抽象方法,所以该类必须为抽象类(不可实例化,只能被继承使用);

最小堆和最大堆其实就是对compare该抽象方法的一个算法的两种呈现; 也可以自己写一个类继承SplHeap按自己的方式来做排序;

Example

自定义排序堆

  1. class MySimpleHeap extends SplHeap
  2. {
  3. //compare()方法用来比较两个元素的大小,决定他们在堆中的位置
  4. public function compare( $value1, $value2 ) {
  5. return ($value2 - $value1);
  6. }
  7. }
  8. $obj = new MySimpleHeap();
  9. $obj->insert( 4 );
  10. $obj->insert( 8 );
  11. $obj->insert( 1 );
  12. $obj->insert( 0 );
  13. echo $obj->top(); //8
  14. foreach( $obj as $number ) {
  15. echo $number;
  16. echo PHP_EOL;
  17. }

最大堆与最小堆

  1. $heap = new SplMaxHeap();
  2. $heap->insert(100);
  3. $heap->insert(80);
  4. $heap->insert(88);
  5. $heap->insert(70);
  6. $heap->insert(810);
  7. $heap->insert(800);
  8. //最大堆,从大到小排序
  9. $heap->rewind();
  10. while($heap->valid()){
  11. echo $heap->key(),'=>',$heap->current(),PHP_EOL;
  12. $heap->next();
  13. }
添加新批注
在作者公开此批注前,只有你和作者可见。
回复批注