在一条数轴上有 NN 家商店,它们的坐标分别为 A1∼ANA1∼AN。
现在需要在数轴上建立一家货仓,每天清晨,从货仓到每家商店都要运送一车商品。
为了提高效率,求把货仓建在何处,可以使得货仓到每家商店的距离之和最小。

输入格式

第一行输入整数 NN。
第二行 NN 个整数 A1∼ANA1∼AN。

输出格式

输出一个整数,表示距离之和的最小值。

数据范围

1≤N≤1000001≤N≤100000,
0≤Ai≤400000≤Ai≤40000

输入样例:

4 6 2 9 1

输出样例:

12


  1. //中位数就是最优解
  2. #include <iostream>
  3. #include <algorithm>
  4. using namespace std;
  5. const int N = 100010;
  6. int a[N];
  7. int main(){
  8. int n;
  9. cin >> n;
  10. for (int i = 0; i < n; ++i) cin >> a[i];
  11. sort(a,a+n);
  12. int res = 0;
  13. for (int i = 0; i < n; ++i) res += abs(a[i]-a[n / 2]);
  14. cout << res << endl;
  15. return 0;
  16. }

写法二

  1. //中位数就是最优解
  2. #include <iostream>
  3. #include <algorithm>
  4. using namespace std;
  5. const int N = 100010;
  6. int a[N];
  7. int main(){
  8. int n;
  9. cin >> n;
  10. for (int i = 0; i < n; ++i) cin >> a[i];
  11. sort(a,a+n);
  12. int res = 0;
  13. for (int i = 0; i < n; ++i) res += a[i]-a[i / 2];
  14. cout << res << endl;
  15. return 0;
  16. }