这次比赛的题名很特殊,是由符号+(+英文+)
组成的 😃
在时分,长度为厘米的时针和长度为厘米的分针的顶点的距离是多少?
(浮点数精度误差最多允许)
一行,即两点之间的距离。
3 4 9 0
5.00000000000000000000
3 4 10 40
4.56425719433005567605
其实是给定一个三角形,知道两条边和它们之间的夹角(英文为theta),求另一条边的长度(设为C
)。可以使用公式:
需要注意的是:C/C++
中的cos
函数的参数应是弧度,如是角度请使用cos(theta / 180 * PI)
终于上代码了
#include <cstdio>
#include <cmath>
#define PI 3.1415926535897932
using namespace std;
int main(int argc, char** argv)
{
int a, b, h, m;
scanf("%d%d%d%d", &a, &b, &h, &m);
int mangle = m * 6;
double hangle = h * 30 + m * 0.5;
double theta = abs(hangle - mangle);
if(theta > 180) theta = 360 - theta;
theta = theta / 180 * PI;
printf("%.13lf\n", sqrt(double(a * a + b * b) - 2.0 * a * b * cos(theta)));
return 0;
}
有一个山洞,它有个房间和条通道。
房间的编号是 ~ ,通道的编号是 ~ ,每条通道双向连接和 ()。房间是山洞的出口。
现在要给每个房间标一个路标,指向一个和本房间被通道连接的房间。
每个房间(房间除外)如果一直按照路标走向指示的房间,那么走的路径一定是最短的到出口的路径。
()
()
如果无解,输出No
;
如果有解,第一行输出Yes
,第行输出房间的路标指向的房间序号。()
明显bfs
题目..
说明一点:如果给定山洞不连通,则无解。
#include <cstdio>
#include <vector>
#include <queue>
#define UNVISITED -1
#define maxn 100005
using namespace std;
typedef pair<int, int> pii;
vector<int> G[maxn];
int par[maxn];
int main(int argc, char** argv)
{
int n, m;
scanf("%d%d", &n, &m);
for(int i=0; i<n; i++) par[i] = UNVISITED;
for(int i=0; i<m; i++)
{
int x, y;
scanf("%d%d", &x, &y);
G[--x].push_back(--y);
G[y].push_back(x);
}
queue<pii> q;
q.push(pii(0, -1));
while(!q.empty())
{
int room = q.front().first, p = q.front().second;
q.pop();
if(par[room] != UNVISITED) continue;
par[room] = p;
for(int i=0; i<G[room].size(); i++)
q.push(pii(G[room][i], room));
}
for(int i=1; i<n; i++)
if(par[i] == UNVISITED)
{
puts("No");
return 0;
}
puts("Yes");
for(int i=1; i<n; i++) printf("%d\n", par[i] + 1);
return 0;
}