这是一道队列的模拟题,首先就是题意要搞清楚,如果队列里面没有比队首优先级更高的了,那么队首的就去出队打印,只有出队打印才是耗费时间,如果队列里面有优先级更高的,那么就把队首的放到队尾,这个是不耗费时间的,由于我们看优先级比较小,可以很方便的使用散列,来记录每种优先级的个数,每次循环,我们取出队首,可分为两种情况,
m为0,也就是我们要完成的任务,他在队首,如果没有比他更大的任务了,答案++,跳出循环,如果还有,那么插到队尾,位置变为n-1,m不为0,说明当前任务不是我们要做的,也是分能不能出队,不能,就m–,当前位置减一,插入队尾,能出队,答案累加,队列长度减一,当前位置减一,他的这个优先级的散列也要减一,这样就完成了,还是比较简单的
#include <bits/stdc++.h>
#define fi first
#define se second
#define pb push_back
#define mk make_pair
#define sz(x) ((int) (x).size())
#define all(x) (x).begin(), (x).end()
using namespace std;
typedef long long ll;
typedef vector<int> vi;
typedef pair<int, int> pa;
int main() {
int t;
cin >> t;
while (t--) {
int n, m;
cin >> n >> m;
int Hash[10] = {};
queue<int> q;
for (int i = 0; i < n; i++) {
int x;
cin >> x;
Hash[x]++;
q.push(x);
}
int ans = 0;
while (1) {
int now = q.front();
q.pop();
int ok = 1;
for (int i = now + 1; i <= 9; i++) {
if (Hash[i]) ok = 0;
}
if (!m) {
if (!ok) { m = n - 1; q.push(now); }
else { ans++; break; }
} else {
if (!ok) { m--; q.push(now); }
else { n--; m--; ans++; Hash[now]--; }
}
}
cout << ans << endl;
}
return 0;
}