3

いくつかのファイルをダウンロードするためにCでプログラムを作成しようとしています。

ソースコード:

#include <stdio.h>
#include <string.h>
#include <curl/curl.h>
#include <curl/easy.h>

size_t write_data(void *ptr, size_t size, size_t nmemb, FILE *stream) {
    size_t written;
    written = fwrite(ptr, size, nmemb, stream);
    return written;
}

int main(){

    if(curl_global_init(CURL_GLOBAL_ALL)){
        printf("curl error. Exiting.\n");
        return 1;
    }
    char links[3][100] = {
        "http://download.freeroms.com/nes_roms/08/big_nose_the_caveman.zip",
        "http://download.freeroms.com/nes_roms/02/contra.zip",
        "http://download.freeroms.com/nes_roms/08/super_mario_bros._(usajapan).zip"};
    int n = 0, k = 0;
    char *lastslash;
    char* name;

    CURL *handle = curl_easy_init();
    CURLcode res;
    FILE *file;

    while(n<3){
        lastslash = strrchr(links[n], '/');
        name = lastslash ? lastslash + 1 : links[n];
        printf("\nURL: %s\n", links[n]);
        printf("Filename: %s\n", name);

        curl_easy_setopt(handle, CURLOPT_URL, links[n]);
        curl_easy_setopt(handle, CURLOPT_WRITEDATA, file);
        curl_easy_setopt(handle, CURLOPT_WRITEFUNCTION, write_data);

        file = fopen(name, "wb");       
        res = curl_easy_perform(handle);

        fclose(file);
        n++;
    }

    curl_easy_cleanup(handle);
    return 0;
}

コンパイルできますが、実行したときの出力は次のとおりです。

URL: http://download.freeroms.com/nes_roms/08/big_nose_the_caveman.zip
ファイル名: big_nose_the_caveman.zip
セグメンテーション エラー (コア ダンプ)

私のコンパイラ設定:

gcc dl.c -lcurl -o dl

を実行しようとすると問題が発生することがわかりましたが、curl_easy_perform()どうすればよいかわかりません。

4

2 に答える 2

4

このコーディングを試してください。

#include <stdio.h>
#include <curl/curl.h>
#include <curl/types.h>
#include <curl/easy.h>
#include <string>

size_t write_data(void *ptr, size_t size, size_t nmemb, FILE *stream) {
    size_t written = fwrite(ptr, size, nmemb, stream);
    return written;
}

int main(void) {
    CURL *curl;
    FILE *fp;
    CURLcode res;
    char *url = "http://localhost/aaa.txt";
    char outfilename[FILENAME_MAX] = "C:\\bbb.txt";
    curl = curl_easy_init();
    if (curl) {
        fp = fopen(outfilename,"wb");
        curl_easy_setopt(curl, CURLOPT_URL, "http://localhost/aaa.txt");
        curl_easy_setopt(curl, CURLOPT_WRITEFUNCTION, write_data);
        curl_easy_setopt(curl, CURLOPT_WRITEDATA, fp);
        res = curl_easy_perform(curl);
        /* always cleanup */
        curl_easy_cleanup(curl);
        fclose(fp);
    }
    return 0;
}
于 2013-10-16T13:25:52.647 に答える
3

コールバック データを設定する前に、ファイルを開く必要があります。はFILE*、参照ではなく、値によって格納されます。

    file = fopen(name, "wb");       
    curl_easy_setopt(handle, CURLOPT_WRITEDATA, file);
于 2013-10-16T13:25:27.690 に答える