我在另一个调用函数cbuf_update()
的文件中有一个主程序,然后调用cbuf_sizeChange()
这让我感到困惑:在cbuf_update
内,调用cbuf_sizeChange
正确更新cb_ptr
,但是在main.c中,当我在sizeChange()
中释放cb1时,它就是垃圾。我不能让它静态,因为main中有可变数量的cbuf。我该怎么办?我无法更改cbuf_update()
的签名。
结构def:
typedef struct cbuf {
unsigned int max;
unsigned int start;
unsigned int end;
unsigned int size;
quote *quotes;
} cbuf;
从main.c调用:
cbuf *eur_jpy;
eur_usd = cbuf_init() ;
cbuf_update(eur_jpy, time, rate) ;
其他档案中的相关方法:
cbuf * cbuf_init()
{
//initialize the cbuf with malloc
return cb1;
}
void cbuf_update(cbuf *cb_ptr, double rate)
{
cb_ptr = cbuf_sizeChange(cb_ptr, 2);
}
cbuf *cbuf_sizeChange(cbuf *cb1, double factor)
{
cbuf *cb2;
quote *quotes;
quotes = (quote *)malloc(cb1->max * factor * sizeof(quote));
cb2 = (cbuf *)malloc(sizeof(*quotes) + 4 * sizeof(unsigned int));
//Update quotes here(exluding it)
cb2->size = cb1->size;
cb2->end = cb1->size - 1;
cb2->max = factor * cb1->max;
cb2->start = 0;
free(cb1->quotes);
free(cb1);
cb2->quotes = quotes;
return cb2;
}
答案 0 :(得分:4)
这一点看起来不正确:
void cbuf_update(cbuf *cb_ptr, double rate)
{
cb_ptr = cbuf_sizeChange(cb_ptr, 2);
}
它会修改cb_ptr
,这是您传入cbuf_update()
的任何内容的本地副本,作为第一个参数。
您可能想要考虑以下几点:
void cbuf_update(cbuf **cb_ptr, double rate)
{
*cb_ptr = cbuf_sizeChange(*cb_ptr, 2);
}
而不是致电cbuf_update(something, rate)
来电cbuf_update(&something, rate)
。