알고리즘 체조 14
Swap Nth Node with Head (Easy)
설명
Singly Linked List의 head와 정수 "N"이 인수로 전달됩니다.
head와 head에서 N번째 노드로 교환합니다. 반환값은 새로운 Linked list의 head입니다.
예
N = 4의 예를 살펴 보겠습니다.
data:image/s3,"s3://crabby-images/b6d9e/b6d9ee938caac63f5ab0c1404774605ad1377c86" alt=""
head를 첫 번째로 네 번째 노드의 28과 head의 7을 교환하므로 다음과 같습니다.
data:image/s3,"s3://crabby-images/86c03/86c03c0dd14365efbf1c6044ab16cce1bf99efeb" alt=""
Solution
Runtime Complexity O(n)
Linked List 에 대해서 주사할 필요가 있으므로 최악 O(n) 걸립니다.
Space Complexity O(1)
복수의 포인터만을 사용하므로, 메모리 효율은 O(1)가 됩니다.
Step By Step
두 개의 포인터를 준비합니다.
data:image/s3,"s3://crabby-images/d4456/d4456fbf6962a55e1f26826be719d107635922da" alt=""
현재 포인터가 N 번째 노드를 가리킬 때까지 반복합니다.
data:image/s3,"s3://crabby-images/f2556/f2556251a541975ecf1ccc4928fd3949bcc8cc24" alt=""
현재 포인터가 네 번째 노드를 가리키므로 여기서 루프를 멈 춥니 다.
data:image/s3,"s3://crabby-images/6b647/6b6478b783f236c2dbba378e47796a5cc0193aae" alt=""
여기에서 노드를 교환합니다.
data:image/s3,"s3://crabby-images/98f67/98f67215d5ef7aade1826ed198ef2e6247c0c790" alt=""
data:image/s3,"s3://crabby-images/80f6a/80f6a145b13225d5aa48a1c3880d34820d91eb2b" alt=""
data:image/s3,"s3://crabby-images/95a77/95a771ac14f995c5b69b48399c8d31c55b20ed84" alt=""
data:image/s3,"s3://crabby-images/23bdb/23bdb7186ad046a9e214bb346b2efd9d935bda57" alt=""
여기서 Swapping 할 수 있었으므로, current의 포인터를 돌려줍니다.
구현
SwapNth.javaclass SwapNth{
// Node indices starts from 1.
public LinkedListNode SwapNthNode(LinkedListNode head, int n) {
if (head == null || n < 1) return head; // Edge case
LinkedListNode cur = head;
LinkedListNode prev = null;
int count = 1;
while (count < n && cur != null) {
prev = cur;
cur = cur.next;
count++;
}
if (cur == null) return head;
// Swapping
prev.next = head;
LinkedListNode temp = head.next;
head.next = cur.next;
cur.next = temp;
return cur;
}
}
감상
Linked List에 Swapping, Sorting 등의 간단한 조작을 적용하려면
여러 포인터를 활용하여 해결책을 볼 수 있다고 생각합니다.
Reference
이 문제에 관하여(알고리즘 체조 14), 우리는 이곳에서 더 많은 자료를 발견하고 링크를 클릭하여 보았다
https://qiita.com/yutakihara/items/32b699e6866a96058259
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
우수한 개발자 콘텐츠 발견에 전념
(Collection and Share based on the CC Protocol.)
class SwapNth{
// Node indices starts from 1.
public LinkedListNode SwapNthNode(LinkedListNode head, int n) {
if (head == null || n < 1) return head; // Edge case
LinkedListNode cur = head;
LinkedListNode prev = null;
int count = 1;
while (count < n && cur != null) {
prev = cur;
cur = cur.next;
count++;
}
if (cur == null) return head;
// Swapping
prev.next = head;
LinkedListNode temp = head.next;
head.next = cur.next;
cur.next = temp;
return cur;
}
}
Reference
이 문제에 관하여(알고리즘 체조 14), 우리는 이곳에서 더 많은 자료를 발견하고 링크를 클릭하여 보았다 https://qiita.com/yutakihara/items/32b699e6866a96058259텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
우수한 개발자 콘텐츠 발견에 전념
(Collection and Share based on the CC Protocol.)