Codeforces Round 915 (Div. 2) B & C

Problem B — Begginer's Zelda

题意

给定一棵树和一种操作,每次操作选择两个点,将该两点之间路径合并为一个点,问把这棵树变为一个点最少需要多少次操作

思路

贪心的想,每次操作一定会选择两个叶子结点,两个叶子结点会进行一次操作,并且其他的叶子结点不会被影响到,接着处理其他的叶子结点。故统计叶子节点个数即可,可统计度为1的点。答案取叶子结点数量除以2向上取整

代码

#include
#define x first
#define y second
#define endl '\n'
// #define int long long
#define ll long long
#define pq(x) priority_queue,greater>
#define PQ(x) priority_queue
using namespace std;
typedef pair PII;

void solve() {
    int n;
    cin >> n;
    map v;
    for (int i = 1; i < n; i++) {
        int a,b;
        cin >> a >> b;
        v[a]++,v[b]++;
    }
    if (n <= 2) {
        cout << 1 << endl;
        return;
    }
    int res = 0;
    for (auto [x,y] : v) {
        if (y == 1) res++;
    }
    cout << (res + 1) / 2 << endl;
}

int32_t main() {
	ios::sync_with_stdio(false), cin.tie(0), cout.tie(0);
	int T;
	cin >> T;
	while(T--) solve();
	return 0;
}

Problem C — Largest Subsequence

题意

给定一个字符串和一种操作,每次操作找该字符串字典序最大的子序列,将子序列向右循环移动一个单位,问最后是否可以得到一个排好序的字符串,可以的话最少需要多少次操作

思路

通过单调栈的方法得到字典序最大的子序列,此时该序列是倒序的,如果最后要排好序那么该序列最后一定会翻转过来,所以把翻转后的序列填回原来的位置,判断一下是否排好序

需要注意,这个子序列最大的连续的一部分字串最后不需要进行多余操作
例如 azzczccbb ,一开始找出来的序列为 zzzccbb 

第一次操作字符串变为 abzczzccb

第二次操作字符串变为 abbczzzcc

第三次操作字符串变为 abbcczzzc

第四次操作字符串变为 abbccczzz

此时对最大的z不需要进行操作了

代码

#include
#define x first
#define y second
#define endl '\n'
// #define int long long
#define ll long long
#define pq(x) priority_queue,greater>
#define PQ(x) priority_queue
using namespace std;
typedef pair PII;

void solve() {
    int n;
    cin >> n;
    string s;
    cin >> s;
    s = "?" + s;
    bool flag = true;
    for (int i = 2; i <= n; i++) {
        if (s[i] < s[i-1]) {
            flag = false;
        }
    }
    if (flag) {
        cout << 0 << endl;
        return;
    }
    stack stk;
    for (int i = 1; i <= n; i++) {
        while (stk.size() && stk.top() < s[i]) stk.pop();
        stk.push(s[i]);
    }
    vector v;
    while (stk.size()) {
        v.push_back(stk.top());
        stk.pop();
    }
    int p = v.size() - 1;
    int d = 0;
    for (int i = v.size() - 2; i >= 0; i--) {
        if (v[i] == v[i+1]) d++;
        else break;
    } 
    for (int i = 1; i <= n; i++) {
        if (s[i] == v[p]) {
            s[i] = v[v.size() - p - 1];
            p--;
            if (p < 0) break;
        }
    }
    for (int i = 2; i <= n; i++) {
        if (s[i] < s[i-1]) {
            cout << -1 << endl;
            return;
        }
    }
    cout << v.size() - 1 - d << endl;
}

int32_t main() {
	ios::sync_with_stdio(false), cin.tie(0), cout.tie(0);
	int T;
	cin >> T;
	while(T--) solve();
	return 0;
}

你可能感兴趣的:(CF,算法,c++)