leetcode138 - 랜덤 포인터가 달린 체인 시계의 깊은 복사
제목.
체인 테이블을 지정합니다. 각 노드는 추가로 추가된 무작위 바늘을 포함합니다. 이 바늘은 체인 테이블의 모든 노드나 빈 노드를 가리킬 수 있습니다.
이 체인 시계의 깊은 복사본을 되돌려 달라고 요구하다.
코드 난점
node_map[cur]->next = node_map[cur->next];
와 node_map[cur]->random = node_map[cur->random];
의 운용이 가장 교묘하다. 한 맵이 원래의 체인 시계의next와random을 모두 새 체인 시계로 복사했다.코드 1
/*
// Definition for a Node.
class Node {
public:
int val;
Node* next;
Node* random;
Node(int _val) {
val = _val;
next = NULL;
random = NULL;
}
};
*/
class Solution {
public:
Node* copyRandomList(Node* head) {
std::map<Node* ,Node*> node_map;
//1. , key, value map
if(head == NULL) return head;
Node *cur = head;
Node *copy = NULL;
while(cur){
copy = new Node(cur->val);
node_map[cur] = copy;
cur = cur->next;
}
//2. next random
cur = head;
while(cur){
node_map[cur]->next = node_map[cur->next];
node_map[cur]->random = node_map[cur->random];
cur = cur->next;
}
return node_map[head];
}
};
코드 2
/*
// Definition for a Node.
class Node {
public:
int val;
Node* next;
Node* random;
Node(int _val) {
val = _val;
next = NULL;
random = NULL;
}
};
*/
class Solution {
public:
Node* copyRandomList(Node* head) {
if(head == NULL) return head;
//1.
Node *node = head;
while(node){
Node *copy = new Node(node->val,NULL,NULL);
copy->next = node->next;
node->next = copy;
node = node->next->next;
}
//2. random
node = head;
while(node){
if(node->random){
node->next->random = node->random->next;
}
node = node->next->next;
}
//3.
node = head;
Node *copy = head->next;
Node *re_ptr = copy;
while(node){
node->next = node->next->next;
if(copy->next){
copy->next = copy->next->next;
}
node = node->next;
copy = copy->next;
}
return re_ptr;
}
};
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
0부터 시작하는 LeetCode Day8 「1302. Deepest Leaves Sum」해외에서는 엔지니어의 면접에 있어서 코딩 테스트라고 하는 것이 행해지는 것 같고, 많은 경우, 특정의 함수나 클래스를 주제에 따라 실장한다고 하는 것이 메인이다. 빠른 이야기가 본고장에서도 행해지고 있는 것 같은 코...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.