4

我想移动我记忆中的大量数据。不幸的是,这些数据被保存为一个数组,我无法改变它。我不能使用循环数组,因为我不想更改的几个 fortran 方法也使用相同的内存。最重要的是,在移动之间非常频繁地访问数组。所以我可以这样做:

int *array = (int*) malloc(sizeof(int)*5);
int *array2=NULL;
//Now i want to move my data one step to the left
array=(int*) realloc(array,6);
array2=array+1;
memmove(array,array2,5*sizeof(int));
array=(int*) realloc(array,5);

这应该可以正常工作,但看起来很浪费;)。如果我可以告诉我的编译器带走缩小数组左侧的数据,我的数据会在内存中爬行,但我不必进行任何复制。像这样:

int *array = (int*) malloc(sizeof(int)*5);
//Now i want to move my data one step to the left
array=(int*) realloc(array,6);
array=(int*) realloc_using_right_part_of_the_array(array,5);

所以基本上我想用一个指向 的指针来结束,array+1释放它剩下的 4 个字节。我玩过free()malloc()但它没有用......我知道 realloc 也可能导致 memcpy 调用,但不是每次!所以它可以更快,不是吗?

4

2 回答 2

5

不,没有办法归还您分配的内存的下部。此外,您的原始代码是错误的,因为您正在复制不确定的内存。

int *array = (int*) malloc(sizeof(int)*5);
// Fill memory:
// array - {'J', 'o', h', 'n', '\0'}; 
int *array2=NULL;
//Now i want to move my data one step to the left
array=(int*) realloc(array,6);
// array - {'J', 'o', h', 'n', '\0', X};
array2=array+1;
// array2 pointer to 'o of array.
memmove(array,array2,5*sizeof(int));
// This copies the indeterminate x:
// array - {'o', h', 'n', '\0', X, X}
array=(int*) realloc(array,5);
// array - {'o', h', 'n', '\0', X}

X 表示不确定。

于 2010-10-01T18:18:52.137 回答
3

为什么不简单地一个一个地复制元素呢?

#define NELEMS 5
for (i = 0; i < NELEMS - 1; i++) {
    array[i] = array[i + 1];
}
array[NELEMS - 1] = 0;

或者,memmove像你一直在做的那样使用,但没有搬迁

#define NELEMS 5
memmove(array, array + 1, (NELEMS - 1) * sizeof *array);
array[NELEMS - 1] = 0;
于 2010-10-01T20:16:21.533 回答