前一段時間採用mmap實現了一個文件的複製操做,如今採用linux的I/O實現文件的複製,基本的思想是將文件複製到一個通用的buf中,而後將buf中的數據複製到新的文件中。這種方式比較容易理解,可是也是底層的系統調用,建議少用,但有時候必須採用(設備驅動)。
#include<stdio.h>
#include
#include
#include<stdlib.h>
#include
#include
/*操做的基本權限*/
#define DEF_MODE S_IRUSR|S_IWUSR|S_IRGRP|S_IWGRP|S_IROTH|S_IWOTH
int main()
{
/*源文件*/
int fdsrc = open("/home/gong/program/cprogram/Test.c",O_RDONLY,0);
if(fdsrc==-1)
{
printf("error!!!\n");
exit(-1);
}
/*得到源文件的大小*/
struct stat statbuf;
fstat(fdsrc,&statbuf);
int length = statbuf.st_size;
/*目的文件*/
int fddst = open("/home/gong/program/cprogram/copydata.c",O_CREAT|O_RDWR,DEF_MODE);
if(fddst==-1)
{
printf("error!!!\n");
exit(-1);
}
/*實現基本的文件內容複製過程*/
/*基本的思想就是將數據首先複製到一個大小合適的buf中,而後將buf其中的內容寫到給文件2*/
/*每一次都讀入buf中,而後寫buf的數據到文件2中*/
char buf[1024];/*buf大小*/
char *p = buf;/*指向buf的指針*/
/*長度統計*/
int rlength=0,Rlength = 0;
int wlength=0;
while(length > 0)
{
/*先讀後先的過程*/
rlength = read(fdsrc,p,1024);
Rlength = rlength;
while(rlength > 0)/*確保每次讀出來的所有寫入到文件中*/
{
wlength = write(fddst,p,rlength);
rlength -= wlength;/*檢測還有多少沒有被複制*/
p += wlength;/*移動指針到沒有寫入的區域*/
}
p = buf;/*確保每次都是複製到buf中*/
length -= Rlength;
}
/*關閉文件*/
close(fdsrc);
close(fddst);
exit(0);
}
編譯調試:
[gong@Gong-Computer cprogram]$ gcc -g copyFile.c -o copyFile
[gong@Gong-Computer cprogram]$ ./copyFile
/*Test.c*/
#include
#include
#include
#include
/*
char * returnstring(char *string)
{
//static char buffer[1024];
char * buffer = (char *)malloc(1024);
strcpy(buffer,string);
return buffer;
}*/
typedef int (*array10)[10];/*array100能夠做爲 int a[100]的指針*/
int main()
{
/*
int a = 10;
int *p = &a;
long int apple = 0;
apple = sizeof(int) * p;
printf("The Number of apple is %ld\n",apple);
*/
int a[10];
int i = 0;
for(i = 0;i<10;++i)
{
a[i] = i;
}
array10 b = a;
"copydata.c" 47L, 618C /*這說明說明覆製成功了,在文件中實現了數據的複製*/
....
以上的代碼說明了基本實現了文件的複製,後期將採用標準I/O實現文件的複製。須要注意的是Linux I/O主要是返回了完成的數據量,這個能夠方便操做。文件的複製過程是一個經常使用的過程。可是操做的方式存在一些差異,具體問題具體分析。
linux