直接模擬即可。
列舉,每次拆除百、十、個位,再判斷。
數位線上放置了 \(N\) 個禮物。第 \(i\) 個禮物放置在座標 \(A_i\) 處。
可以在數軸上選擇長度為 \(M\) 的半開區間 \([x,x+M)\),並獲得其中包含的所有禮物。
求:最多可以獲得多少份禮物?
二分 / 雙指標都可。
二分答案: 二分出最多可以獲得多少份禮物,答案為右邊界。每次 check
,列舉 \([1 \sim n]\),看看 \(a_{i+mid-1} - a_i\) 是否 \(< m\) 即可。
雙指標: 每次 \(l\) 從 \([1 \sim n]\),用 while 迴圈列舉的最大右端點,即最大的滿足 \(a_r - a_l \le m\) 的點,然後求 \(\max\)。
#include <bits/stdc++.h>
using namespace std;
const int N = 3e5 + 10;
int a[N];
int n, m;
map<int, int> mp[N];
set<int> st[N];
int l = 0, r, mid;
bool check(int mid) {
for (int i = 1; i <= n - mid + 1; i++) {
if (a[i + mid - 1] - a[i] < m) return true;
}
return false;
}
int main() {
cin >> n >> m;
r = n;
for (int i = 1; i <= n; i++) {
cin >> a[i];
}
sort(a + 1, a + n + 1);
while (l <= r) {
mid = (l + r) >> 1;
if (check(mid)) l = mid + 1;
else r = mid - 1;
}
cout << l - 1;
return 0;
}
#include <bits/stdc++.h>
using namespace std;
const int N = 3e5 + 10;
int a[N];
int main() {
int n, m, ans = 0;
cin >> n >> m;
for(int i = 1; i <= n; i++) cin >> a[i];
sort(a + 1, a + n + 1);
int now = 1;
for(int i = 1; i <= n; i++) { // 列舉左指標
while(now < n && a[now + 1] - a[i] < m) now++; // 滿足條件就一直自增
ans = max(ans, now - i + 1);
}
cout << ans;
return 0;
}
給定兩個字串 \(R\) 和 \(C\) ,分別由 A
、B
和 C
組成。
有一個 \(N \times N\) 網格。
在每個格中,最多隻能寫 A
、B
和 C
中的一個字元。
確定是否可以滿足以下所有條件,如果可以,列印。
每行和每列恰好包含一個 A
、一個 B
和一個 C
。
第 \(i\) 行中最左邊的字元與 \(R\) 的第 \(i\) 個字元匹配。
第 \(i\) 列中最上面的字元與 \(C\) 的第 \(i\) 個字元匹配。
暴力 DFS + 剪枝。
注意一些小優化的細節:
我們可以在 DFS 的過程中,判斷目前搜尋出來的方案是否合法,如果不合法,直接 return。
不能在搜尋完畢之後在判斷是否合法,否則時間複雜度極大,可能會被卡。
其他的就是搜尋,沒什麼好說的。
#include <bits/stdc++.h>
using namespace std;
int n, ans[10][10];
bool nowx[10][4], nowy[10][4];
string s, t;
void dfs(int x, int y) {
if (x == n) {
for (int i = 0; i < n; i++)
if (nowx[i][3] + nowx[i][1] + nowx[i][2] + nowy[i][3] + nowy[i][1] + nowy[i][2] != 6) return;
printf("Yes\n");
for (int i = 0; i < n; i++) {
for (int j = 0; j < n; j++)
if (!ans[i][j]) putchar('.');
else printf("%c", 'A' - 1 + ans[i][j]);
printf("\n");
}
exit(0);
}
int nx = x, ny = y + 1;
if (ny >= n) nx++, ny = 0;
if (!nowx[x][3] && !nowx[x][1] && !nowx[x][2]) {
if ((nowy[y][3] || nowy[y][1] || nowy[y][2] || s[x] == t[y]) && (!nowy[y][s[x] - 'A' + 1])) {
ans[x][y] = s[x] - 'A' + 1;
nowx[x][s[x] - 'A' + 1] = 1;
nowy[y][s[x] - 'A' + 1] = 1;
dfs(nx, ny);
nowx[x][s[x] - 'A' + 1] = 0;
nowy[y][s[x] - 'A' + 1] = 0;
}
ans[x][y] = 0;
dfs(nx, ny);
} else {
for (int i = 1; i <= 3; i++) {
if ((!nowx[x][i]) && (nowy[y][3] || nowy[y][1] || nowy[y][2] || t[y] - 'A' + 1 == i) && (!nowy[y][i])) {
ans[x][y] = i;
nowx[x][i] = 1;
nowy[y][i] = 1;
dfs(nx, ny);
nowx[x][i] = 0;
nowy[y][i] = 0;
}
}
ans[x][y] = 0;
dfs(nx, ny);
}
}
int main() {
cin >> n >> s >> t;
dfs(0, 0);
printf("No");
return 0;
}
其他的不會,我是菜雞。