C++实现LeetCode(170.两数之和之三 - 数据结构设计)
[leetcode] 170. two sum iii - data structure design 两数之和之三 - 数据结构设计
design and implement a twosum class. it should support the following operations: add and find.
add - add the number to an internal data structure.
find - find if there exists any pair of numbers which sum is equal to the value.
example 1:
add(1); add(3); add(5);
find(4) -> true
find(7) -> false
example 2:
add(3); add(1); add(2);
find(3) -> true
find(6) -> false
这道题让我们设计一个 two sum 的数据结构,跟 leetcode 的第一道题 two sum 没有什么太大的区别,作为 leetcode 的首题,two sum 的名气不小啊,正所谓平生不会 twosum,刷尽 leetcode 也枉然。记得原来在背单词的时候,总是记得第一个单词是 abandon,结果有些人背来背去还在 abandon,有时候想想刷题其实跟背 gre 红宝书没啥太大的区别,都是一个熟练功夫,并不需要有多高的天赋,只要下足功夫,都能达到一个很不错的水平,套用一句鸡汤问来激励下吧,“有些时候我们的努力程度根本达不到需要拼天赋的地步”,好了,不闲扯了,来看题吧。不过这题也没啥可讲的,会做 two sum 的这题就很简单了,先来看用 hashmap 的解法,把每个数字和其出现的次数建立映射,然后遍历 hashmap,对于每个值,先求出此值和目标值之间的差值t,然后需要分两种情况来看,如果当前值不等于差值t,那么只要 hashmap 中有差值t就返回 true,或者是当差值t等于当前值时,如果此时 hashmap 的映射次数大于1,则表示 hashmap 中还有另一个和当前值相等的数字,二者相加就是目标值,参见代码如下:
解法一:
class twosum { public: void add(int number) { ++m[number]; } bool find(int value) { for (auto a : m) { int t = value - a.first; if ((t != a.first && m.count(t)) || (t == a.first && a.second > 1)) { return true; } } return false; } private: unordered_map<int, int> m; };
另一种解法不用 hashmap,而是 unordered_multiset 来做,但是原理和上面一样,参见代码如下:
解法二:
class twosum { public: void add(int number) { s.insert(number); } bool find(int value) { for (auto a : s) { int cnt = a == value - a ? 1 : 0; if (s.count(value - a) > cnt) { return true; } } return false; } private: unordered_multiset<int> s; };
github 同步地址:
类似题目:
参考资料:
https://leetcode.com/problems/two-sum-iii-data-structure-design/discuss/52015/beats-100-java-code
到此这篇关于c++实现leetcode(170.两数之和之三 - 数据结构设计)的文章就介绍到这了,更多相关c++实现两数之和之三 - 数据结构设计内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!