我正在尝试读取作为指向此函数的指针传递的缓冲区。memcpy()
工作正常,数据正确存储在buffer
中,但当我在函数之外访问buffer
时,它是null
。有一些指针问题,我不明白。
这是代码,我取出了大部分,我知道它正确地复制了数据,但它没有将数据传递给buffer
指针。想法?
int read(file file, char *buffer , int maxlen) {
int bytes_read;
// copy data to file buffer
bytes_read = min(maxlen, file->file_size - file->cursor);
buffer = (char*) malloc(bytes_read);
memcpy(buffer , file->buffer + file->cursor, bytes_read);
return bytes_read;
}
问题很简单:您正在修改变量"buffer"。由于它是通过值传递的,而不是通过引用传递的,因此调用函数看不到更改。为了使对缓冲区的更改可见,您需要传入一个指向缓冲区的指针。
你的功能会是这样的:
int read(file file, char **buffer , int maxlen) {
int bytes_read;
// copy data to file buffer
bytes_read = min(maxlen, file->file_size - file->cursor);
*buffer = (char*) malloc(bytes_read);
memcpy(*buffer , file->buffer + file->cursor, bytes_read);
return bytes_read;
}
调用函数:
rv = read(file, &buffer, maxlen);
不能直接修改buffer
,因为C使用带参数的传递值。因此,它是您正在修改的指针的副本。要更改指针,您需要将函数原型更改为char**
,并将其分配到第一级间接寻址。
举个粗略的例子:
void read(char** buffer , int byte_size) {
*buffer = (char*) malloc(byte_size);
}
并在需要时使用
char* buffer;
read(&buffer,10); /* now buffer points to dynamically allocated array of 10 chars */