當從一個文件複製到另一個數據,讀,寫二進制優選的建議的方法。使用面向行的輸入函數(如fgets
或getline
)進行讀取將無法正確讀取文件中的所有字符的原因很多。文本輸出函數遭受類似的缺點(例如,試圖寫入具有備用的含義ASCII可打印範圍之外的字符或字符)使用fread
閱讀與從二進制模式文件中寫入和fwrite
並不比使用fgets
更難和fputs
。但是,使用fread
和fwrite
可以避免在文本模式下嘗試一般文件複製時固有的缺陷,從而保證數據的正確和準確的副本。
如果您知道只有源文件中包含文本,則在文本模式下進行復制沒有任何問題。這意味着你將不得不編寫另一個函數來處理非文本文件。 (並且通常您不會看到基於文件內容的不同複製例程)。用二進制讀取和寫入消除了所有這些考慮因素。
以下是一個filecopy
函數的簡短示例,它將文件中的所有字節讀入緩衝區,然後將緩衝區的內容寫入目標文件。 (緩衝讀/寫通常效率更高,您可以通過調整MAXS
輕鬆調整緩衝區大小)。該函數返回成功複製的字節數,否則返回-1
。看一下它,並讓我知道如果您有任何疑問:
#include <stdio.h>
#include <stdlib.h>
#define MAXS 256
int filecopy (char *source, char *dest);
int main (int argc, char **argv) {
if (argc < 3) { /* validate 2 arguments given */
fprintf (stderr, "usage: %s file1 file2\n", argv[0]);
return 1;
}
int filesize = 0;
if ((filesize = filecopy (argv[1], argv[2])) == -1) {
fprintf (stderr, "error: filecopy failed.\n");
return 1;
}
printf ("\n copied '%s' -> '%s' ('%d' bytes)\n\n",
argv[1], argv[2], filesize);
return 0;
}
int filecopy (char *source, char *dest)
{
char *buf = NULL; /* buffer used to read MAXS bytes from file */
size_t nbytes = 0; /* number of bytes read from file */
size_t idx = 0; /* file index (length) */
FILE *fp = fopen (source, "r"); /* stream pointer */
if (!fp) { /* open source for reading */
fprintf (stderr, "error: file open failed '%s'.\n", source);
return -1;
}
/* allocate MAXS size read buf initially */
if (!(buf = calloc (MAXS, sizeof *buf))) {
fprintf (stderr, "error: virtual memory exhausted.\n");
return -1;
}
/* while data read MAXS *buf from file - realloc for next read */
while ((nbytes = fread (buf+idx, sizeof *buf, MAXS, fp)))
{
idx += nbytes; /* update total bytes read */
if (nbytes < MAXS) break; /* end-of-file reached */
/* full read - realloc for next */
void *tmp;
if (!(tmp = realloc (buf, (idx + nbytes) * sizeof *buf))) {
fprintf (stderr, "error: virtual memory exhausted.\n");
exit (EXIT_FAILURE);
}
buf = tmp;
}
fclose (fp); /* close input stream */
if (!(fp = fopen (dest, "w+b"))) { /* open output stream */
fprintf (stderr, "error: file open failed '%s'.\n", dest);
exit (EXIT_FAILURE);
}
fwrite (buf, sizeof *buf, idx, fp);
fclose (fp); /* close output stream */
free (buf);
return (int)idx;
}
編譯
gcc -Wall -Wextra -O3 -o bin/filecopy_simple filecopy_simple.c
輸入文件(二進制)
-rw-r--r-- 1 david david 66672 Nov 19 13:17 acarsout2.bin
使用/輸出
$ ./bin/filecopy_simple dat/acarsout2.bin dat/acarsout3.bin
copied 'dat/acarsout2.bin' -> 'dat/acarsout3.bin' ('66672' bytes)
驗證
$ ls -al acarsout[23]*
-rw-r--r-- 1 david david 66672 Nov 19 13:17 acarsout2.bin
-rw-r--r-- 1 david david 66672 Dec 13 14:51 acarsout3.bin
$ diff dat/acarsout2.bin dat/acarsout3.bin
$
** **務必檢查能遇到一個錯誤函數的結果!解引用_null pointer_是未定義的行爲。還要注意,你必須「成功」打開文件** iff **。 – Olaf
我在main()中關閉了它們。我認爲問題出現在'destination = fopen(name_destination,「w」);' –
'source'和'destination'指針是你的函數的參數,但是你不使用通過這些參數傳遞的參數值。這不是天生的錯誤,但是這一點以及你不關閉文件的事實表明你認爲調用者會以某種方式通過這些參數從函數接收流指針。它不會,如果調用者認爲已經完成,那肯定會產生段錯誤。 –