hello-algo/codes/python/chapter_stack_and_queue/array_stack.py

69 lines
1.6 KiB
Python
Raw Normal View History

"""
File: array_stack.py
2022-11-29 21:42:59 +08:00
Created Time: 2022-11-29
Author: Peng Chen (pengchzn@gmail.com)
"""
2022-11-29 13:58:23 +08:00
class ArrayStack:
2023-03-03 03:07:22 +08:00
""" 基于数组实现的栈 """
def __init__(self) -> None:
2023-03-03 03:07:22 +08:00
""" 构造方法 """
self.__stack: list[int] = []
2022-11-29 13:58:23 +08:00
def size(self) -> int:
2023-03-03 03:07:22 +08:00
""" 获取栈的长度 """
2022-11-29 23:35:51 +08:00
return len(self.__stack)
2022-11-29 13:58:23 +08:00
def is_empty(self) -> bool:
2023-03-03 03:07:22 +08:00
""" 判断栈是否为空 """
2022-11-29 23:35:51 +08:00
return self.__stack == []
2022-11-29 13:58:23 +08:00
def push(self, item: int) -> None:
2023-03-03 03:07:22 +08:00
""" 入栈 """
2022-11-29 23:35:51 +08:00
self.__stack.append(item)
2022-11-29 13:58:23 +08:00
def pop(self) -> int:
2023-03-03 03:07:22 +08:00
""" 出栈 """
2022-12-20 14:13:21 +08:00
assert not self.is_empty(), "栈为空"
2022-11-29 23:35:51 +08:00
return self.__stack.pop()
2022-11-29 13:58:23 +08:00
def peek(self) -> int:
2023-03-03 03:07:22 +08:00
""" 访问栈顶元素 """
2022-12-20 14:13:21 +08:00
assert not self.is_empty(), "栈为空"
2022-11-29 23:35:51 +08:00
return self.__stack[-1]
def to_list(self) -> list[int]:
2023-03-03 03:07:22 +08:00
""" 返回列表用于打印 """
2022-11-29 23:35:51 +08:00
return self.__stack
2022-11-29 13:58:23 +08:00
2022-11-29 23:35:51 +08:00
""" Driver Code """
2022-11-29 13:58:23 +08:00
if __name__ == "__main__":
""" 初始化栈 """
stack = ArrayStack()
""" 元素入栈 """
stack.push(1)
stack.push(3)
stack.push(2)
stack.push(5)
stack.push(4)
2022-11-30 02:27:26 +08:00
print("栈 stack =", stack.to_list())
2022-11-29 13:58:23 +08:00
""" 访问栈顶元素 """
peek: int = stack.peek()
2022-11-29 23:35:51 +08:00
print("栈顶元素 peek =", peek)
2022-11-29 13:58:23 +08:00
""" 元素出栈 """
pop: int = stack.pop()
2022-11-29 23:35:51 +08:00
print("出栈元素 pop =", pop)
2022-11-30 02:27:26 +08:00
print("出栈后 stack =", stack.to_list())
2022-11-29 13:58:23 +08:00
""" 获取栈的长度 """
size: int = stack.size()
2022-11-29 23:35:51 +08:00
print("栈的长度 size =", size)
2022-11-29 13:58:23 +08:00
""" 判断是否为空 """
is_empty: bool = stack.is_empty()
print("栈是否为空 =", is_empty)