C 从文件描述符中读取
C read from a file descriptor
我正在尝试使用 C 中的读取函数。
(这个功能:
http://pubs.opengroup.org/onlinepubs/009695399/functions/read.html)。
当我从包含相同内容 ('H') 的不同文件中读取时。
调用读取函数后缓冲区不相等,但是当我尝试以 %c 格式打印时,都打印 'H' (正确的输出)。
这是我的代码:
#include <stdio.h>
#include <sys/fcntl.h>
#include <errno.h>
#include<stdlib.h>
#include<sys/types.h>
#include<unistd.h>
#include<stdio.h>
/* #DEFINES */
#define ADD1 "text1.txt"
#define ADD2 "text2.txt"
#define SIZE 1
int main()
{
// Initializing
int fdin1=0,fdin2=0;
int r1=1,r2=1;
unsigned char * buff1[SIZE+1];
unsigned char * buff2[SIZE+1];
fdin1 = open(ADD1,O_RDONLY);
if (fdin1 < 0) /* means file open did not take place */
{
perror("after open "); /* text explaining why */
exit(-1);
}
fdin2 = open(ADD2,O_RDONLY);
if (fdin2 < 0) /* means file open did not take place */
{
perror("after open "); /* text explaining why */
exit(-1);
}
// Reading the bytes
r1 = read(fdin1,buff1,SIZE);
r2 = read(fdin2,buff2,SIZE);
// after this buff1[0] and buff2[0] does not contain the same value!
// But, both r1 and r2 equals to 1.
printf("%c\n",buff1[0]);
printf("%c\n",buff2[0]);
// It prints the correct output (both H)
close(fdin1);
close(fdin2);
return 0;
}
将缓冲区定义为 unsigned char buff1[SIZE+1]
和 unsigned char buff2[SIZE+1]
。没有必要定义指针数组。顺便说一句,没有必要分配 SIZE + 1
字节,因为 read
不会在末尾添加零字节。当您说 "buffer is X bytes" 时,它是 X 字节。最好使用 read(fdin1, buff1, sizeof buff1)
.
我正在尝试使用 C 中的读取函数。 (这个功能: http://pubs.opengroup.org/onlinepubs/009695399/functions/read.html)。 当我从包含相同内容 ('H') 的不同文件中读取时。 调用读取函数后缓冲区不相等,但是当我尝试以 %c 格式打印时,都打印 'H' (正确的输出)。
这是我的代码:
#include <stdio.h>
#include <sys/fcntl.h>
#include <errno.h>
#include<stdlib.h>
#include<sys/types.h>
#include<unistd.h>
#include<stdio.h>
/* #DEFINES */
#define ADD1 "text1.txt"
#define ADD2 "text2.txt"
#define SIZE 1
int main()
{
// Initializing
int fdin1=0,fdin2=0;
int r1=1,r2=1;
unsigned char * buff1[SIZE+1];
unsigned char * buff2[SIZE+1];
fdin1 = open(ADD1,O_RDONLY);
if (fdin1 < 0) /* means file open did not take place */
{
perror("after open "); /* text explaining why */
exit(-1);
}
fdin2 = open(ADD2,O_RDONLY);
if (fdin2 < 0) /* means file open did not take place */
{
perror("after open "); /* text explaining why */
exit(-1);
}
// Reading the bytes
r1 = read(fdin1,buff1,SIZE);
r2 = read(fdin2,buff2,SIZE);
// after this buff1[0] and buff2[0] does not contain the same value!
// But, both r1 and r2 equals to 1.
printf("%c\n",buff1[0]);
printf("%c\n",buff2[0]);
// It prints the correct output (both H)
close(fdin1);
close(fdin2);
return 0;
}
将缓冲区定义为 unsigned char buff1[SIZE+1]
和 unsigned char buff2[SIZE+1]
。没有必要定义指针数组。顺便说一句,没有必要分配 SIZE + 1
字节,因为 read
不会在末尾添加零字节。当您说 "buffer is X bytes" 时,它是 X 字节。最好使用 read(fdin1, buff1, sizeof buff1)
.