본문 바로가기

알고리즘

자료구조 - Stack, Queue | 백준 10828 , 10773 Python

1. Stack의 노드 기본 단위 

class Node:
    def __init__(self, item, next):
        self.item = item
        self.next = next

 

2.  Stack의 구성

class Stack:
    def __init__(self):
        self.top = None

    #push, pop, is empty
    def is_empty(self):
        return self.top is None
    
    def push(self, val):
        self.top = Node(val, self.top) # val == item, self.top == next(다음 가리키는 것))
    
    def pop(self):
        if not self.top:
            return None

        node = self.top #가장 최근 추가된 top node
        self.top = self.top.next #다음 노드
        return node.item

 

 

3. 백준 10828 

 

문제 링크 : https://www.acmicpc.net/problem/10828

 

10828번: 스택

첫째 줄에 주어지는 명령의 수 N (1 ≤ N ≤ 10,000)이 주어진다. 둘째 줄부터 N개의 줄에는 명령이 하나씩 주어진다. 주어지는 정수는 1보다 크거나 같고, 100,000보다 작거나 같다. 문제에 나와있지

www.acmicpc.net

solution

import sys

n = int(sys.stdin.readline())
stack = []

for i in range(n):
    command = sys.stdin.readline().split()

    if command[0] == 'push':
        stack.append(command[1])

    elif command[0] == 'pop':
        if len(stack):
            print(stack.pop())
        else:
            print(-1)

    elif command[0] == 'top':
        if len(stack):
            print(stack[-1])
        else:
            print(-1)

    elif command[0] == 'size':
        print(len(stack))
    
    elif command[0] == 'empty':
        if len(stack):
            print(0)
        else:
            print(1)

 

 

+ ) 백준 10773 제로 Python

문제 링크 : https://www.acmicpc.net/problem/10773

 

10773번: 제로

첫 번째 줄에 정수 K가 주어진다. (1 ≤ K ≤ 100,000) 이후 K개의 줄에 정수가 1개씩 주어진다. 정수는 0에서 1,000,000 사이의 값을 가지며, 정수가 "0" 일 경우에는 가장 최근에 쓴 수를 지우고, 아닐 경

www.acmicpc.net

solution

n = int(input())

stack = []
for i in range(n):
    num = int(input())
    if num == 0:
        stack.pop()
    else:
        stack.append(num)

print(sum(stack))

 

 

 

4. Queue의 기본 구성 (노드는 스택과 동일)

class Node:
    def __init__(self, item, next):
        self.item = item
        self.next = next

class Stack:
    def __init__(self):
        self.front = None

    #push, pop, is empty
    def is_empty(self):
        return self.front is None
    
    def push(self, val):
        if not self.front:
            self.front = Node(val  ,None)
            return

        node = self.front
        while node.next:
            node = node.next
        node.next = Node(val, None)

    def pop(self):
        if not self.front:
            return None
        
        node = self.front
        self.front = self.front.next
        return node.item