1205. 买不到的数目 - AcWing题库
结论法:两个数a,b不能组合出的最大的数是(a-1)*(b-1)-1
#include <iostream>
#include <algorithm>
using namespace std;
int n, m, minn, maxx, ans;
bool dp[1000000];//记录每一个数是否能被凑出来
int main() {cin >> n >> m;dp[0] = true;minn = min(n, m);maxx = max(n, m);if(n==2&&m==3){cout<<1;return 0;}//特判一下for (int i = minn; i <= n * m; i++) {if (dp[i - minn]) {//减去一个数能凑出来 那么这个数也能凑出来dp[i] = true;} else if (i >= maxx && dp[i - maxx]) {dp[i] = true;} else {//减去一个数都凑不出来 那么这个数肯定也凑不出来ans = i;}}cout << ans;return 0;
}
1211. 蚂蚁感冒 - AcWing题库
#include <bits/stdc++.h>
using namespace std;
const int N = 55;
int n;
int st;
int a[N];int main(){cin >> n;int res = 1;for(int i = 0; i < n; i ++) cin >> a[i];st = a[0];sort(a, a + n);//设第一只蚂蚁为蚁后//情况一(对应例1)//假如蚁后朝右走//例如蚁后坐标为5//那么所有蚂蚁坐标a是负数的且abs(a) > 5的都会被感染(因为一定会碰面)//如果有一只如上所述的蚂蚁t,那么所有蚂蚁坐标b是正数的且b < 5的蚂蚁都会被蚂蚁t感染//情况二(对应例2)//假如蚁后朝左走//例如蚁后坐标为-10//那么所有蚂蚁坐标a是正数的且a < abs(-10)的都会被感染//如果有一只如上所述的蚂蚁t,那么所有蚂蚁坐标b是负数的且b < -10的蚂蚁都会被蚂蚁t感染if(st > 0)//往右走{for(int i = 0; i < n; i ++)if(a[i] < 0 && abs(a[i]) > st)//往左走且在右边的蚂蚁肯定会被感染res ++;if(res != 1)//只要感染的有蚂蚁{for(int i = 0; i < n; i ++)if(a[i] > 0 && a[i] < st)res ++;//左边 往右走的蚂蚁肯定也会被感染}}else//往左走{for(int i = 0; i < n; i ++)//左边 往右走的蚂蚁肯定会被感染if(a[i] > 0 && a[i] < abs(st))res ++;if(res != 1)//只要右感染的蚂蚁{for(int i = 0; i < n; i ++)//右边 往左走的蚂蚁肯定会被感染if(a[i] < 0 && a[i] < st)//两个负数比较 -4<-2 但是2 4仍然大的是右边res ++;}}cout << res << '\n';return 0;
}
895. 最长上升子序列 - AcWing题库
#include <bits/stdc++.h>
using namespace std;
#define int long long
#define x first
#define y second
int n;
const int N=1e3+7;
int a[N];
int dp[N];//dp[i]表示以i结尾的单增字串的长度
void solve(){cin>>n;for(int i=1;i<=n;i++)cin>>a[i];for(int i=1;i<=n;i++)dp[i]=1;for(int i=1;i<=n;i++){for(int j=1;j<i;j++){if(a[i]>a[j])dp[i]=max(dp[i],dp[j]+1);}}int mx=-0x3f3f;for(int i=1;i<=n;i++){mx=max(mx,dp[i]);}cout<<mx;
}signed main () {int t = 1; // cin >> t;while(t--) solve();return 0;
}