[CF] A. You Are Given Two Binary Strings... - Educational Codeforces Round 70 (Rated for Div. 2)

https://codeforces.com/contest/1202/problem/A

题目大意

给出两个代表数字的二进制串 $A$ 和 $B$,没有前导零且 $|A|, |B| \le 10^5$。规定 $f(X)$ 为串 $X$ 对应的数字的值,有 $1 \le f(B) \le f(A)$。问取正整数 $k$,使得 $f(A) + f(B) \dot 2 ^ k$ 对应数字字符串的逆序字典序最小。问这个 $k$ 是多少。

简要题解

$ff(B) \dot 2 ^ k$ 相当于对 $B$ 左移位。

逆序的字典序相当于问,将 $a$ 的尾部尽量低的位置设为 $0$。因为字符串 $B$ 无法变小且 $B$ 中 $0$ 不能改变 $A$ 中的值,因此,我们只能先找到 $B$ 中最小的 $1$,$A$ 中只有比这一位更靠左的位置可以被从改变,因此我们只需要找到这个位置左侧最近的 $1$ 把 $B$ 移动到对应的位置即可。

复杂度

$T$:$O(|A| + |B|)$

$S$:$O(|A| + |B|)$

代码实现

#include <bits/stdc++.h>
using namespace std;

int io_=[](){ ios::sync_with_stdio(false); cin.tie(nullptr); return 0; }();

using LL = long long;
using ULL = unsigned long long;
using LD = long double;
using PII = pair<int, int>;
using VI = vector<int>;
using MII = map<int, int>;

template<typename T> void cmin(T &x,const T &y) { if(y<x) x=y; }
template<typename T> void cmax(T &x,const T &y) { if(x<y) x=y; }
template<typename T> bool ckmin(T &x,const T &y) { 
    return y<x ? (x=y, true) : false; }
template<typename T> bool ckmax(T &x,const T &y) { 
    return x<y ? (x=y, true) : false; }
template<typename T> void cmin(T &x,T &y,const T &z) {// x<=y<=z 
    if(z<x) { y=x; x=z; } else if(z<y) y=z; }
template<typename T> void cmax(T &x,T &y,const T &z) {// x>=y>=z
    if(x<z) { y=x; x=z; } else if(y<z) y=z; }

// mt19937 rnd(chrono::system_clock::now().time_since_epoch().count());
// mt19937_64 rnd_64(chrono::system_clock::now().time_since_epoch().count());

/*
---------1---------2---------3---------4---------5---------6---------7---------
1234567890123456789012345678901234567890123456789012345678901234567890123456789
*/

void solve() {
  string a, b; cin >> a >> b;
  int n = a.length(), m = b.length();

  int cnt = -1;
  for (int i = m - 1; i >= 0; i--) {
    if (b[i] == '1') {
      cnt = m - i;
      break;
    }
  } 
  int ans = 0;
  for (int i = n - cnt; i >= 0; i--) {
    if (a[i] == '1') {
      break;
    }
    ans++;
  }
  cout << ans << '\n';
}

int main() {
  int t = 1; 
  cin >> t;
  while (t--) {
    solve();
  }
  return 0;
}
Prev: [CF] B. Binary Palindromes - Educational Codeforces Round 75 (Rated for Div. 2)
Next: [CF] A. Broken Keyboard - Educational Codeforces Round 75 (Rated for Div. 2)