目录
牛客_NC313 两个数组的交集
class Solution {
public:
/**
* 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
*
*
* @param nums1 int整型vector
* @param nums2 int整型vector
* @return int整型vector
*/
vector<int> intersection(vector<int>& nums1, vector<int>& nums2) {
// write code here
}
};
解析代码
解法:
- 将其中⼀个数组丢进哈希表中。
- 遍历另⼀个数组的时候,在哈希表中看看就好。
class Solution {
public:
/**
* 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
*
*
* @param nums1 int整型vector
* @param nums2 int整型vector
* @return int整型vector
*/
vector<int> intersection(vector<int>& nums1, vector<int>& nums2) {
unordered_map<int, int> hash1; // 数字和个数
unordered_map<int, int> hash2; // 数字和个数
for (auto& e : nums1)
{
hash1[e]++;
}
for (auto& e : nums2)
{
hash2[e]++;
}
vector<int> ret;
for (auto& [a, b] : hash1)
{
if (hash2.count(a))
{
ret.push_back(a);
}
}
return ret;
}
};
标签:OJ,int,NC313,牛客,vector,整型,数组,nums1,nums2
From: https://blog.csdn.net/GRrtx/article/details/142260694