C解法
输入解析:
每个灯光的编号 id 和它的两个角点坐标 (x1, y1) 和 (x2, y2),程序需要通过这些数据计算出灯光的中心坐标 (x, y) 和半径 r。
排序规则:
首先根据 y 坐标对所有灯光进行排序。
然后根据灯光的 y 坐标差值判断是否处于同一行,如果是,则按 x 坐标排序;如果不是,则将当前行的灯光按 x 坐标输出。
分组灯光:
程序将灯光分为几组:如果灯光 y 坐标差值小于等于当前灯光的半径,则认为它们在同一行。
对每行内的灯光进行 x 坐标排序,然后输出它们的编号
#include
#include
typedef struct {
int id;
int x;
int y;
int r;
} Light;
int compareY(const void* a, const void* b) {
Light* lightA = (Light*)a;
Light* lightB = (Light*)b;
return lightA->y - lightB->y;
}
int compareX(const void* a, const void* b) {
Light* lightA = (Light*)a;
Light* lightB = (Light*)b;
return lightA->x - lightB->x;
}
void determineOrder(Light lights[], int n) {
qsort(lights, n, sizeof(Light), compareY);
Light sameRow[n];
int sameRowCount = 0;
Light reference = lights[0];
sameRow[sameRowCount++] = reference;
for (int i = 1; i < n; i++) {
Light current = lights[i];
if (current.y - reference.y <= reference.r) {
sameRow[sameRowCount++] = current;
}
else {
qsort(sameRow, sameRowCount, sizeof(Light), compareX);
for (int j = 0; j < sameRowCount; j++) {
printf("%d ", sameRow[j].id);
}
sameRowCount = 0;
reference = current;
sameRow[sameRowCount++] = reference;
}
}
if (sameRowCount > 0) {
qsort(sameRow, sameRowCount, sizeof(Light), compareX);
for (int j = 0; j < sameRowCount; j++) {
printf("%d ", sameRow[j].id);
}
}
printf("\n");
}
int main() {
int n;
scanf("%d", &n);
Light lights[n];
for (int i = 0; i < n; i++) {
int id, x1, y1, x2, y2;
scanf("%d %d %d %d %d", &id, &x1, &y1, &x2, &y2);
lights[i].id = id;
lights[i].x = (x1 + x2) / 2;
lights[i].y = (y1 + y2) / 2;
lights[i].r = (x2 - x1) / 2;
}
determineOrder(lights, n);
return 0;
}
class="hljs-button signin active" data-title="登录复制" data-report-click="{"spm":"1001.2101.3001.4334"}">
评论记录:
回复评论: