Leetcode--206.单链表反转[难度:简单]

/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     ListNode *next;
 *     ListNode(int x) : val(x), next(NULL) {}
 * };
 */
 /* 这种方法需要自己手动添加一个空的头节点,每次都将cur指向的节点插入头节点的下一个节点,即可完成反转 */
class Solution {
public:
    ListNode* reverseList(ListNode* head) {
        if (head==NULL||head->next==NULL)
        return head;
        ListNode* temp=new ListNode(-1);
        temp->next=head;
        ListNode* pre=head;
        ListNode* cur=pre->next;
        while(cur)
        {
            pre->next=cur->next;
            cur->next=temp->next;
            temp->next=cur;
            cur=pre->next;
        }
        return temp->next;
    }
};

你可能感兴趣的:(LeetCode)