今回はUnityと言うか少しプログラム的なメモです。スタック(stack)とキュー(queue)の基本と違いについてです。
はじめに
stackとqueueの基本を見ていきます。
stackとは
stackとは後入れ先出し(LIFO)の可変サイズのコレクションです。
机の上に本を積み上げるイメージで、下記の様にデータは上に積み上げられ、取り出すときも上から順番です。
data:image/s3,"s3://crabby-images/20ee2/20ee2229c822b34b2c84ca0dad6d000f90e3e786" alt=""
queueとは
queueとは先入れ先出し(FIFO)の可変サイズのコレクションです。
順番待ちのイメージで、下記の様に早く来た順にデータが並び、古いデータから順に取り出します。
data:image/s3,"s3://crabby-images/7782d/7782d9343069914b10a5064684d2e9014b066bec" alt=""
stackやqueueは多くのプログラミング言語に存在し、もちろんUnityのC#にもあります。実際にどのように利用するのか簡単に見ていきます。
簡単なスクリプト例
簡単なスクリプトを作成して動作を確認してみます。
stack
空のオブジェクトを追加してStackと言う名前でスクリプトをアタッチ。
data:image/s3,"s3://crabby-images/76399/763999beab2938ac2b7094803d46388b3b166f17" alt=""
スクリプトの中身は下記に変更します。Pushはデータの追加。Popはデータを削除して取り出し、Peekはデータを削除せずに取り出しです。
using System.Collections.Generic; using UnityEngine; public class Stack : MonoBehaviour { Stack<int> stack = new Stack<int>(); void Start() { stack.Push(1); stack.Push(2); stack.Push(3); int pop = stack.Pop(); Debug.Log("pop: " + pop); int peek = stack.Peek(); Debug.Log("Peek: " + peek); stack.Clear(); int count = stack.Count; Debug.Log("Count: " + count); } }
実行すると下記の様に。最後に追加された「3」が取り出されます。
data:image/s3,"s3://crabby-images/b72ac/b72ac020e3dd66c93880a1849d3fb45fdf4756fa" alt=""
より詳しい内容は下記にて。
queue
空のオブジェクトを追加してQueueと言う名前でスクリプトをアタッチ。
data:image/s3,"s3://crabby-images/5ee8d/5ee8d6b29d15dd460841f9a0d811c8b22f3521c7" alt=""
スクリプトの中身は下記に変更します。Enqueueはデータの追加。dequeueはデータを削除して取り出し、Peekはデータを削除せずに取り出しです。
using System.Collections.Generic; using UnityEngine; public class Queue : MonoBehaviour { private Queue<int> queue = new Queue<int>(); void Start() { queue.Enqueue(0); queue.Enqueue(1); queue.Enqueue(2); int dequeue = queue.Dequeue(); Debug.Log("dequeue: " + dequeue); int peek = queue.Peek(); Debug.Log("peek: " + peek); queue.Clear(); int count = queue.Count; Debug.Log("Count: " + count); } }
実行すると下記の様に。最初に追加した「0」が取り出されます。
data:image/s3,"s3://crabby-images/95b35/95b35983bb65b7cde1ef3b785ab28f31166eef47" alt=""
より詳しい内容は下記にて。