Official

B - Piano 2 Editorial by en_translator


This problem asks to rearrange elements in a sequence in specific order. This operation is called sort, which is provided as a standard feature in most languages. For example, Python and C++ both provides a function named sort.

To solve the problem, concatenate AA and BB to define CC, sort CC, inspect the elements of CC, and check if adjacent elements are both contained in AA.

To determine if a value is contained in a sequence, it is useful to use the in operator in Python, and set operator in C++, for example.

Sample code (Python)

Copy
  1. N, M = map(int, input().split())
  2. A = list(map(int, input().split()))
  3. B = list(map(int, input().split()))
  4. C = A + B
  5. C.sort()
  6. for i in range(N + M - 1):
  7. if C[i] in A and C[i + 1] in A:
  8. print("Yes")
  9. exit()
  10. print("No")
N, M = map(int, input().split())
A = list(map(int, input().split()))
B = list(map(int, input().split()))
C = A + B
C.sort()
for i in range(N + M - 1):
    if C[i] in A and C[i + 1] in A:
        print("Yes")
        exit()
print("No")

Sample code (C++)

Copy
  1. #include <bits/stdc++.h>
  2. using namespace std;
  3. int main() {
  4. int N, M;
  5. cin >> N >> M;
  6. vector<int> A(N), B(M);
  7. for (auto& x : A) cin >> x;
  8. for (auto& x : B) cin >> x;
  9. auto C = A;
  10. for (auto x : B) C.push_back(x);
  11. sort(C.begin(), C.end());
  12. set<int> st(A.begin(), A.end());
  13. for (int i = 0; i < N + M - 1; ++i) {
  14. if (st.contains(C[i]) && st.contains(C[i + 1])) {
  15. cout << "Yes" << endl;
  16. return 0;
  17. }
  18. }
  19. cout << "No" << endl;
  20. }
#include <bits/stdc++.h>
using namespace std;

int main() {
    int N, M;
    cin >> N >> M;
    vector<int> A(N), B(M);
    for (auto& x : A) cin >> x;
    for (auto& x : B) cin >> x;

    auto C = A;
    for (auto x : B) C.push_back(x);
    sort(C.begin(), C.end());

    set<int> st(A.begin(), A.end());

    for (int i = 0; i < N + M - 1; ++i) {
        if (st.contains(C[i]) && st.contains(C[i + 1])) {
            cout << "Yes" << endl;
            return 0;
        }
    }
    cout << "No" << endl;
}

posted:
last update:



2025-04-03 (Thu)
15:25:20 +00:00