Computer >> Máy Tính >  >> Lập trình >> C ++

Xoay danh sách trong C ++

Giả sử chúng ta có một danh sách liên kết. Chúng ta phải xoay danh sách đến đúng chỗ k. Giá trị của k không âm. Vì vậy, nếu danh sách giống như [1,23,4,5, NULL] và k =2, thì đầu ra sẽ là [4,5,1,2,3, NULL]

Hãy để chúng tôi xem các bước -

  • Nếu danh sách trống, thì trả về null
  • len:=1
  • tạo một nút được gọi là tail:=head
  • while next of tail không rỗng
    • tăng len thêm 1
    • tail:=next of tail
  • next of tail:=head
  • k:=k mod len
  • newHead:=null
  • for i:=0 to len - k
    • tail:=next of tail
  • newHead:=next of tail
  • next of tail:=null
  • trả lại newHead

Hãy cùng chúng tôi xem cách triển khai sau để hiểu rõ hơn -

Ví dụ

#include <bits/stdc++.h>
using namespace std;
class ListNode{
   public:
      int val;
      ListNode *next;
      ListNode(int data){
      val = data;
      next = NULL;
   }
};
ListNode *make_list(vector<int> v){
   ListNode *head = new ListNode(v[0]);
   for(int i = 1; i<v.size(); i++){
      ListNode *ptr = head;
      while(ptr->next != NULL){
         ptr = ptr->next;
      }
      ptr->next = new ListNode(v[i]);
   }
   return head;
}
void print_list(ListNode *head){
   ListNode *ptr = head;
   cout << "[";
   while(ptr->next){
      cout << ptr->val << ", ";
      ptr = ptr->next;
   }
   cout << "]" << endl;
}
class Solution {
   public:
   ListNode* rotateRight(ListNode* head, int k) {
      if(!head) return head;
      int len = 1;
      ListNode* tail = head;
      while(tail->next){
         len++;
         tail = tail->next;
      }
      tail->next = head;
      k %= len;
      ListNode* newHead = NULL;
      for(int i = 0; i < len - k; i++){
         tail = tail->next;
      }
      newHead = tail->next;
      tail->next = NULL;
      return newHead;
   }
};
main(){
   Solution ob;
   vector<int> v = {1,2,3,4,5,6,7,8,9};
   ListNode *head = make_list(v);
   print_list(ob.rotateRight(head, 4));
}

Đầu vào

[1,2,3,4,5,6,7,8,9]
4

Đầu ra

[6, 7, 8, 9, 1, 2, 3, 4, ]