我有一个问题与我前一段时间提到过的问题非常相关
place a value in the sorted position immediately
我想知道你是否可以使用相同的方法,因为你在链表中向后退一步,找到它应插入的位置。
如果有可能如何向后循环链表?我无法弄清楚,因为它似乎不可能,因为它应该是一个双重链接列出然后,如果我没有错?无论如何,我正在使用单链表。
修改
我想我会采用前瞻性方法,这是我到目前为止所做的。我在这一点上坚持如何保存前一个(键,值)。到目前为止,这是完成的代码。 for循环用于查找我想要插入的位置。我已经向前看,如果它到达终点就会破裂。
好了到目前为止,现在我想将值插入正确的位置。我在这里被困住了。应该怎么做?现在,当我插入密钥2, 1, 0, 3
时,它只会打印出1, 3
struct my_list
{
/* a pointer to the first element of the list */
struct list_link* first;
};
struct list_link
{
int key; // identifies the data
double value; // the data stored
struct list_link* next; // a pointer to the next data
};
struct list_link* create(int key, double value, struct list_link* next)
{
// creates the node;
struct list_link * new_link;
new_link = new struct list_link;
// add values to the node;
new_link->key = key;
new_link->value = value;
new_link->next = next;
return new_link; // Replace this, it is just to be able to compile this file
}
void list_insert(struct my_list* my_this, int key, double value)
{
if(my_this->first == NULL) // add if list empty
my_this->first = create(key, value, my_this->first);
else
{
struct my_list* curr;
struct my_list* prev;
struct my_list start;
start.first = my_this->first;
curr = my_this;
cout << "Too be appended: ";
cout << key << " " << value << endl;
for(curr->first = my_this->first;
key > curr->first->key;
curr->first = curr->first->next)
{
if(curr->first->next == NULL) //peek at front if empty
break;
}
cout << "append here " << key << " > " <<
curr->first->key << endl << endl;
//perform some surgery
if(curr->first->next == NULL)
{
curr->first->next = create(key, value, my_this->first->next);
}
else
{
curr->first = start.first; //move back to start of list
my_this->first = create(key, value, my_this->first);
}
}
}
答案 0 :(得分:1)
你不能向后遍历单链表,但你可以保留一个指向你看过的最后两个元素的指针而不只是一个。
因此,从前面遍历列表,并保留两个指针:current和previous。如果要插入的元素小于当前,则先更新以指向它。
答案 1 :(得分:0)
单个链表不能倒退。
答案 2 :(得分:0)
这是我对你所问的问题的理解:当你在单链表中搜索一个插入位置时,通过发现你已经走了一个节点来找到它,那么,如何回去?
嗯,有两个主要的解决方案:
在搜索时向前看一个节点(相同想法的另一个观点是保持“尾随”指针),或
确保有一个人工尾节点(这样你总是有一个真正的下一个节点),并且列表中没有其他“外部”指针而不是搜索指针。在具有更高值的节点之后插入新节点。交换两个节点的内容。
第二种解决方案有点脆弱,因为假设没有其他“外部”指针进入列表。但它有点巧妙。我是从唐纳德克努特的“计算机编程艺术”中学到的。
除了这些单链表解决方案之外,您还可以将列表双重链接。
干杯&amp;第h。,
答案 3 :(得分:0)
您可以使用递归向后遍历单链表。
void traverse_backwards(NODE node)
{
if (node->next != null && !node->is_marked)
{
node->is_marked = 1;
traverse_backwards(node->next);
}
else
{
// logic goes here
}
}
答案 4 :(得分:0)
更容易举个例子
10 -> 20 -> 30 -> NULL
用两个指针遍历列表:(i)currentNode
和(ii)nextNode
。
从currentNode = NULL
和nextNode = <10>
开始。只要nextNode->key < insertkey
为真,就可以在循环中向前移动它们。
退出循环(例如:for insertKey == 25, currentNode = <20>, nextNode = <30>
):
使用newNode
和newNode->key = insertKey
newNode->value = insertValue
通过
在newNode
和currentNode
之间“插入”nextNode
2.1 currentNode->next = newNode
2.2 newNode->next = nextNode