Computer >> คอมพิวเตอร์ >  >> การเขียนโปรแกรม >> C++

ความยาวสูงสุดของอาร์เรย์ย่อยที่มีตัวเลขน่าเกลียดใน C++


คำชี้แจงปัญหา

กำหนดอาร์เรย์ arr[] ขององค์ประกอบ N (0 ≤ arr[i] ≤ 1000) งานคือการค้นหาความยาวสูงสุดของอาร์เรย์ย่อยที่มีเฉพาะตัวเลขที่น่าเกลียด

ตัวเลขน่าเกลียดคือตัวเลขที่มีตัวประกอบเฉพาะคือ 2, 3 หรือ 5

ตัวอย่างด้านล่างคือตัวเลขบางส่วนจากซีรีส์:1, 2, 3, 4, 5, 6, 8, 9, 10, 12, 15,…

ตัวอย่าง

หากอาร์เรย์อินพุตคือ {1, 2, 7, 9, 120, 810, 374} คำตอบคือ 3 เป็น −

อาร์เรย์ย่อยที่ยาวที่สุดที่เป็นไปได้ของจำนวนน่าเกลียด sis {9, 120, 810}

อัลกอริทึม

  • นำ unordered_set และใส่ตัวเลขที่น่าเกลียดทั้งหมดซึ่งน้อยกว่า 1,000 ในชุด
  • สำรวจอาร์เรย์ด้วยสองตัวแปรชื่อ current_max และ max_so_far
  • ตรวจสอบแต่ละองค์ประกอบว่ามีอยู่ในชุดหรือไม่
  • หากพบตัวเลขที่น่าเกลียด ให้เพิ่ม current_max และเปรียบเทียบกับ max_so_far
  • ถ้า current_max> max_so_far แล้ว max_so_far =current_max.
  • ทุกครั้งที่พบองค์ประกอบที่ไม่น่าเกลียด ให้รีเซ็ต current_max =0

ตัวอย่าง

#include <bits/stdc++.h>
using namespace std;
unsigned getUglyNumbers(int n) {
   int ugly[n];
   int i2 = 0, i3 = 0, i5 = 0;
   int next_multiple_of_2 = 2;
   int next_multiple_of_3 = 3;
   int next_multiple_of_5 = 5;
   int next_ugly_no = 1;
   ugly[0] = 1;
   for (int i = 1; i < n; i++) {
      next_ugly_no = min(next_multiple_of_2, min(next_multiple_of_3, next_multiple_of_5));
      ugly[i] = next_ugly_no;
      if (next_ugly_no == next_multiple_of_2) {
         i2 = i2 + 1;
         next_multiple_of_2 = ugly[i2] * 2;
      }
      if (next_ugly_no == next_multiple_of_3) {
         i3 = i3 + 1;
         next_multiple_of_3 = ugly[i3] * 3;
      }
      if (next_ugly_no == next_multiple_of_5) {
         i5 = i5 + 1;
         next_multiple_of_5 = ugly[i5] * 5;
      }
   }
   return next_ugly_no;
}
int maxUglySubarray(int arr[], int n) {
   unordered_set<int> s;
   int i = 1;
   while (1) {
      int next_ugly_number = getUglyNumbers(i);
      if (next_ugly_number > 1000)
         break;
      s.insert(next_ugly_number);
      i++;
   }
   int current_max = 0, max_so_far = 0;
   for (int i = 0; i < n; i++) {
      if (s.find(arr[i]) == s.end())
         current_max = 0;
      else {
         current_max++;
         max_so_far = max(current_max,
         max_so_far);
      }
   }
   return max_so_far;
}
int main() {
   int arr[] = {1, 2, 7, 9, 120, 810, 374};
   int n = sizeof(arr) / sizeof(arr[0]);
   cout << "Maximum sub-array size of consecutive ugly numbers = " << maxUglySubarray(arr, n) << endl;
   return 0;
}

ผลลัพธ์

เมื่อคุณคอมไพล์และรันโปรแกรมข้างต้น มันสร้างผลลัพธ์ต่อไปนี้ -

Maximum sub-array size of consecutive ugly numbers = 3