其他分享
首页 > 其他分享> > 关于read指向缓冲区的理解

关于read指向缓冲区的理解

作者:互联网

read在linux原型定义如下:

 

#include <unistd.h>
ssize_t read(int fd, void *buf, size_t count);

关于buf,man手册解释如下:

“read() attempts to read up to count bytes from file descriptor fd into the buffer starting at buf.”

也就是说,read读取数据后,放到buf缓冲区中,从哪开始放呢?是从buf的开始位置开始放,什么是开始位置呢,这个位置是可以通过p指针进行指定的

我们看如下代码:

假设test.txt中保存了a-z个字符。

 1 #include <stdio.h>
 2 #include <sys/types.h>
 3 #include <sys/stat.h>
 4 #include <fcntl.h>
 5 #include <errno.h>
 6 #include<unistd.h>
 7 #include<stdlib.h>
 8 #include<string.h>
 9 int main()
10 {
11     int fd=open("test.txt",O_RDONLY);
12     if (fd==-1){
13         perror("open");
14         exit(EXIT_FAILURE);
15     }   
16     char buf[1024]={"\0"};
17     char* p=buf;
18 
19     while(read(fd,p,1)!=0){
20         //printf("%d\n",*p);                                                                                                                                                                                                                                                  
21         //p++;
22     }   
23     printf("%s\n",buf);
24 
25 
26     close(fd);
27     return 0;
28 }

注意第20行,此时将这行注释掉了,那么read循环读入的时候,每次都存放到p指向的地址,而p没有变化,所以每次读取的字符都会覆盖掉上次写入的数据,最后结果为z。

但是如果将该行注释取消,那么每次read读取的字符就会放到p指针指向的位置,也就是说p加1的位置,这样就会把所有的a-z经过多次循环写入到缓冲区中,显示结果为“abcdefghigklmnopqrstuvwxyz”

 

 

标签:指向,read,int,fd,缓冲区,include,buf
来源: https://www.cnblogs.com/simon-xie/p/16594716.html