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
- 릿코드 풀기
- python xor
- python Leetcode
- 릿코드
- 파이썬 프로그래머스
- 잇츠디모
- LeetCode
- 파이썬릿코드풀기
- leetcode풀기
- python sorted
- 알고리즘풀기
- python priority queue
- 파이썬 알고리즘
- python 알고리즘
- python 릿코드
- 파이썬릿코드
- 릿코드풀기
- 파이썬알고리즘풀기
- 파이썬알고리즘
- 상가수익률계산기
- binary search
- 릿코드 파이썬
- 릿코드풀이
- 파이썬 알고리즘 풀기
- 알고리즘풀이
- 코틀린기초
- python zip_longest
- 파이썬 릿코드
- leetcode풀이
- leetcode 풀기
Archives
- Today
- Total
소프트웨어에 대한 모든 것
LeetCode 풀기 - 382. Linked List Random Node 본문
반응형
382. Linked List Random Node
https://leetcode.com/problems/linked-list-random-node/
문제)
솔루션1) 리스트를 배열로 저장
시간복잡도 : O(1)
공간복잡도 : O(n)
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:
def __init__(self, head: Optional[ListNode]):
self.nodes = []
cur = head
while cur:
self.nodes.append(cur.val)
cur = cur.next
def getRandom(self) -> int:
return random.choice(self.nodes)
솔루션2) Reservior sampling
시간 복잡도 : O(n)
공간 복잡도 : O(1)
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:
def __init__(self, head: Optional[ListNode]):
self.head = head
# reservior sampling
def getRandom(self) -> int:
res = 0
cur = self.head
i = 0
while cur:
if random.randint(0, i) == 0:
res = cur.val
cur = cur.next
i += 1
return res
솔루션3) 리스트 길이를 사전에 체크
시간 복잡도 : O(n)
공간 복잡도 : O(1)
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:
def __init__(self, head: Optional[ListNode]):
self.n = 0
self.head = head
cur = head
while cur:
self.n += 1
cur = cur.next
def getRandom(self) -> int:
n = random.randint(0, self.n - 1)
cur = self.head
while n > 0:
cur = cur.next
n -= 1
return cur.val
반응형
'알고리즘 > LeetCode' 카테고리의 다른 글
LeetCode 풀기 - 965. Univalued Binary Tree (0) | 2022.01.15 |
---|---|
LeetCode 풀기 - 1022. Sum of Root To Leaf Binary Numbers (0) | 2022.01.11 |
LeetCode 풀기 - 67. Add Binary (0) | 2022.01.10 |
LeetCode 풀기 - 1094. Car Pooling (0) | 2022.01.07 |
LeetCode 풀기 - 997. Find the Town Judge (0) | 2022.01.04 |
Comments