我在C中实现了一些多项式算术。我使用动态结构来存储整数因子和多项式度。 除了其他功能,我需要操作p [X] * X,所以我尝试实现某种右移。
但是几次轮班后,realloc()崩溃了我的程序。在这个例子中,它是第三次调用,但如果我尝试移动2次和4次,它会在第二次调用后崩溃。
/* Simple polynom type with variable length and degree n-1. */
typedef struct {
int n;
int *factors;
} polynom_t;
polynom_t *poly_init(int n) {
polynom_t *p_new = malloc(sizeof(polynom_t));
p_new->n = n;
p_new->factors = calloc(n, sizeof(int));
return p_new;
}
void poly_clear(polynom_t *p) {
free(p->factors);
free(p);
p = NULL;
}
void poly_set(polynom_t *p, int a[], int len){
memcpy(p->factors, a, sizeof(int)*p->n);
}
void _poly_rsz(polynom_t *p, int n) {
if (n != p->n) {
p->n = n;
// This realloc() seems to fail
p->factors = realloc(p->factors, sizeof(int) * n);
}
}
void _poly_lsr(polynom_t *p, int i) {
_poly_rsz(p, p->n + i);
memmove(p->factors + i, p->factors, sizeof(int)*(p->n));
memset(p->factors, 0, sizeof(int)*i);
}
int main(int argc, char **argv) {
polynom_t *p2 = poly_init(11);
int a2[11] = {1, 2, 0, 2, 2, 1, 0, 2, 1, 2, 0};
poly_set(p2, a2, 11);
_poly_lsr(p2, 1); // works as expected
_poly_lsr(p2, 1); // works as expected
_poly_lsr(p2, 1); // crash
poly_clear(p2);
return 0;
}
答案 0 :(得分:5)
问题出在这个代码块中:
void _poly_lsr(polynom_t *p, int i) {
_poly_rsz(p, p->n + i);
memmove(p->factors + i, p->factors, sizeof(int)*(p->n)); // the problem is here!
memset(p->factors, 0, sizeof(int)*i);
}
当您调整多项式的大小时,重置它的计数,这意味着,当您添加1时,您将多项式数组的边界溢出1.要修复,只需从{{1}中减去i
计数:
memmove