1、含2天数(20年国赛——3月16日)
注意:这一天的年月日中只要有一个2即符合条件
代码:
//412ms(for做了很多无用功)
#include <bits/stdc++.h>
#define INF 0x3f3f3f3f
using namespace std;
typedef long long LL;
int date[]= {0,31,28,31,30,31,30,31,31,30,31,30,31};
int main() {
int s=0;
for(int i=19000101; i<=99991231; i++) {
int year=i/10000,month=i%10000/100, day=i%100;
if(year%400==0 || (year%4==0 && year%100!=0)) date[2]=29;
else date[2]=28;
if(month<=0 || month>12 || day>date[month] || day<=0) continue;
int n=i;
while(n) {
if(n%10==2) {
s++;
break;
}
n/=10;
}
}
cout<<s;
return 0;
}
//35ms
#include <bits/stdc++.h>
#define INF 0x3f3f3f3f
using namespace std;
typedef long long LL;
int date[]= {0,31,28,31,30,31,30,31,31,30,31,30,31};
bool check(int n) {
while(n) {
if(n%10==2) return true;
n/=10;
}
return false;
}
int main() {
int s=0;
for(int i=1900; i<=9999; i++) {
if(i%400==0 || (i%100!=0 && i%4==0)) date[2]=29;
else date[2]=28;
for(int j=1; j<=12; j++)
for(int k=1; k<=date[j]; k++) {
if(check(i)||check(j)||check(k)) s++;
}
}
cout<<s;
return 0;
}
2、蓝桥幼儿园(3月21日)
注意:判定op,记得换行
#include <bits/stdc++.h>
#define INF 0x3f3f3f3f
using namespace std;
typedef long long LL;
int n,m,a[200005];
void init() {
for(int i=1; i<=n; i++)
a[i]=i;
}
int find(int x) {
return a[x]==x ? x : a[x]=find(a[x]);
}
void merge(int x,int y) {
x=find(x),y=find(y);
if(x!=y) a[x]=y;
}
int main() {
cin>>n>>m;
init();
for(int i=1; i<=m; i++) {
int op,x,y;
cin>>op>>x>>y;
if(op==1) merge(x,y);
else if(op==2) {
if(find(x)==find(y)) cout<<"YES"<<endl;
else cout<<"NO"<<endl;
}
}
return 0;
}
3、七星填数字(16年国赛——3月27日)
注意:暴力,七条线相加相等(每条线相加是30)
#include <bits/stdc++.h>
using namespace std;
typedef long long LL;
int a[]= {1,2,3,4,5,7,8,9,10,12,13};
bool judge() {
if(a[0]+a[1]+a[2]+a[3]==a[3]+a[4]+a[5]+a[6] && a[3]+a[4]+a[5]+a[6]==a[6]+a[7]+a[8]+14 &&a[6]+a[7]+a[8]+14 == 14+a[9]+a[1]+6 && 14+a[9]+a[1]+6==6+a[2]+a[4]+11 && 6+a[2]+a[4]+11==11+a[5]+a[7]+a[10]&& 11+a[5]+a[7]+a[10]==a[10]+a[8]+a[9]+a[0])
return true;
else return false;
}
int main() {
while(next_permutation(a,a+11)) {
if(judge()) {
cout<<a[0]<<" "<<a[1]<<" "<<a[2]<<" "<<a[3];
break;
}
}
return 0;
}
4、日志统计(18年省赛——3月13日)
解析:由于需要计算赞的数量,而赞是和id相关,且输入数据是乱序,所以我们需要进行排序(id再时间),然后通过双指针来比较当前id是否相同和时间差是否符合题目所说进行赞的增减,再判定赞是否符合条件,符合则标记,最后输出。
//尺取法(双指针)
#include <bits/stdc++.h>
#define INF 0x3f3f3f3f
using namespace std;
typedef long long LL;
int n,t,k;
int zan[100005],vis[100005];//存赞数,标记
struct node {
int ts,id;
} a[100005];
//排序(先id再时间) 为什么?排好了id才能确定这个赞是属于这个人,然后再通过判定时间差确定是否符合情况
bool cmp1(node b,node c) {
if(b.id==c.id) return b.ts<c.ts;
return b.id<c.id;
}
int main() {
cin>>n>>t>>k;
for(int i=1; i<=n; i++)
cin>>a[i].ts>>a[i].id;
sort(a+1,a+n+1,cmp1);
//i指当前位置,j指之前位置
for(int i=1,j=1; i<=n; i++) {
zan[a[i].id]++;//要到一个赞啦~
//id一样才进行时间判断
if(a[i].id==a[j].id) {
if(a[i].ts-a[j].ts>=t) {
zan[a[i].id]--;//当前赞获得时间和之前赞获得时间相差相差甚久,之前的赞不算数
j++;//移到下一位
}
}
else j=i;//当前指针所指的id和之前所指的id不同,直接将之前的挪到当前的
if(zan[a[i].id]>=k) vis[a[i].id]=1;//符合情况标记
}
for(int i=0; i<=100002; i++)
if(vis[i]>0) cout<<i<<endl;
return 0;
}