一种怪异的节点删除方式
作者:互联网
一种怪异的节点删除方式
题目描述
链表节点值类型为 int 类型,给定一个链表中的节点 node,但不给定整个链表的头节点。如何在链表中删除 node ? 请实现这个函数。
输入描述:
给出一个单链表的节点。
输出描述:
不需要返回值。
示例1
输入
5
1 2 3 4 5
3
输出
1 2 4 5
备注:
保证要删除的这个节点不是链表的尾节点。
题解:
将下一个节点的值赋给要删除节点,然后删除下一个节点即可。
代码:
# include <bits/stdc++.h>
using namespace std;
struct list_node{
int val;
struct list_node * next;
};
list_node * find_kth_node(list_node * head, int k)
{
list_node * c = head;
for (int i = 1; i < k; ++i) c = c->next;
return c;
}
list_node * input_list(void)
{
int n, val;
list_node * phead = new list_node();
list_node * cur_pnode = phead;
scanf("%d", &n);
for (int i = 1; i <= n; ++i) {
scanf("%d", &val);
if (i == 1) {
cur_pnode->val = val;
cur_pnode->next = NULL;
}
else {
list_node * new_pnode = new list_node();
new_pnode->val = val;
new_pnode->next = NULL;
cur_pnode->next = new_pnode;
cur_pnode = new_pnode;
}
}
return phead;
}
void remove_node_wired(list_node * node)
{
//在下面完成代码
node->val = node->next->val;
//list_node *p = node->next;
node->next = node->next->next;
//delete p;
}
void print_list(list_node * head)
{
while (head != NULL) {
printf("%d ", head->val);
head = head->next;
}
puts("");
}
int main ()
{
list_node * head = input_list();
int n;
scanf("%d", &n);
list_node * node = find_kth_node(head, n);
remove_node_wired(node);
print_list(head);
return 0;
}
标签:node,head,val,删除,list,next,pnode,节点,怪异 来源: https://blog.csdn.net/MIC10086/article/details/112390516