Python의 창고 데이터 구조
1724 단어 pythondatastructurestack
스택이란?
스택은 선형 데이터 구조로
Last In, First Out(LIFO)
정책 저장 프로젝트를 사용한다.새 요소가 창고에 추가될 때마다 창고의 최고점에 추가되며, 맨 위의 요소는 창고에서 먼저 꺼집니다.Python의 스택은 다음과 같은 방법으로 수행할 수 있습니다.
창고의 실현
class Stack():
def __init__(self):
self.items = []
def push(self, item):
self.items.append(item)
def pop(self):
return self.items.pop()
def is_empty(self):
return self.items == []
def peek(self):
if not self.is_empty():
return self.items[-1]
def get_stack(self):
return self.items
s=Stack()
print("Stack is Empty:",s.is_empty())
s.push("A")
s.push("B")
s.push("C")
s.push("D")
s.push("E")
s.push("F")
print("Stack after appending =",s.get_stack())
s.pop()
s.pop()
print("Stack after removing elements =",s.get_stack())
print("Peek element =",s.peek())
출력:Stack is Empty: True
Stack after appending = ['A', 'B', 'C', 'D', 'E', 'F']
Stack after removing elements = ['A', 'B', 'C', 'D']
Peek element = D
Reference
이 문제에 관하여(Python의 창고 데이터 구조), 우리는 이곳에서 더 많은 자료를 발견하고 링크를 클릭하여 보았다 https://dev.to/iswarya/stack-data-structure-in-python-1o2d텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
우수한 개발자 콘텐츠 발견에 전념 (Collection and Share based on the CC Protocol.)