Delete Node in a Linked List问题及解法

问题描述:

Write a function to delete a node (except the tail) in a singly linked list, given only access to that node.

Supposed the linked list is 1 -> 2 -> 3 -> 4 and you are given the third node with value 3, the linked list should become 1 -> 2 -> 4after calling your function.

问题分析:

题目大致意思是要我们删除某一个节点,但这个节点不是最后一个节点,而且这个节点的空间不是被真正意义上的释放,而是被覆盖成下一个节点的值。


过程详见代码:

/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     ListNode *next;
 *     ListNode(int x) : val(x), next(NULL) {}
 * };
 */
class Solution {
public:
    void deleteNode(ListNode* node) {
        *node = *node->next;
    }
};


你可能感兴趣的:(Delete Node in a Linked List问题及解法)