我正在使用C ++在LeetCode上编写一个小代码片段。问题是:
给出链接列表,使得每个节点包含一个额外的随机指针,该指针可以指向列表中的任何节点或null。 返回列表的深层副本。
我的方法是获取一个hashmap并用节点指针作为键和随机指针作为值填充它。然后做两次迭代,一次只用下一个指针复制LinkedList,另一次复制随机指针。
我编写了以下代码片段,但它抛出了一个奇怪的编译错误。
/**
* Definition for singly-linked list with a random pointer.
* struct RandomListNode {
* int label;
* RandomListNode *next, *random;
* RandomListNode(int x) : label(x), next(NULL), random(NULL) {}
* };
*/
class Solution {
public:
RandomListNode *copyRandomList(RandomListNode *head) {
std::map<RandomListNode*, RandomListNode*> m;
RandomListNode *curr = head;
while(curr!=NULL){
m.insert(curr, curr->random);
curr = curr->next;
}
curr = head;
RandomListNode *newHead = NULL;
RandomListNode *curr2 = NULL;
while(curr!=NULL){
if(newHead == NULL){
newHead = new RandomListNode(curr->label);
newHead->next = NULL;
curr2 = newHead;
}
else{
RandomListNode *tempNode = new RandomListNode(curr->label);
tempNode->next = NULL;
curr2->next = tempNode;
curr2 = curr2->next;
}
curr = curr->next;
}
curr2 = newHead;
while(curr2!=NULL){
std::map<RandomListNode*, RandomListNode*>::const_iterator pos = m.find(curr2);
curr2->random = pos->second;
curr2 = curr2->next;
}
return newHead;
}
};
代码抛出以下错误:
required from 'void std::_Rb_tree<_Key, _Val, _KeyOfValue, _Compare, _Alloc>::_M_insert_unique(_II, _II) [with _InputIterator = RandomListNode*; _Key = RandomListNode*; _Val = std::pair<RandomListNode* const, RandomListNode*>; _KeyOfValue = std::_Select1st<std::pair<RandomListNode* const, RandomListNode*> >; _Compare = std::less<RandomListNode*>; _Alloc = std::allocator<std::pair<RandomListNode* const, RandomListNode*> >]'
有人可以帮我确定我哪里出错吗? 谢谢!
答案 0 :(得分:3)
罪魁祸首就是这条指令:
m.insert(curr, curr->random);
std::map::insert
takes a single argument,这是std::pair
。你应该创建一对,然后插入它:
m.insert(std::make_pair(curr, curr->random));