coding test/leetCode
[leetCode/JS] 876. Middle of the Linked List
쭘봉
2022. 12. 5. 11:05
난이도 [ 😊 ] Easy
문제 설명
Given the head
of a singly linked list, return the middle node of the linked list.
If there are two middle nodes, return the second middle node.
단일 linked List 를 준다. list의 중간 부터 return하는데, 중간이 2개 인 경우(짝수 length) 일땐, 2번째 중간 값 부터 return 해준다.
입출력 예
Example 1:
Input: head = [1,2,3,4,5]
Output: [3,4,5]
Explanation: The middle node of the list is node 3.
Example 2:
Input: head = [1,2,3,4,5,6]
Output: [4,5,6]
Explanation: Since the list has two middle nodes with values 3 and 4, we return the second one.
Constraints
- The number of nodes in the list is in the range
[1, 100]
. 1 <= Node.val <= 100
내 솔루션
- 여러 방식으로 풀던 중 list 자체를 arr에 넣어서 중간 값이 들어있는 요소만 return 하기로함.
/**
* Definition for singly-linked list.
* function ListNode(val, next) {
* this.val = (val===undefined ? 0 : val)
* this.next = (next===undefined ? null : next)
* }
*/
/**
* @param {ListNode} head
* @return {ListNode}
*/
// head = [1,2,3,4,5,6];
var middleNode = function(head) {
const arr = [];
let length = 0;
let list = head;
while(list) {
length++;
arr.push(list)
list = list.next;
}
// arr = [ [1,2,3,4,5,6], [2,3,4,5,6], [3,4,5,6], [4,5,6], [5,6], [6] ]
return arr[Math.floor(length/2)] // [4,5,6]
};
const node = (list, fuc) => {
if(!list) return;
fuc(list);
node(list.next, fuc);
}
node(head, (list) => {
length++;
arr.push(list)
});
처음엔 순회를 2번해서 재귀와 function을 param으로 보내서 순회를 했었다.
최고의 솔루션
- 와우.. 개똑똑이
- fast.next.next로 2칸씩 건너뛰어서 멈췄을 때, slow가 중간 node가 된다.
var middleNode = function(head) {
let slow = head;
let fast = head;
while(fast != null && fast.next != null) {
slow = slow.next;
fast = fast.next.next;
}
return slow;
};
감상평
- linked list 문제들은 어떻게 순회할지 고민이 되어 푸는 속도가 느려지곤한다.
- list && list.next로 while 돌리는게 가장 속편한 듯.
- 생각보다 빨랐다.