[C 언어] [LeetCode] [92] Reverse Linked List II

2032 단어 LeetCodeC 언어
제목.
Reverse Linked List II Reverse a linked list from position m to n. Do it in-place and in one-pass.
For example: Given 1->2->3->4->5->NULL, m = 2 and n = 4,
return 1->4->3->2->5->NULL.
Note: Given m, n satisfy the following condition: 1 ≤ m ≤ n ≤ length of list.
라벨
Linked List
난이도
중등
분석하다.
제목은 체인 테이블에서 m에서 n 위치의 노드를 역순으로 하는 것이다.나의 방법은 두 개의 지침으로 m 이전의 위치와 m의 위치를 기록한 다음에 m와 n 사이의 노드를 역순으로 조작하고 마지막에 노드를 연결하는 것이다.
C 코드 구현
struct ListNode* reverseBetween(struct ListNode* head, int m, int n) 
{
    struct ListNode *p, *q, *t;
    struct ListNode *h1, *h2;           // h1 : remember the pointer before m'th; h2 : remember the m'th pointer
    int count = 1;

    if(!head)
        return NULL;

    p = head;
    h1 = p;

    while(p && count<m)
    {
        h1 = p;
        p = p->next;
        count++;
    }

    if(!p)
        return head;
    else
        q = p->next;

    h2 = p;

    while(q && count<n)
    {
        t = q->next;
        q->next = p;
        p = q;
        q = t;
        count++;
    }

    if(h1 == h2)                // if m=1
    {
        h1->next = q;
        head = p;
    }
    else
    {
        h1->next = p;
        h2->next = q;
    }

    return head;
}

좋은 웹페이지 즐겨찾기