一、题目
1、题目描述
2、输入输出
2.1输入
2.2输出
3、原题链接
序列合并 - 洛谷
二、解题报告
1、思路分析
不难想到
a[0] + b[0] <= a[0] + b[1] <= a[0] + b[2] <= ... <= a[0] + b[n - 1]
a[1] + b[0] <= a[1] + b[1] <= a[1] + b[2] <= ... <= a[1] + b[n - 1]
...
a[n - 1] + b[0] <= a[n - 1] + b[1] <= a[n - 1] + b[2] <= ... <= a[n - 1] + b[n - 1]
我们得到n个非降序列,那么我们类似于归并排序的方式,每次从n个队头取出一个最小元素,取n次即可
快速取n个对头最小用堆维护即可
2、复杂度
时间复杂度: O(NlogN)空间复杂度:O(N)
3、代码详解
#include <bits/stdc++.h>
// #include <ranges>
// #define DEBUG
using i64 = long long;
using u32 = unsigned;
using u64 = unsigned long long;
constexpr int inf32 = 1E9 + 7;
constexpr i64 inf64 = 1E18 + 7;
constexpr double eps = 1e-9;
void solve() {
int n;
std::cin >> n;
std::vector<int> a(n), b(n);
for (int i = 0; i < n; ++ i)
std::cin >> a[i];
std::priority_queue<std::pair<int, int>> pq;
for (int i = 0; i < n; ++ i) {
std::cin >> b[i];
pq.emplace(-b[i] - a[0], 0);
}
int t = n;
while(-- t) {
auto [x, i] = pq.top();
pq.pop();
if (i + 1 < n)
pq.emplace(x + a[i] - a[i + 1], i + 1);
std::cout << -x << ' ';
}
std::cout << -pq.top().first;
}
auto FIO = []{
std::ios::sync_with_stdio(false);
std::cin.tie(nullptr);
std::cout.tie(nullptr);
return 0;
} ();
int main() {
#ifdef DEBUG
freopen("in.txt", "r", stdin);
freopen("out.txt", "w", stdout);
#endif
int t = 1;
// std::cin >> t;
while (t --)
solve();
return 0;
}