How to Find the Missing Number In Arithmetic Progression?
- 时间:2020-09-18 17:01:02
- 分类:网络文摘
- 阅读:79 次
In some array arr, the values were in arithmetic progression: the values arr[i+1] – arr[i] are all equal for every 0 <= i < arr.length – 1.
Then, a value from arr was removed that was not the first or last value in the array.Return the removed value.
Example 1:
Input: arr = [5,7,11,13]
Output: 9
Explanation: The previous array was [5,7,9,11,13].Example 2:
Input: arr = [15,13,12]
Output: 14
Explanation: The previous array was [15,14,13,12].Constraints:
3 <= arr.length <= 1000
0 <= arr[i] <= 10^5Hints:
Assume the sequence is increasing, what if we find the largest consecutive difference?
Is the missing element in the middle of the segment with the largest consecutive difference?
For decreasing sequences, just reverse the array and do a similar process.
Finding the Missing Number In Arithmetic Progression in C++
As the first and the last element of the array is not the missed ones, thus we can compute the steps of the Arithmetic Progression. We can convert the numbers into the set, then we check the progressing numbers and return one that is not in the set. This requires O(N) space and O(N) time.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 | class Solution { public: int missingNumber(vector<int>& arr) { int d = (arr.back() - arr[0]) / (int)arr.size(); if (d == 0) return arr[0]; unordered_set s(begin(arr), end(arr)); for (int i = 0; i < arr.size(); ++ i) { int t = (arr[0] + i * d); if (!s.count(t)) { return t; } } return arr[0]; } }; |
class Solution { public: int missingNumber(vector<int>& arr) { int d = (arr.back() - arr[0]) / (int)arr.size(); if (d == 0) return arr[0]; unordered_set s(begin(arr), end(arr)); for (int i = 0; i < arr.size(); ++ i) { int t = (arr[0] + i * d); if (!s.count(t)) { return t; } } return arr[0]; } };
The .size() returns unsigned integer, thus need converting to (int) to get the distance between two numbers in the Arithmetic Progression.
Actually, we don’t need to allocate the set, we can just compare with the numbers in the array. The following C++ code runs O(N) time and uses O(1) constant space.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 | class Solution { public: int missingNumber(vector<int>& arr) { int n = arr.size(); int d = arr.back() - arr[0]; int s = d / (int)arr.size(); int t = arr[0]; for (int i = 1; i < n; ++ i) { t += s; if (arr[i] != t) { return t; } } return arr[0]; } }; |
class Solution { public: int missingNumber(vector<int>& arr) { int n = arr.size(); int d = arr.back() - arr[0]; int s = d / (int)arr.size(); int t = arr[0]; for (int i = 1; i < n; ++ i) { t += s; if (arr[i] != t) { return t; } } return arr[0]; } };
–EOF (The Ultimate Computing & Technology Blog) —
推荐阅读:哪些类型的网站不适合使用虚拟主机? 针对网站安全防护 探讨waf防火墙的作用 内容为王!百度搜索发布优质内容生产指南 搜狗SR值更新:好多网站SR值变1 SEO入门:三分钟带你了解权重 网站结构如何布局,会提高用户体验? 对于新站来说:如何让网站快速被搜索引擎收录呢? 网站内部优化细节流程(纯白帽SEO) 网站安全防止被黑客攻击的办法 我在落伍的那几年:一个个人站长的回忆录
- 评论列表
-
- 添加评论