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
- APOLLO
- C
- 타입스크립트
- 브라우저
- alexnet
- 해시테이블
- 웹팩
- 포인터
- 자료구조
- 프로세스
- GraphQL
- 스택
- 연결리스트
- 이진탐색
- 배열
- 자바스크립트
- Machine Learning
- 알고리즘
- pytorch
- 컨테이너
- 코딩테스트
- 프로그래머스
- RT scheduling
- vue3
- cors
- 연결 리스트
- 큐
- 프론트엔드
- RxJS
- 릿코드
Archives
- Today
- Total
프린세스 다이어리
[LeetCode] Swap Nodes in Pairs - 자바스크립트 풀이 본문
728x90
1. 접근 방법
(1) 종료조건이 있고 반복되는 연산이 있으므로 재귀로 풀 수 있다.
(2) 앞에 두 노드를 바꾸고 + 나머지 리스트를 합친다. 그리고 그 나머지 리스트 중 앞에 두 노드를 바꾸고 + 나머지의 나머지 리스트를 합친다. 결국, 한 단계 내에서 수행할 연산은: 앞에 두 노드를 바꾸고 + 두번째 노드에 나머지 리스트를 합치는 작업이다.
let temp = head.next;
head.next = temp.next;
temp.next = head;
head.next = swapPairs(head.next)
(3) 예외처리를 추가한다. 앞의 두 노드의 위치를 바꿀 필요가 없는 경우는 그냥 리턴해준다.
if (head == null) return head;
if (head.next == null) return head;
2. 전체 해답
/**
* 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}
*/
var swapPairs = function(head) {
if (head == null) return head;
if (head.next == null) return head;
let temp = head.next;
head.next = temp.next;
temp.next = head;
head.next = swapPairs(head.next)
return temp;
};
728x90
'자료구조, 알고리즘' 카테고리의 다른 글
[LeetCode] Search in a Binary Search Tree - 자바스크립트 풀이 (0) | 2021.11.30 |
---|---|
[LeetCode] Reverse Linked List - 자바스크립트 풀이 (0) | 2021.11.30 |
[LeetCode] Reverse String - 자바스크립트 풀이 (0) | 2021.11.29 |
[LeetCode] Valid Perfect Square - 자바스크립트 풀이 (0) | 2021.11.29 |
[LeetCode] Pow(x, n) 문제 - 자바스크립트 풀이 (0) | 2021.11.29 |
Comments