[关闭]
@a5635268 2016-02-23T11:53:11.000000Z 字数 1528 阅读 1131

【SPL标准库专题(6)】 Datastructures:SplPriorityQueue

SPL


普通的队列是一种先进先出的数据结构,元素在队列尾追加,而从队列头取出。在优先队列中,元素被赋予优先级。当访问元素时,具有最高优先级的元素最先取出。优先队列具有最高级先出 (largest-in,first-out)的行为特征。
总结下来就是普通队列有先进先出原则,优先级队列有优先级高先出原则,这个优先级可以设置;

类摘要

  1. // 1. 没有实现ArrayAccess接口,所以不能像数组那样操作;
  2. SplPriorityQueue implements Iterator , Countable {
  3. /* 方法 */
  4. public __construct ( void )
  5. // 比较方法,内部应该用到了冒泡排序,对于权重值来说,返回0代表相等,返回正整数就代表大于,返回负整数就代表小于;
  6. // 默认是权重值越优先,也可以让其被子类覆盖改为权重值越小越优先
  7. public int compare ( mixed $priority1 , mixed $priority2 )
  8. public mixed extract ( void )
  9. //恢复到上一个被破坏的节点? 测试无用;
  10. public void recoverFromCorruption ( void )
  11. public void setExtractFlags ( int $flags )
  12. public void insert ( mixed $value , mixed $priority )
  13. public int count ( void )
  14. public mixed current ( void )
  15. public bool isEmpty ( void )
  16. public mixed key ( void )
  17. public void next ( void )
  18. public void rewind ( void )
  19. public mixed top ( void )
  20. public bool valid ( void )
  21. }

Example

  1. class PQtest extends SplPriorityQueue
  2. {
  3. //覆盖父类,更改其优先规则为权重值越小越优先;
  4. public function compare($priority1, $priority2)
  5. {
  6. if ($priority1 === $priority2) return 0;
  7. return $priority1 > $priority2 ? -1 : 1;
  8. }
  9. }
  10. $pq = new PQtest();
  11. // 设置值与优先值
  12. $pq->insert('a', 10);
  13. $pq->insert('b', 1);
  14. $pq->insert('c', 8);
  15. /**
  16. * 设置元素出队模式
  17. * SplPriorityQueue::EXTR_DATA 仅提取值
  18. * SplPriorityQueue::EXTR_PRIORITY 仅提取优先级
  19. * SplPriorityQueue::EXTR_BOTH 提取数组包含值和优先级
  20. */
  21. $pq->setExtractFlags(PQtest::EXTR_BOTH);
  22. //从顶部取出一个节点,该节点下面的节点移上为顶部节点;
  23. print_r(
  24. $pq->extract()
  25. );
  26. /*
  27. [data] => b
  28. [priority] => 1
  29. */
  30. $pq->recoverFromCorruption();
  31. //拿出顶部节点
  32. print_r(
  33. $pq->extract()
  34. );
  35. /*
  36. [data] => c
  37. [priority] => 8
  38. */
  39. // 还原自上一个节点? 没什么效果?
  40. $pq->recoverFromCorruption();
  41. print_r(
  42. $pq->current()
  43. );
  44. $pq->rewind();
  45. while($pq->valid()){
  46. print_r($pq->current());
  47. echo PHP_EOL;
  48. $pq -> next();
  49. }
添加新批注
在作者公开此批注前,只有你和作者可见。
回复批注