Skip to content

[친환경사과] Week 11 #1033

New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Merged
merged 3 commits into from
Feb 22, 2025
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
28 changes: 28 additions & 0 deletions maximum-depth-of-binary-tree/EcoFriendlyAppleSu.kt
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

오.... dfs에서 return시 depth - 1 이 상당히 참신하고 좋은것 같습니다.

Original file line number Diff line number Diff line change
@@ -0,0 +1,28 @@
package leetcode_study

/*
* 이진 트리의 최대 깊이를 구하는 문제
* 재귀를 사용해 문제 해결
* 시간 복잡도: O(n)
* -> 이진 트리의 모든 노드를 방문
* 공간 복잡도: O(n) 혹은 O(log n)
* -> findDepth() 함수는 재귀적으로 호출되어 콜 스택에 쌓임
* -> 균형잡힌 이진트리의 경우 재귀의 깊이는 O(log n) 소요
* -> 편향된 이진트리의 경우 재귀의 깊이는 O(n) 소요
* */
fun maxDepth(root: TreeNode?): Int {
if (root == null) return 0
val maxValue = findDepth(root, 1) // 시작 깊이 값은 `1`
return maxValue
}

fun findDepth(currentNode: TreeNode?, depth: Int): Int{
// escape condition
if (currentNode == null) {
return depth - 1
}

val leftValue = findDepth(currentNode.left, depth + 1)
val rightValue = findDepth(currentNode.right, depth + 1)
return maxOf(leftValue, rightValue)
}
85 changes: 85 additions & 0 deletions merge-intervals/EcoFriendlyAppleSu.kt
Original file line number Diff line number Diff line change
@@ -0,0 +1,85 @@
package leetcode_study

/*
* 주어진 범위 값 병합 문제
* */

/*
* 첫 번째 풀이. 틀림
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

저도 Interval 문제가 진짜 어렵더라구요 ㅠ
이번주차도 고생하셨습니다 👍

* 범위 안에 속하는 모든 값을 Set 자료구조에 넣고 제일 큰 숫자 만큼의 Boolean Array를 만든 후 방문처리하는 방식으로 접근
* 예외 케이스
* intervals = [[1,4],[5,6]] 일 때,
* 연속된 값으로 인식해 답을 [[1,6]]로 도출. 올바른 답은 [[1,4],[5,6]]
* */
fun merge01(intervals: Array<IntArray>): Array<IntArray> {
val tempSet = mutableSetOf<Int>()
var maxValue = Int.MIN_VALUE

for (interval in intervals) {
val leftValue = interval[0]
val rightValue = interval[1]
maxValue = max(maxValue, rightValue)
for (value in leftValue until rightValue + 1) {
tempSet.add(value)
}
}

val checkVisited = BooleanArray(maxValue + 1) { false }
for (value in tempSet) {
checkVisited[value] = true
}

val result = mutableListOf<IntArray>()
var start: Int? = null

for (i in checkVisited.indices) {
if (checkVisited[i]) {
if (start == null) start = i // 시작점 저장
// 연속된 값이 true일 경우엔 넘어감
} else {
if (start != null) {
result.add(intArrayOf(start, i - 1)) // [start, end] 추가
start = null
}
}
}
if (start != null) {
result.add(intArrayOf(start, checkVisited.lastIndex))
}

return result.toTypedArray()
}

/*
* 주어진 범위 값을 정렬하고 순회하면서 병합 여부 판단
* 시간 복잡도: O(n log n)
* -> 첫 번째 원소 기준으로 TimSort 알고리즘을 사용한 정렬: O(n log n)
* -> 주어진 interval 만큼 순회해 계산: O(n)
* 공간 복잡도: O(n)
* -> 첫 번째 원소로 정렬된 sortedIntervals를 담는 공간: O(n)
* */
fun merge02(intervals: Array<IntArray>): Array<IntArray> {
if (intervals.isEmpty()) return intervals

// 시작점 기준으로 정렬
val sortedIntervals = intervals.sortedBy { it[0] }

val result = mutableListOf<IntArray>()
var currentInterval = sortedIntervals[0]

for (i in 1 until sortedIntervals.size) {
val interval = sortedIntervals[i]
// 겹치는 경우: 현재 구간의 끝이 다음 구간의 시작보다 크거나 같으면 merge
if (currentInterval[1] >= interval[0]) {
currentInterval[1] = maxOf(currentInterval[1], interval[1])
} else {
// 겹치지 않으면 현재 구간을 결과에 추가하고, 새 구간으로 변경
result.add(currentInterval)
currentInterval = interval
}
}
// 마지막 구간 추가
result.add(currentInterval)

return result.toTypedArray()
}
36 changes: 36 additions & 0 deletions reorder-list/EcoFriendlyAppleSu.kt
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

문제 풀이 방법에 투 포인터를 사용하신게 참신하네요!
해당 문제는 LinkedList 를 적극적으로 활용하는 문제라고 생각이 됩니다!
공간 복잡도를 O(1) 으로 풀이 하실 수 있을거에요.
도전 해 보시면 좋을것 같습니다!

Original file line number Diff line number Diff line change
@@ -0,0 +1,36 @@
package leetcode_study

/*
* singly linked list를 재정렬하는 문제
* 시간 복잡도: O(n)
* -> 전체 노드를 저장하기 위해 순환하는 과정 O(n)
* -> 리스트의 앞과 뒤에 포인터를 두고 주소값을 변경하는 과정 O(log n)
* 공간 복잡도: O(n)
* -> 노드 전체를 담을 새로운 list 필요 O(n)
* */
fun reorderList(head: ListNode?): Unit {
val tempNodeList = mutableListOf<ListNode>()
var currentNode = head

while (currentNode != null) {
tempNodeList.add(currentNode)
currentNode = currentNode.next
}

// 양쪽 끝에서부터 교차로 연결
var i = 0
var j = tempNodeList.size - 1
while (i < j) {
// 먼저 앞쪽 노드의 next가 뒤쪽 노드를 가리키게 함
tempNodeList[i].next = tempNodeList[j]
i++ // 다음 앞쪽 노드 선택

// 만약 앞쪽과 뒤쪽이 만난 경우 (짝수개일 때), 반복 종료
if (i == j) break

// 뒤쪽 노드의 next가 새로운 앞쪽 노드를 가리키게 함
tempNodeList[j].next = tempNodeList[i]
j-- // 다음 뒤쪽 노드 선택
}
tempNodeList[i].next = null
}