leetcode劍指 Offer 18(刪除鏈表的節點)--C語言實現

求:函數

給定單向鏈表的頭指針和一個要刪除的節點的值,定義一個函數刪除該節點。url

返回刪除後的鏈表的頭節點。spa

注意:此題對比原題有改動.net

示例 1:指針

輸入: head = [4,5,1,9], val = 5
輸出: [4,1,9]
解釋: 給定你鏈表中值爲 5 的第二個節點,那麼在調用了你的函數以後,該鏈表應變爲 4 -> 1 -> 9.
示例 2:code

輸入: head = [4,5,1,9], val = 1
輸出: [4,5,9]
解釋: 給定你鏈表中值爲 1 的第三個節點,那麼在調用了你的函數以後,該鏈表應變爲 4 -> 5 -> 9.
 leetcode

說明:get

題目保證鏈表中節點的值互不相同
若使用 C 或 C++ 語言,你不須要 free 或 delete 被刪除的節點it

 

題目連接: https://leetcode-cn.com/problems/shan-chu-lian-biao-de-jie-dian-lcof/io

 

解:

很是普通,直接遍歷鏈表就能夠了。由於題目中的元素是惟一的,且題目要求不須要進行free和delete操做,因此直接修改相應節點的指針便可。

/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     struct ListNode *next;
 * };
 */


struct ListNode* deleteNode(struct ListNode* head, int val){
    if(head == NULL) return NULL;
    if(head->val == val) return head->next;
    struct ListNode* pre = head;
    while ((pre->next != NULL) && (pre->next->val != val)) pre = pre->next;
    if(pre->next != NULL) pre->next = pre->next->next;
    return head;
}
相關文章
相關標籤/搜索