链表操作

链表的结点结构

[cpp]  view plain copy print ?
  1. struct Node  
  2. {  
  3. int data ;  
  4. Node *next ;  
  5. };  
  6. typedef struct Node Node ;  

(1)已知链表的头结点head,写一个函数把这个链表逆序 ( Intel)

[cpp]  view plain copy print ?
  1. Node * ReverseList(Node *head) //链表逆序  
  2. {  
  3. if ( head == NULL || head->next == NULL )  
  4. return head;  
  5. Node *p1 = head ;  
  6. Node *p2 = p1->next ;  
  7. Node *p3 = p2->next ;  
  8. p1->next = NULL ;  
  9. while ( p3 != NULL )  
  10. {  
  11. p2->next = p1 ;  
  12. p1 = p2 ;  
  13. p2 = p3 ;  
  14. p3 = p3->next ;  
  15. }  
  16. p2->next = p1 ;  
  17. head = p2 ;  
  18. return head ;  
  19. }  


(2)已知两个链表head1 和head2 各自有序,请把它们合并成一个链表依然有序。(保留所有结点,即便大小相同)

[cpp]  view plain copy print ?
  1. Node * Merge(Node *head1 , Node *head2)  
  2. {  
  3. if ( head1 == NULL)  
  4. return head2 ;  
  5. if ( head2 == NULL)  
  6. return head1 ;  
  7. Node *head = NULL ;  
  8. Node *p1 = NULL;  
  9. Node *p2 = NULL;  
  10. if ( head1->data < head2->data )  
  11. {  
  12. head = head1 ;  
  13. p1 = head1->next;  
  14. p2 = head2 ;  
  15. }  
  16. else  
  17. {  
  18. head = head2 ;  
  19. p2 = head2->next ;  
  20. p1 = head1 ;  
  21. }  
  22. Node *pcurrent = head ;  
  23. while ( p1 != NULL && p2 != NULL)  
  24. {  
  25. if ( p1->data <= p2->data )  
  26. {  
  27. pcurrent->next = p1 ;  
  28. pcurrent = p1 ;  
  29. p1 = p1->next ;  
  30. }  
  31. else  
  32. {  
  33. pcurrent->next = p2 ;  
  34. pcurrent = p2 ;  
  35. p2 = p2->next ;  
  36. }  
  37. }  
  38. if ( p1 != NULL )  
  39. pcurrent->next = p1 ;  
  40. if ( p2 != NULL )  
  41. pcurrent->next = p2 ;  
  42. return head ;  
  43. }  

(3)已知两个链表head1 和head2 各自有序,请把它们合并成一个链表依然有序,这次要求用递归方法进行。 (Autodesk)

[cpp]  view plain copy print ?
  1. Node * MergeRecursive(Node *head1 , Node *head2)  
  2. {  
  3. if ( head1 == NULL )  
  4. return head2 ;  
  5. if ( head2 == NULL)  
  6. return head1 ;  
  7. Node *head = NULL ;  
  8. if ( head1->data < head2->data )  
  9. {  
  10. head = head1 ;  
  11. head->next = MergeRecursive(head1->next,head2);  
  12. }  
  13. else  
  14. {  
  15. head = head2 ;  
  16. head->next = MergeRecursive(head1,head2->next);  
  17. }  
  18. return head ; 

你可能感兴趣的:(编程技巧)