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

จุดตัดของสองอาร์เรย์ใน C++


สมมติว่าเรามีสองอาร์เรย์ เราต้องหาทางแยกของมัน

ดังนั้น หากอินพุตเป็น [1,5,3,6,9],[2,8,9,6,7] ผลลัพธ์จะเป็น [9,6]

เพื่อแก้ปัญหานี้ เราจะทำตามขั้นตอนเหล่านี้ -

  • กำหนดสองแผนที่ mp1, mp2

  • กำหนดความละเอียดของอาร์เรย์

  • สำหรับ x ใน nums1

    • (เพิ่ม mp1[x] ขึ้น 1)

  • สำหรับ x ใน nums2

    • (เพิ่ม mp2[x] ขึ้น 1)

  • สำหรับแต่ละคู่คีย์-ค่า x ใน mp1

    • cnt :=0

    • cnt :=ค่าต่ำสุดของ x และ mp2[คีย์ของ x]

    • ถ้า cnt> 0 แล้ว −

      • ใส่คีย์ของ x ที่ส่วนท้ายของ res

  • ผลตอบแทน

ตัวอย่าง

ให้เราดูการใช้งานต่อไปนี้เพื่อทำความเข้าใจ −

#include <bits/stdc++.h>
using namespace std;
void print_vector(vector<auto> v){
   cout << "[";
   for(int i = 0; i<v.size(); i++){
      cout << v[i] << ", ";
   }
   cout << "]"<<endl;
}
class Solution {
public:
   vector<int> intersection(vector<int>& nums1, vector<int>& nums2){
      unordered_map<int, int> mp1, mp2;
      vector<int> res;
      for (auto x : nums1)
         mp1[x]++;
      for (auto x : nums2)
         mp2[x]++;
      for (auto x : mp1) {
         int cnt = 0;
         cnt = min(x.second, mp2[x.first]);
         if (cnt > 0)
            res.push_back(x.first);
         }
         return res;
      }
};
main(){
   Solution ob;
   vector<int> v = {1,5,3,6,9}, v1 = {2,8,9,6,7};
   print_vector(ob.intersection(v, v1));
}

อินพุต

{1,5,3,6,9},{2,8,9,6,7}

ผลลัพธ์

[9, 6, ]