Слушаете пуш-сообщение?

Я должен слушать push-сообщение веб-сервиса бесконечно. Веб-служба, которую я слушаю, отправляет ответные сообщения мыла всякий раз, когда происходит обновление содержимого. После того, как я получил сообщение, я должен разобрать его и сохранить в структурах. Ниже мой код.

CURL *curl;
CURLcode res;
const char *onlineWebServiceRequest = "<?xml version=\"1.0\" encoding=\"utf-8\"?> <soap:Envelope xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\" xmlns:xsd=\"http://www.w3.org/2001/XMLSchema\" xmlns:soap=\"http://schemas.xmlsoap.org/soap/envelope/\">  <soap:Body>    <GetCitiesByCountry xmlns=\"http://www.webserviceX.NET\">  <CountryName>Netherlands</CountryName>     </GetCitiesByCountry>    </soap:Body>    </soap:Envelope>";

if(curl){

curl_easy_setopt(curl, CURLOPT_URL, "http://www.webservicex.net/globalweather.asmx/GetCitiesByCountry" );

curl_easy_setopt(curl, CURLOPT_POSTFIELDS, onlineWebServiceRequest);

res = curl_easy_perform(curl);
// call some other method to parse the res
curl_easy_cleanup(curl);
}

Сомнения:
Это правильный способ получать push-сообщения? Если да.,

Приведенный выше код не проверяет состояние соединения с веб-сервисом. Как я могу это проверить?

Если нет, то какие еще есть варианты с открытым исходным кодом?

заранее спасибо

0

Решение

Вам лучше проверить на ошибки.

Для этого нужно включить CURLOPT_ERRORBUFFER вариант.

curl_easy_setopt(curl, CURLOPT_ERRORBUFFER, errbuf);

И добавить буфер (он должен быть как минимум CURL_ERROR_SIZE байты большие).

char errbuf[CURL_ERROR_SIZE];

Кроме того, вы можете установить CURLOPT_FAILONERROR true, чтобы заставить curl конвертировать все коды ответов> = 300 в ошибки.

curl_easy_setopt(curl, CURLOPT_FAILONERROR, 1L);

Чтобы получить фактический вывод с сервера, вам нужно установить функцию для записи данных (CURLOPT_WRITEFUNCTION) и кусок памяти (CURLOPT_WRITEDATA).

Полный пример адаптирован из [1] а также [2]:

#include <stdio.h>
#include <stdlib.h>
#include <string.h>

#include <curl/curl.h>

struct MemoryStruct {
char *memory;
size_t size;
};

static size_t
WriteMemoryCallback(void *contents, size_t size, size_t nmemb, void *userp)
{
size_t realsize = size * nmemb;
struct MemoryStruct *mem = (struct MemoryStruct *)userp;

mem->memory = (char *)realloc(mem->memory, mem->size + realsize + 1);
if(mem->memory == NULL) {
/* out of memory! */
printf("not enough memory (realloc returned NULL)\n");
return 0;
}

memcpy(&(mem->memory[mem->size]), contents, realsize);
mem->size += realsize;
mem->memory[mem->size] = 0;

return realsize;
}

int main(void)
{
curl_global_init(CURL_GLOBAL_ALL);

/* init the curl session */
CURL curl = curl_easy_init();
if(curl) {
CURLcode res;

struct MemoryStruct chunk;

chunk.memory = (char *)malloc(1);  /* will be grown as needed by the realloc above */
chunk.size = 0;    /* no data at this point */

char errbuf[CURL_ERROR_SIZE];

/* specify URL to get */
curl_easy_setopt(curl, CURLOPT_URL, "http://example.com");

/* send all data to this function  */
curl_easy_setopt(curl, CURLOPT_WRITEFUNCTION, WriteMemoryCallback);

/* we pass our 'chunk' struct to the callback function */
curl_easy_setopt(curl, CURLOPT_WRITEDATA, (void *)&chunk);

/* force curl to fail error when http code >= 300 */
curl_easy_setopt(curl, CURLOPT_FAILONERROR, 1L);

/* provide a buffer to store errors in */
curl_easy_setopt(curl, CURLOPT_ERRORBUFFER, errbuf);

/* set the error buffer as empty before performing a request */
errbuf[0] = 0;

/* perform the request */
res = curl_easy_perform(curl);

/* if the request did not complete correctly, show the error
information. if no detailed error information was written to errbuf
show the more generic information from curl_easy_strerror instead.
*/
if(res != CURLE_OK) {
size_t len = strlen(errbuf);
fprintf(stderr, "\nlibcurl: (%d) ", res);
if(len)
fprintf(stderr, "%s%s", errbuf,
((errbuf[len - 1] != '\n') ? "\n" : ""));
else
fprintf(stderr, "%s\n", curl_easy_strerror(res));
}
else {
/*
* Now, our chunk.memory points to a memory block that is chunk.size
* bytes big and contains the remote file.
*
* Do something nice with it!
*/

printf("%lu bytes retrieved\n", (long)chunk.size);
}

/* cleanup curl stuff */
curl_easy_cleanup(curl);

free(chunk.memory);

}

/* we're done with libcurl, so clean it up */
curl_global_cleanup();

return 0;
}
1

Другие решения

Других решений пока нет …

По вопросам рекламы [email protected]