codeforces1370E. Binary Subsequence Rotation

题意:长度为n的01字符串s,t,一种操作可以选择s的子序列将该序列循环右移一位,求最少操作次数可以使s=t

每次贪心选取尽可能多的s,t不相等的位置组成序列进行旋转,这些序列必须是在s中相邻两点不相同的,求s-t的前缀和,同一数字前缀和相等的可以在一次操作,可知答案为前缀和最大值和前缀和最小值之差

#include 
int main() {
    std::ios::sync_with_stdio(false);
    std::cin.tie(nullptr);
    int n;
    std::cin >> n;
    std::string s, t;
    std::cin >> s >> t;
    if (std::count(s.begin(), s.end(), '0') != std::count(t.begin(), t.end(), '0')) {
        std::cout << -1 << "\n";
        return 0;
    }
    int mn = 0, mx = 0, sum = 0;
    for (int i = 0; i < n; ++i) {
        sum += s[i] - t[i];
        mn = std::min(mn, sum);
        mx = std::max(mx, sum);
    }
    std::cout << mx - mn << "\n";
    return 0;
}

 

你可能感兴趣的:(算法)