使用陣列實現環形佇列Scala版本

xipenfei發表於2020-10-01

整體思路解析

上次我們演示了使用陣列實現佇列的方式,在結尾處提出了一個問題,因為我們使用雙指標後移的方式,被彈出佇列的元素依然存在陣列中,空間不能被重複利用。
這次我們提出了使用陣列和雙指標實現環形佇列的方案。完成資源的利用。
基本思路:
1. 初始化的雙指標head 和tail 的初始值為0,在新增和彈出的時候分別將指標後移。那麼實際的tail指標是指向了最後一個數字的下一位。因此環形佇列的實際儲存長度為 陣列長度-1
2. 利用tail 和head 對陣列長度取模的方式,完成在前面的資源位置利用
3. 判斷佇列滿的條件是 (tail +1) % arrSize == head ,因為tail有可能大於head 因此需要取模
4. 注意,在顯示佇列的內容時候,分為了 tail>head 正常儲存方式 和tail < head 利用空間 的兩種展示方式

程式碼

package com.xipenhui.cn

import scala.io.StdIn

object CircleArrayTest {



  def main(args: Array[String]): Unit = {

    val queue = new CirccleArrayQueue(3)
    while (true){
      println("show 顯示當前佇列資料")
      println("pop 彈出佇列頭元素")
      println("add 新增元素")
      println("head 顯示佇列頭元素")
      println("size 檢視佇列長度")
      println("exit 退出")
      val input = StdIn.readLine()
      input match {
        case "add" =>{
          println("請輸入一個數")
          val num = StdIn.readInt()
          queue.addQueue(num)
        }
        case "show" =>queue.showQueue()
        case "pop" => println(s"出佇列元素為:${queue.popQueue()}")
        case "size" =>println(s"佇列長度為${queue.size()}")
        case "head" =>println(s"佇列頭為${queue.headElement()}")
        case "exit" => System.exit(0)
      }

    }
  }
}

class CirccleArrayQueue(arrMaxSize:Int){
  val maxSiza = arrMaxSize
  var head = 0  //head 和 tail維持在 0至maxsize之間,獲取值的時候與maxSiza取模
  var tail = 0
  val arr  = new Array[Int](maxSiza)  //有效儲存長度為maxsize-1

  //判斷是否滿
  def isFull() ={
    (tail + maxSiza+1  ) % maxSiza == head
  }

  //判斷是否為空
  def isEmpty()={
    head == tail
  }

  //新增資料
  def addQueue(num:Int): Unit ={
    if(isFull){
      throw new RuntimeException("queue is full,can't add elem ")
    }
    arr(tail) = num
    tail = (tail + 1) % maxSiza
  }

  //彈出元素
  def popQueue(): Int ={
    if(isEmpty()){
      throw  new RuntimeException("queue is empty,can't pop element ")
    }
    val res = arr(head)
    arr(head) = 0
    head = (head +  1) % maxSiza
    res
  }

  //顯示佇列,增加遍歷的長度,對i取模求值
  def showQueue()={
    if(isEmpty()){
      throw new RuntimeException("queue is empty ,no element ")
    }
    if(tail > head){
      for(i <- head until tail){
        println(s"arr(${i }) = ${arr(i)}")
      }
    }else{
      for(i <- head until tail + maxSiza){
        println(s"arr(${i % maxSiza}) = ${arr(i % maxSiza)}")
      }
    }

  }
  //檢視佇列頭
  def headElement() ={
    if(isEmpty()){
      throw new RuntimeException("queue is empty, no head")
    }
    arr(head)
  }
  //佇列長度,補齊位
  def size() ={
    (tail + maxSiza - head) % maxSiza
  }
}

相關文章