반응형
250x250
Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | 3 | 4 | |||
5 | 6 | 7 | 8 | 9 | 10 | 11 |
12 | 13 | 14 | 15 | 16 | 17 | 18 |
19 | 20 | 21 | 22 | 23 | 24 | 25 |
26 | 27 | 28 | 29 | 30 | 31 |
Tags
- dfs #bfs #이진트리 #파이썬 #리트코드
- handler #looper #thread #runnable #핸들러 #루퍼 #스레드 #러너블
- 아스테리스크 #Asterisk #파이썬
- 리트코드 #팰린드롬 #파이썬
- gcd #최대공약수 #백준 #2981 #검문
- 해시테이블 #heapq #파이썬 #리트코드 #알고리즘
- AsyncTask #doinbackground #스레드 #thread #android #안드로이드
- 파이썬 #zip
- Python #leetcode #dfs #그래프 #백트래킹
- exoplayer #mediaplayer #엑소플레이어 #안드로이드 #android
- dfs #이진트리 #트리구조 #직렬화 #역직렬화 #파이썬 #리트코드 #leetcode #python
- dfs #leetcode #python #graph #그래프
- dfs #python #leetcode
- 다익스트라 #dijkstra #leetcode #파이썬 #python #algorithm #787
- dfs #bfs #leetcode #python
- dfs #그래프 #graph #python #leetcode #course #schedule
- leetcode #subsets #dfs #itertools #python
- python #백준 #2580 #스도쿠 #dfs #백트래킹
- 코틀린 #Do it #깡샘 #안드로이드
- 2004 #조합 0의 개수 #백준
- leetcode #python #dfs #재귀
- dfs #bfs #트리구조 #이진트리 #leetcode #파이썬 #python
- python #백준 #9375 #패션왕 #신해빈
- dfs #python #leetcode #combination
- context #android #getApplicationContext #activity #생명주기 #lifecycle
- final #java #자바 #안드로이드
- dfs #bfs #트리구조 #이진트리 #leetcode #python #파이썬
- 백준 #파이썬 #bfs #백트래킹 #1697 #숨바꼭질
- 다익스트라 #알고리즘 #bfs #그리디 #다이나믹프로그래밍 #leetcode #python
- dfs #leetcode #python
Archives
- Today
- Total
멋진 개발자가 되고 싶다
[LeetCode,Python] 641. 원형 데크 디자인(Design Circular Deque) 본문
Algorithm Study/leetcode
[LeetCode,Python] 641. 원형 데크 디자인(Design Circular Deque)
오패산개구리 2021. 7. 15. 00:43728x90
반응형
다음 연산을 제공하는 원형 데크를 디자인하라.
- MyCircularDeque(k): 생성자, 데크의 크기를 k로 설정합니다.
- insertFront(): 데크 앞에 항목을 추가합니다. 작업이 성공하면 true를 반환합니다.
- insertLast() : Deque 후방에 항목을 추가합니다. 작업이 성공하면 true를 반환합니다.
- deleteFront() : Deque 전면에서 항목을 삭제합니다. 작업이 성공하면 true를 반환합니다.
- deleteLast() : Deque 후면에서 항목을 삭제합니다. 작업이 성공하면 true를 반환합니다.
- getFront(): Deque에서 프런트 아이템을 가져옵니다. 데크가 비어 있으면 -1을 반환합니다.
- getRear(): Deque에서 마지막 항목을 가져옵니다. 데크가 비어 있으면 -1을 반환합니다.
- isEmpty(): Deque가 비어 있는지 여부를 확인합니다.
- isFull(): Deque가 가득 찼는지 여부를 확인합니다.
** 깔끔한 답안 **
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
|
class ListNode:
def __init__(self, val=0, left=None, right=None):
self.val = val
self.left = left
self.right = right
class MyCircularDeque:
def __init__(self, k: int):
self.head, self.tail = ListNode(None), ListNode(None)
self.k, self.len = k, 0
self.head.right, self.tail.left = self.tail, self.head
# 이중 연결 리스트에 신규 노드 삽입
def _add(self, node: ListNode, new: ListNode):
n = node.right
node.right = new
new.left, new.right = node, n
n.left = new
def _del(self, node: ListNode):
n = node.right.right
node.right = n
n.left = node
def insertFront(self, value: int) -> bool:
if self.k == self.len:
return False
else:
self.len += 1
self._add(self.head, ListNode(value))
return True
def insertLast(self, value: int) -> bool:
if self.k == self.len:
return False
else:
self.len += 1
self._add(self.tail.left, ListNode(value))
return True
def deleteFront(self) -> bool:
if self.len == 0:
return False
else:
self.len -= 1
self._del(self.head)
return True
def deleteLast(self) -> bool:
if self.len == 0:
return False
else:
self.len -= 1
self._del(self.tail.left.left)
return True
def getFront(self) -> int:
return self.head.right.val if self.len else -1
def getRear(self) -> int:
return self.tail.left.val if self.len else -1
def isEmpty(self) -> bool:
return self.len == 0
def isFull(self) -> bool:
return self.len == self.k
|
cs |
해설:
이중 연결 리스트 클래스를 생성하고
이를 이용하여 데크를 구현하였다.
이 그림에서 next는 left, prev는 right로 이해하고 코드와 맞춰보면 된다.
728x90
반응형
'Algorithm Study > leetcode' 카테고리의 다른 글
[LeetCode,Python] 706. 해시 맵 디자인(Design HashMap) (0) | 2021.07.17 |
---|---|
[LeetCode,Python] 23. k개 정렬 리스트 병합(Merge k Sorted Lists) (0) | 2021.07.15 |
[LeetCode,Python] 739. 일일 온도(Daily Temperatures) (0) | 2021.07.11 |
[LeetCode,Python] 316. 중복 문자 제거(Remove Duplicate Letters) (0) | 2021.07.11 |
[LeetCode,Python] 20. 유효한 괄호(Valid Parentheses) (0) | 2021.07.10 |