示例:
degree = [2,3,3,2,2,2]
vertex = [1,2,3,4,5,6]
顶点1的阶数为2,顶点2的阶数为3,依此类推...
我需要此解决方案vertex = [2,3,4,5,6,1]
。我想使用度的值更改顶点。 (最后4个数字(具有相同程度的顺序无关紧要。
我有更多的代码,但是我认为这很不错。
谢谢!
typedef struct {
u32 Orden;
u32 Grado;
} ParGradoOrden;
int comGrado (const void * a, const void * b) {
const u32 x = ((ParGradoOrden *) a)->Grado;
const u32 y = ((ParGradoOrden *) b)->Grado;
const u32 xx = ((ParGradoOrden *) a)->Orden;
const u32 yy = ((ParGradoOrden *) b)->Orden;
if (x < y)
return 1;
else if (x > y)
return -1;
if (xx < yy)
return -1;
else if (xx > yy)
return 1;
return 0;
}
qsort(G->vertices, n, sizeof(ParGradoOrden), comGrado);
Grafostv* ConstruccionDelGrafo()
{
Grafostv* G = (Grafostv*)malloc(sizeof(Grafostv));
u32 n = 0; //number of vertexs
u32 m = 0; //number of edges
u32 v = 0; //vertex name
u32 w = 0; // vertex name
int c = 0; //auxiliar char needed for fgetc function
char prev = 'a';
char edge[50] = {0};
G->m = m;
G->n = n;
G->orden = (u32*)malloc(sizeof(u32) * n);
G->grados = (u32*)malloc(sizeof(u32) * n);
G->vertices = (u32*)malloc(sizeof(u32*) * n);
for (u32 i = 0; i < 2*m; ++i)
G->vecinos[i] = (u32*)malloc(sizeof(u32)*2);
for (u32 i = 0; i < 2*m; i += 2)
{
if(scanf(" %c %u %u",&prev, &v, &w) != 3 || prev != 'e')
{
free(G->color);
free(G->orden);
free(G->grados);
return NULL;
}
G->vecinos[i][0] = v;
G->vecinos[i][1] = w;
G->vecinos[i+1][0] = w;
G->vecinos[i+1][1] = v;
}
qsort(G->vecinos, 2*m, 2*sizeof(u32), compare);
G->vertices[0] = G->vecinos[0][0];
copiarAVertice(G->vertices,G->vecinos,G->grados, G->indEnVecinos, 2*m);
memset(G->visitados,0,n*sizeof(u32));
memcpy(G->orden,G->vertices,n*sizeof(u32));
G->max = Greedy(G);
printf("terminé Greedy\n");
return G;
}
答案 0 :(得分:1)
我认为您希望degree
数组保留其当前顺序。如果要与顶点数组进行共同排序,则需要编写自己的排序例程。 qsort
不会做这项工作。
当然,如果您不对degree
进行共同排序,那么必须有一个明确定义的1-1映射,从vertex
元素的 values 到degree
元素的 indices ,否则无法确定排序开始后哪个顶点与哪个顶点相符。对于您的示例,情况似乎是这样,顶点值比其相应的degree
元素的索引大一。
要根据vertex
对degree
数组进行排序而不更改degree
,提供给qsort
的比较函数必须能够通过访问degree
文件范围变量。如果degree
本身未在文件范围内声明,则可以添加文件作用域指针变量并将其设置为指向degree
。当然,这有一个局限性,即您不能同时执行多个排序运行。
已经设置好了,比较功能使用顶点号访问数组中的顶点度,并根据这些结果对它们进行比较。看起来像这样:
#include <stdlib.h>
#include <stdio.h>
typedef unsigned int u32;
u32 *vert_degree;
int compare_vertices(const void *v1, const void *v2) {
u32 degree1 = vert_degree[*(const u32 *)v1 - 1];
u32 degree2 = vert_degree[*(const u32 *)v2 - 1];
if (degree1 > degree2) {
return -1;
} else if (degree1 < degree2) {
return 1;
} else {
return 0;
}
}
int main(void) {
u32 degree[] = {2,3,3,2,2,2};
u32 vertex[] = {1,2,3,4,5,6};
vert_degree = degree;
qsort(vertex, 6, sizeof(vertex[0]), compare_vertices);
printf("%d", vertex[0]);
for (int i = 1; i < 6; i++) {
printf(", %d", vertex[i]);
}
putchar('\n');
return 0;
}
输出:
2、3、1、4、5、6
如果您碰巧是在基于glibc的系统(即Linux)上,那么您还可以选择使用qsort_r
,它接受诸如degree
数组之类的辅助数据并传递给它继续比较功能(因此必须接受附加参数)。这样可以避免依赖全局变量,但是它特定于glibc。