- 论坛徽章:
- 0
|
就是那个simple.c,代码如下:- #include <stdio.h>
- #include <curl/curl.h>
-
- int main(void)
- {
- CURL *curl;
- CURLcode res;
-
- curl = curl_easy_init();
- if(curl) {
- curl_easy_setopt(curl, CURLOPT_URL, "http://www.163.com");
- res = curl_easy_perform(curl);
-
- /* always cleanup */
- curl_easy_cleanup(curl);
- }
- return 0;
- }
复制代码 simple.c shows how to get a remote web page in only four libcurl function calls.
simple.c 这个例子告诉你,仅仅需要4个libcurl函数,就能获取一个网页。
执行没有任何结果,必须写成回调的方式,才能打印输出,按照文档里说的,这个例子似乎会输出到stdout的。
文档libcurl-tutorial - libcurl programming tutorial 里有如下一段:
libcurl offers its own default internal callback that will take care of the data if you don't set the callback with CURLOPT_WRITEFUNCTION. It will then simply output the received data to stdout. You can have the default callback write the data to a different file handle by passing a 'FILE *' to a file opened for writing with the CURLOPT_WRITEDATA option.
以下是回调的写法:- #include <stdio.h>
- #include <curl/curl.h>
-
- size_t write_data(void *buffer, size_t size, size_t nmemb, void *userp)
- {
- printf("%s",(char*)buffer);
-
- return size*nmemb;
- }
-
- int main(void)
- {
- CURL *curl;
- CURLcode res;
- char buf[2048] = {0};
-
- curl_global_init(CURL_GLOBAL_DEFAULT);
- curl = curl_easy_init();
-
- if(curl) {
- curl_easy_setopt(curl, CURLOPT_URL, "http://www.163.com");
-
- curl_easy_setopt(curl, CURLOPT_FOLLOWLOCATION, 1);
-
- // curl_easy_setopt
- res = curl_easy_setopt(curl, CURLOPT_WRITEFUNCTION, write_data);
- if(res != CURLE_OK){
- printf("curl_easy_setopt not return CURLE_OK\n");
- }
- else{
- printf("curl_easy_setopt exec success\n");
- }
-
- // curl_easy_setopt
-
- // curl_easy_setopt(curl, CURLOPT_WRITEDATA, buf);
- // curl_easy_perform
- res = curl_easy_perform(curl);
- if(res != CURLE_OK){
- printf("curl_easy_perform not return CURLE_OK\n");
- }
- else{
- printf("curl_easy_perform exec success\n");
- }
-
- // printf("buf:%s\n", buf);
-
- /* always cleanup */
- curl_easy_cleanup(curl);
- }
- return 0;
- }
复制代码 |
|