我正在阅读 Robert Sedwick Algorithms 的 C++ 书籍。以下是书中关于复合数据结构的示例。
问题陈述:给定“d”,我们想知道单位正方形中一组 N 个点中有多少对可以通过长度小于“d”的直线连接。
下面的程序使用逻辑将单位正方形划分为一个网格,并维护一个二维链表数组,每个网格正方形对应一个链表。选择的网格要足够精细,以使距离“d”内的所有点要么在同一个网格正方形中,要么在相邻的网格正方形中。
我的问题是
- 为什么作者在 malloc2d(G+2, G+2) 中分配 G+2 ?
- 在 gridinsert 函数中,为什么作者执行以下语句 int X = x*G+1; 整数 Y = y*G+1; ?
- 在 for 循环中,为什么我们将 i 初始化为 X-1 并将 j 初始化为 Y-1?
- 在代码中,我们在同一网格正方形或相邻网格正方形中维护距离 d 内的点?
请求您帮助理解以下程序的简单示例。
#include <iostream>
#include <stdlib.h>
#include <stdio.h>
#include <math.h>
using namespace std;
float randFloat() {
return 1.0*rand()/RAND_MAX;
}
struct myPoint {
float x;
float y;
};
float myDistance(myPoint a, myPoint b) {
float dx = a.x - b.x, dy = a.y - b.y;
return sqrt(dx*dx + dy*dy);
}
struct node {
myPoint p; node *next;
node(myPoint pt, node* t) {
p = pt; next = t;
}
};
typedef node *link;
static link **grid = NULL;
link **malloc2d(int r, int c) {
link **t = new link*[r];
for (int i = 0; i < r; i++) {
t[i] = new link[c];
}
return t;
}
static int G, cnt = 0;
static float d;
void gridinsert(float x, float y) {
int X = x*G+1;
int Y = y*G+1;
myPoint p;
p.x = x; p.y = y;
link s, t = new node(p, grid[X][Y]);
for (int i = X-1; i <= X+1; i++)
for (int j = Y-1; j <= Y+1; j++)
for (s = grid[i][j]; s != 0; s = s->next)
if (myDistance(s->p, t->p) < d) cnt++;
grid[X][Y] = t;
}
int main(int argc, char *argv[]) {
int i;
int N = 10;
d = 0.25;
G = 1/d;
grid = malloc2d(G+2, G+2);
for (i = 0; i < G+2; i++)
for (int j = 0; j < G+2; j++)
grid[i][j] = 0;
for (i = 0; i < N; i++)
gridinsert(randFloat(), randFloat());
cout << cnt << " pairs within " << d << endl;
return 0;
}