CCF--- 202009-1---稱檢測點查詢---優先佇列
阿新 • • 發佈:2020-12-09
技術標籤:CCF優先佇列C++CCFCSP202009-1稱檢測點查詢優先佇列
試題編號: | 202009-1 |
---|---|
試題名稱: | 稱檢測點查詢 |
時間限制: | 1.0s |
記憶體限制: | 256.0MB |
問題描述:
題目背景
2020 年 6 月 8 日,國務院聯防聯控機制釋出《關於加快推進新冠病毒核酸檢測的實施意見》,提出對“密切接觸者”等八類重點人群“應檢盡檢”,其他人群“願檢盡檢”。
問題描述
某市設有n個核酸檢測點,編號從1到n,其中i號檢測點的位置可以表示為一個平面整數座標 (xi,yi)。
為方便預約核酸檢測,請根據市民所在位置(X, Y),查詢距其最近的三個檢測點。
多個檢測點距離相同時,編號較小的視為更近。
輸入格式
輸入共n+1行。
第一行包含用空格分隔的三個整數 n、X 和Y ,表示檢測點總數和市民所在位置。
第二行到第n + 1行依次輸入n個檢測點的座標。第i + 1行(1 < i < n)包含用空格分隔的兩個整數xi和yi,表示i號檢測點所在位置。
輸出格式
輸出共三行,按距離從近到遠,依次輸出距離該市民最近的三個檢測點編號。
樣例輸入1
3 2 2
2 2
2 3
2 4
樣例輸出1
1
2
3
樣例輸入2
5 0 1
-1 0
0 0
1 0
0 2
-1 2
樣例輸出2
2
4
1
樣例2解釋
評測用例規模與約定
全部的測試點滿足,3≤n≤200,所有座標均為整數且絕對值不超過 1000。
提示
市民到第i號檢測點的距離Di可由如下公式算出:
D_i^2 = (X - x_i)^2 + (Y - y_i)^2
程式碼
#include<iostream>
#include<queue>
using namespace std;
struct Node{
int dict, index;
Node(int d = 0, int i = 0) : dict(d), index(i) {}
bool operator < (const Node& other) const{
if(this->dict != other.dict) return this ->dict < other.dict;
return this->index < other.index;
}
};
priority_queue<Node> nodes;
int x, y, n, ans[3];
int cal_dist(int ax, int ay){
return (ax - x) * (ax - x) + (ay - y) * (ay - y);
}
int main(){
cin >> n >> x >> y;
int ax, ay, dict;
for(int i = 1; i <= n; i++){
cin >> ax >> ay;
dict = cal_dist(ax, ay);
if(nodes.size() < 3) nodes.push(Node(dict, i));
else if(nodes.top().dict > dict){
nodes.pop();
nodes.push(Node(dict, i));
}
}
for(int i = 2; i >= 0; i--) {
ans[i] = nodes.top().index;
nodes.pop();
}
for(int i = 0; i < 3; i++){
if(i) cout << endl;
cout << ans[i];
}
return 0;
}