1

これは LIST ftp のコマンドのスニペットです:

count = file_list("./", &files);
if((fp_list = fopen("listfiles.txt", "w")) == NULL){
  perror("Impossibile aprire il file per la scrittura LIST");
  onexit(newsockd, sockd, 0, 2);
}
for(i=0; i < count; i++){
  if(strcmp(files[i], "DIR ..") == 0 || strcmp(files[i], "DIR .") == 0) continue;
  else{
    fprintf(fp_list, "%s\n", files[i]);
  }
}
fclose(fp_list);
if((fpl = open("listfiles.txt", O_RDONLY)) < 0){
  perror("open file with open");
  onexit(newsockd, sockd, 0, 2);
  exit(1);
}
if(fstat(fpl, &fileStat) < 0){
  perror("Errore fstat");
  onexit(newsockd, sockd, fpl, 3);
}
fsize = fileStat.st_size;
if(send(newsockd, &fsize, sizeof(fsize), 0) < 0){
  perror("Errore durante l'invio grande file list");
  onexit(newsockd, sockd, fpl, 3);
}
rc_list = sendfile(newsockd, fpl, &offset_list, fileStat.st_size);
if(rc_list == -1){
  perror("Invio file list non riuscito");
  onexit(newsockd, sockd, fpl, 3);
}
if((uint32_t)rc_list != fsize){
  fprintf(stderr, "Error: transfer incomplete: %d di %d bytes inviati\n", rc_list, (int)fileStat.st_size);
  onexit(newsockd, sockd, fpl, 3);
}
printf("OK\n");
close(fpl);
if(remove( "listfiles.txt" ) == -1 ){
  perror("errore cancellazione file");
  onexit(newsockd, sockd, 0, 2);
}

wher&filesはとして宣言されてchar **filesおり、関数list_filesは私が書いた関数であり、私の問題には関係ありません。
私の問題:最初に呼び出されたLIST cmdは正常に機能しますが、もう一度LISTを呼び出すと、常に「エラー、転送が不完全です」という理由がわかりません...

4

2 に答える 2

7

このsendfile関数は、1 回の呼び出しですべてのデータを送信しない場合があります。その場合、要求されたよりも少ない数値が返されます。これをエラーとして扱いますが、代わりに再試行する必要があります。1 つの方法は、次のようなループを使用することです。

// Offset into buffer, this is where sendfile starts reading the buffer
off_t offset = 0;

// Loop while there's still some data to send
for (size_t size_to_send = fsize; size_to_send > 0; )
{
    ssize_t sent = sendfile(newsockd, fpl, &offset, size_to_send);

    if (sent <= 0)
    {
        // Error or end of file
        if (sent != 0)
            perror("sendfile");  // Was an error, report it
        break;
    }

    size_to_send -= sent;  // Decrease the length to send by the amount actually sent
}
于 2012-08-08T08:59:39.903 に答える
2

問題が見つかりました。
複数回呼び出すとsendfile、変数off_t offset_list;"dirty"のままです。
sendfile を 1 回目に呼び出すと、その関数を 2 回目に呼び出しても削除されないoffest_list値になります。だから私が前に書かなければならないなら、すべての仕事!
offset_list = 0;rc_list = sendfile(newsockd, fpl, &offset_list, fileStat.st_size);

于 2012-08-08T09:01:28.547 に答える