Data structure & Algorithm: String Stack Queue

字符串:字符类型的数组

字符串编码:
str-encode-bytes
bytes-decode-str
# -- coding: utf-8 -- # : Python编译器按照UTF-8编码读取源代码

字符串算法常见问题:
二叉树的拓扑结构相同问题 ~~ 序列化为字符串的模式匹配问题
字符串旋转词判断问题 ~~ double_string 后的模式匹配问题

栈:先进后出 射线

基本操作(栈顶):by arraylist
push(进) pop(出)min(最小值)

class Stack(object):

    def __init__(self):
        self.stack = []
        self.min_stack = []

    def push(self, node):
        # write code here
        self.stack.append(node)
        if not self.min_stack:
            self.min_stack.append(node)
        elif node <= self.min_stack[-1]:
            self.min_stack.append(node)
        else:
            self.min_stack.append(self.min_stack[-1])

    def pop(self):
        # write code here
        self.stack.pop()
        self.min_stack.pop()

    def top(self):
        # write code here
        return self.stack[-1]

    def min(self):
        # write code here
        return self.min_stack[-1]

队列:先进先出 直线

基本操作:by double stack
(进) (出)

class Queue(object):
# 1. stack_push 一次性向 stack_pop 中倒完所有数据
# 2. 倒数据前,保证 stack_pop 为空
'''
栈A用来作入队列
栈B用来出队列,当栈B为空时,栈A全部出栈到栈B,栈B再出栈(即出队列)
'''
    def __init__(self):
        self.stackA = []
        self.stackB = []
         
    def push(self, node):
        # write code here
        self.stackA.append(node)
         
    def pop(self):
        if self.stackB:
            return self.stackB.pop()
        elif not self.stackA:
            return None
        else:
            while self.stackA:
                self.stackB.append(self.stackA.pop())
            return self.stackB.pop()

你可能感兴趣的:(Data structure & Algorithm: String Stack Queue)