-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathkD_Tree.cpp
More file actions
109 lines (96 loc) · 2.3 KB
/
kD_Tree.cpp
File metadata and controls
109 lines (96 loc) · 2.3 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
#include <bits/stdc++.h>
using namespace std;
constexpr int MAX = 10000000;
constexpr int NIL = -1;
class Node {
public:
int location;
int p, l, r;
Node() {}
};
class Point {
public:
int id, x, y;
Point() {}
Point(int id, int x, int y): id(id), x(x), y(y) {}
bool operator < (const Point &p) const {
return id < p.id;
}
void print() {
printf("%d\n", id);
}
};
int N;
Point P[MAX];
Node T[MAX];
int np;
bool lessX(const Point &p1, const Point &p2) { return p1.x < p2.x; }
bool lessY(const Point &p1, const Point &p2) { return p1.y < p2.y; }
// kD木をつくる
int makeKDTree(int l, int r, int depth) {
if(!(l<r)) return NIL;
int mid = (l+r)/2;
int t = np++;
if(depth%2 == 0) {
sort(P+l, P+r, lessX);
} else {
sort(P+l, P+r, lessY);
}
T[t].location = mid;
T[t].l = makeKDTree(l, mid, depth+1);
T[t].r = makeKDTree(mid+1, r, depth + 1);
return t;
}
void find(int v, int sx, int tx, int sy, int ty, int depth, vector<Point> &ans) {
int x = P[T[v].location].x;
int y = P[T[v].location].y;
if(sx<=x && x<= tx && sy<=y && y<=ty) {
ans.push_back(P[T[v].location]);
}
if(depth%2 == 0) {
if(T[v].l != NIL) {
if(sx <= x) find(T[v].l, sx, tx, sy, ty, depth+1, ans);
}
if (T[v].r != NIL)
{
if (x <= tx) find(T[v].r, sx, tx, sy, ty, depth + 1, ans);
}
} else {
if(T[v].l != NIL) {
if(sy <= y) find(T[v].l, sx, tx, sy, ty, depth+1, ans);
}
if (T[v].r != NIL)
{
if (y<= ty) find(T[v].r, sx, tx, sy, ty, depth + 1, ans);
}
}
}
int main() {
int x, y;
scanf("%d", &N);
for (int i = 0; i < N; i++)
{
scanf("%d %d", &x,&y);
P[i] = Point(i, x, y);
T[i].l = T[i].r = T[i].p = NIL;
}
np = 0;
int root = makeKDTree(0, N, 0);
int q(0);
scanf("%d", &q);
int sx, tx, sy, ty;
vector<Point> ans;
for (int i = 0; i < q; i++)
{
scanf("%d %d %d %d",&sx, &tx, &sy, &ty);
ans.clear();
find(root, sx, tx, sy, ty, 0, ans);
sort(ans.begin(), ans.end());
for (int j = 0; j < ans.size(); j++)
{
ans[j].print();
}
printf("\n");
}
return 0;
}