Missing Number

Prev: weird-algorithm Next: repetitions

You are given all the numbers between except one.
Your task is to find the missing number.


Input

  • The first input line contains an integer .
  • The second line contains distinct integers between and (inclusive).

Output

Print the missing number.

Constraints

Example

Input

5
2 3 1 5

Output

4

Answer

The total sum of a sequence of numbers from 1 to is . We can thus take the length of the sequence provided, and apply the previous formula to it to get its sum. Afterwards, we take the sum of the provided numbers, and subtract the sum from the previous number we got, which returns us the missing number.

#include <bits/stdc++.h>
using namespace std;
 
int main() {
    int n;
    cin >> n;
 
    vector<int> nums(n - 1);
    for (int& x : nums) {
        cin >> x;
    }
 
    long long total = 1LL * n * (n + 1) / 2;
    long long sum = accumulate(nums.begin(), nums.end(), 0LL);
 
    cout << total - sum << '\n';
    return 0;
}

Prev: weird-algorithm Next: repetitions