Atcoder Beginner Contest 259 题解

Atcoder Beginner Contest 259 题解

A - Growth Record

简单的选择结构,按照题意判断即可,不过要注意要计算出最刚开始Takahashi的身高

#include
using namespace std;
int main(){
	int n,m,x,t,d;
	cin>>n>>m>>x>>t>>d;
	if(m>=x){
		cout<

B - Counterclockwise Rotation

题目大意:在 x , y x,y x,y坐标系中,水平向右为x轴正方向,垂直向上为y轴正方向,围绕原点顺时针将点 ( a , b ) (a,b) (a,b)旋转 d d d度,请问新的点的坐标是什么?

思路:显然这就是一道数学题嘛,可以计算出坐标到原点的距离从而计算出坐标与坐标轴的夹角,在旋转 d d d度后用反三角函数计算出与坐标轴夹角,再计算出新坐标即可。

需要注意的是,这道题要求旋转 d d d度,C++内置了sin ⁡ 、 cos ⁡ 、 arctan ⁡等函数,但这些函数都是以弧度制为基础的。先计将直角坐标转换为极坐标,然后把角度加上d ,再转换为直角坐标即可。

#include
using namespace std;
int main(){
	double a,b,d;
	cin>>a>>b>>d;
	double r=hypot(a,b);//相当于sqrt(a*a+b*b)
	double theta=atan2(b,a);//返回反正切值,即θ
	theta+=d*acos(-1.0)/180.0;
	double x=cos(theta)*r;
	double y=sin(theta)*r;
	cout<

C - XX to XXX

主要考察STL,先预处理出S,T字符串中第一个字母的类型与个数,第二个字母的类型与个数直到字符串结束。

接下来按照顺序比较两个字符串字母是否相同,个数是否相同。如果字母相同,个数不同就要判断S中字母个数是否大于等于2,因为只有这样才能插入字母。

#include
using namespace std;
void pre(string s,vector> &vs){
	int num=1;
	for(int i=1;i>s>>t;
	vector> vs,vt;
	pre(s,vs);//预处理
	pre(t,vt);
	if(vs.size()!=vt.size()){
		cout<<"No"<=2)))) ans=false;
	}
	if(ans==true) cout<<"Yes";
	else cout<<"No";
}

D - Circumferences

题目大意:在xy坐标系中有 n n n个圆,有两个点在圆上,问这一个点能否通过圆周上的点到达另一个点。

思路:深搜,判断每个圆与哪些圆有交点,搜索判断这个点是否能通过圆周上的点到达另一个点

#include 
#include 
using namespace std;
typedef long long ll;

int n;
ll sx, sy, tx, ty;
ll x[3005], y[3005], r[3005];
vector G[3005];

int S, T;
bool used[3005];

bool dfs(int v)
{
  used[v] = true;
  if(v == T) return true;
  for(auto u : G[v]){
    if(used[u]) continue;
    if(dfs(u)) return true;
  }
  return false;
}

int main(void)
{
  cin >> n;
  cin >> sx >> sy >> tx >> ty;
  for(int i = 1; i <= n; i++) cin >> x[i] >> y[i] >> r[i];

  for(int i = 1; i <= n; i++){
    for(int j = i+1; j <= n; j++){
      ll d = (x[i]-x[j])*(x[i]-x[j]) + (y[i]-y[j])*(y[i]-y[j]);
      if(d > (r[i]+r[j])*(r[i]+r[j]) || d < (r[i]-r[j])*(r[i]-r[j])) continue;
      G[i].push_back(j), G[j].push_back(i);
    }
  }

  for(int i = 1; i <= n; i++){
    if((x[i]-sx)*(x[i]-sx) + (y[i]-sy)*(y[i]-sy) == r[i]*r[i]) S = i;
    if((x[i]-tx)*(x[i]-tx) + (y[i]-ty)*(y[i]-ty) == r[i]*r[i]) T = i;
  }

  if(dfs(S)) cout << "Yes" << endl;
  else cout << "No" << endl;

  return 0;
}

E - LCM on Whiteboard

#include
#include
#include
using namespace std;
const int N=2e5+10;
int m[N];
vectorp[N],e[N];
map ma;
mapnum;
mapmb;
int main(){
	int n;
	cin>>n;
	for(int i=1;i<=n;i++){
		cin>>m[i];
		for(int j=1;j<=m[i];j++){
			int pt,et;
			cin>>pt>>et;
			p[i].push_back(pt);
			e[i].push_back(et);
			if(et==ma[pt]) mb[pt]++;
			else if(et>ma[pt]){
				ma[pt]=et;
				mb[pt]=1;
			}
			num[pt]++;
		}
	}
	int ans=0;
	for(int i=1;i<=n;i++){
		for(int j=1;j<=m[i];j++){
			if(num[p[i][j-1]]==1){
				ans++;
				//cout<

你可能感兴趣的:(Atcoder,深度优先,算法,图论)