Fix using CURLOPT_XFERINFOFUNCTION curl option
[libisds.git] / src / soap.c
blobf485f4f3c00d8537f003f972dab8e068e2bdf433
1 #include "isds_priv.h"
2 #include "soap.h"
3 #include "utils.h"
4 #include <stdlib.h>
5 #include <string.h>
6 #include <strings.h> /* strncasecmp(3) */
7 #include "system.h"
9 /* Private structure for write_body() call back */
10 struct soap_body {
11 void *data;
12 size_t length;
15 /* Private structure for write_header() call back */
16 struct auth_headers {
17 _Bool is_complete; /* Response has finished, next iteration is new
18 response, values become obsolete. */
19 char *last_header; /* Temporary storage for previous unfinished header */
20 char *method; /* WWW-Authenticate value */
21 char *code; /* X-Response-message-code value */
22 isds_otp_resolution resolution; /* Decoded .code member */
23 char *message; /* X-Response-message-text value */
24 char *redirect; /* Redirect URL */
28 /* Deallocate content of struct auth_headers */
29 static void auth_headers_free(struct auth_headers *headers) {
30 zfree(headers->last_header);
31 zfree(headers->method);
32 zfree(headers->code);
33 zfree(headers->message);
34 zfree(headers->redirect);
38 /* If given @line is HTTP header of @name,
39 * return pointer to the header value. Otherwise return NULL.
40 * @name is header name without name---value separator, terminated with 0. */
41 static const char *header_value(const char *line, const char *name) {
42 const char *value;
43 if (line == NULL || name == NULL) return NULL;
45 for (value = line; ; value++, name++) {
46 if (*value == '\0') return NULL; /* Line too short */
47 if (*name == '\0') break; /* Name matches */
48 if (*name != *value) return NULL; /* Name does not match */
51 /* Check separator. RFC2616, section 4.2 requires collon only. */
52 if (*value++ != ':') return NULL;
54 return value;
58 /* Try to decode header value per RFC 2047.
59 * @prepend_space is true if a space should be inserted before decoded word
60 * into @output in case the word has been decoded successfully.
61 * @input is zero terminated input, it's updated to point all consumed
62 * input - 1.
63 * @output is buffer to store decoded value, it's updated to point after last
64 * written character. The buffer must be preallocated.
65 * @return 0 if input has been successfully decoded, then @input and @output
66 * poineres will be updated. Otherwise return non-zero value and keeps
67 * argument pointers and memory unchanged. */
68 static int try_rfc2047_decode(_Bool prepend_space, const char **input,
69 char **output) {
70 const char *encoded;
71 const char *charset_start, *encoding, *end;
72 size_t charset_length;
73 char *charset = NULL;
74 /* ISDS prescribes B encoding only, but RFC 2047 requires to support Q
75 * encoding too. ISDS prescribes UTF-8 charset only, RFC requiers to
76 * support any MIME charset. */
77 if (input == NULL || *input == NULL || output == NULL || *output == NULL)
78 return -1;
80 /* Start is "=?" */
81 encoded = *input;
82 if (encoded[0] != '=' || encoded[1] != '?')
83 return -1;
85 /* Then is "CHARSET?" */
86 charset_start = (encoded += 2);
87 while (*encoded != '?') {
88 if (*encoded == '\0')
89 return -1;
90 if (*encoded == ' ' || *encoded == '\t' || *encoded == '\r' || *encoded == '\n')
91 return -1;
92 encoded++;
94 encoded++;
96 /* Then is "ENCODING?", where ENCODING is /[BbQq]/ */
97 if (*encoded == '\0') return -1;
98 encoding = encoded++;
99 if (*encoded != '?')
100 return -1;
101 encoded++;
103 /* Then is "ENCODED_TEXT?=" */
104 while (*encoded != '?') {
105 if (*encoded == '\0')
106 return -1;
107 if (*encoded == ' ' || *encoded == '\t' || *encoded == '\r' || *encoded == '\n')
108 return -1;
109 encoded++;
111 end = encoded;
112 if (*(++encoded) != '=') return -1;
114 /* Now pointers are:
115 * "=?CHARSET?E?ENCODED_TEXT?="
116 * | | | ||
117 * | | | |\- encoded
118 * | | | \- end
119 * | | \- encoding
120 * | \- charset_start
121 * \- *input
124 charset_length = encoding - charset_start - 1;
125 if (charset_length < 1)
126 return -1;
127 charset = strndup(charset_start, charset_length);
128 if (charset == NULL)
129 return -1;
131 /* Decode encoding */
132 char *bit_stream = NULL;
133 size_t bit_length = 0;
134 size_t encoding_length = end - encoding - 2;
136 if (*encoding == 'B') {
137 /* Decode Base-64 */
138 char *b64_stream = NULL;
139 if (NULL == (b64_stream =
140 malloc((encoding_length + 1) * sizeof(*encoding)))) {
141 free(charset);
142 return -1;
144 memcpy(b64_stream, encoding + 2, encoding_length);
145 b64_stream[encoding_length] = '\0';
146 bit_length = _isds_b64decode(b64_stream, (void **)&bit_stream);
147 free(b64_stream);
148 if (bit_length == (size_t) -1) {
149 free(charset);
150 return -1;
152 } else if (*encoding == 'Q') {
153 /* Decode Quoted-printable-like */
154 if (NULL == (bit_stream =
155 malloc((encoding_length) * sizeof(*encoding)))) {
156 free(charset);
157 return -1;
159 for (size_t q = 2; q < encoding_length + 2; q++) {
160 if (encoding[q] == '_') {
161 bit_stream[bit_length] = '\x20';
162 } else if (encoding[q] == '=') {
163 int ordinar;
164 /* Validate "=HH", where H is hexadecimal digit */
165 if (q + 2 >= encoding_length + 2 ) {
166 free(bit_stream);
167 free(charset);
168 return -1;
170 /* Convert =HH */
171 if ((ordinar = _isds_hex2i(encoding[++q])) < 0) {
172 free(bit_stream);
173 free(charset);
174 return -1;
176 bit_stream[bit_length] = (ordinar << 4);
177 if ((ordinar = _isds_hex2i(encoding[++q])) < 0) {
178 free(bit_stream);
179 free(charset);
180 return -1;
182 bit_stream[bit_length] += ordinar;
183 } else {
184 bit_stream[bit_length] = encoding[q];
186 bit_length++;
188 } else {
189 /* Unknown encoding */
190 free(charset);
191 return -1;
194 /* Convert to UTF-8 */
195 char *utf_stream = NULL;
196 size_t utf_length;
197 utf_length = _isds_any2any(charset, "UTF-8", bit_stream, bit_length,
198 (void **)&utf_stream);
199 free(bit_stream);
200 free(charset);
201 if (utf_length == (size_t) -1) {
202 return -1;
205 /* Copy UTF-8 stream to output buffer */
206 if (prepend_space) {
207 **output = ' ';
208 (*output)++;
210 memcpy(*output, utf_stream, utf_length);
211 free(utf_stream);
212 *output += utf_length;
214 *input = encoded;
215 return 0;
219 /* Decode HTTP header value per RFC 2047.
220 * @encoded_value is encoded HTTP header value terminated with NUL. It can
221 * contain HTTP LWS separators that will be replaced with a space.
222 * @return newly allocated decoded value without EOL, or return NULL. */
223 static char *decode_header_value(const char *encoded_value) {
224 char *decoded = NULL, *decoded_cursor;
225 size_t content_length;
226 _Bool text_started = 0, lws_seen = 0, encoded_word_seen = 0;
228 if (encoded_value == NULL) return NULL;
229 content_length = strlen(encoded_value);
231 /* A character can occupy up to 6 bytes in UTF-8 */
232 decoded = malloc(content_length * 6 + 1);
233 if (decoded == NULL) {
234 /* ENOMEM */
235 return NULL;
238 /* Decode */
239 /* RFC 2616, section 4.2: Remove surrounding LWS, replace inner ones with
240 * a space. */
241 /* RFC 2047, section 6.2: LWS between adjacent encoded words is ignored.
242 * */
243 for (decoded_cursor = decoded; *encoded_value; encoded_value++) {
244 if (*encoded_value == '\r' || *encoded_value == '\n' ||
245 *encoded_value == '\t' || *encoded_value == ' ') {
246 lws_seen = 1;
247 continue;
249 if (*encoded_value == '=' &&
250 !try_rfc2047_decode(
251 lws_seen && text_started && !encoded_word_seen,
252 &encoded_value, &decoded_cursor)) {
253 encoded_word_seen = 1;
254 } else {
255 if (lws_seen && text_started)
256 *(decoded_cursor++) = ' ';
257 *(decoded_cursor++) = *encoded_value;
258 encoded_word_seen = 0;
260 lws_seen = 0;
261 text_started = 1;
263 *decoded_cursor = '\0';
265 return decoded;
269 /* Return true, if server requests OTP authorization method that client
270 * requested. Otherwise return false.
271 * @client_method is method client requested
272 * @server_method is value of WWW-Authenticate header */
273 /*static _Bool otp_method_matches(const isds_otp_method client_method,
274 const char *server_method) {
275 char *method_name = NULL;
277 switch (client_method) {
278 case OTP_HMAC: method_name = "hotp"; break;
279 case OTP_TIME: method_name = "totp"; break;
280 default: return 0;
283 if (!strncmp(server_method, method_name, 4) && (
284 server_method[4] == '\0' || server_method[4] == ' ' ||
285 server_method[4] == '\t'))
286 return 1;
287 return 0;
291 /* Convert UTF-8 @string to HTTP OTP resolution enum type.
292 * @Return corresponding value or OTP_RESOLUTION_UNKNOWN if @string is not
293 * defined or unknown value. */
294 static isds_otp_resolution string2isds_otp_resolution(const char *string) {
295 if (string == NULL)
296 return OTP_RESOLUTION_UNKNOWN;
297 else if (!strcmp(string, "authentication.info.totpSended"))
298 return OTP_RESOLUTION_TOTP_SENT;
299 else if (!strcmp(string, "authentication.error.userIsNotAuthenticated"))
300 return OTP_RESOLUTION_BAD_AUTHENTICATION;
301 else if (!strcmp(string, "authentication.error.intruderDetected"))
302 return OTP_RESOLUTION_ACCESS_BLOCKED;
303 else if (!strcmp(string, "authentication.error.paswordExpired"))
304 return OTP_RESOLUTION_PASSWORD_EXPIRED;
305 else if (!strcmp(string, "authentication.info.cannotSendQuickly"))
306 return OTP_RESOLUTION_TO_FAST;
307 else if (!strcmp(string, "authentication.error.badRole"))
308 return OTP_RESOLUTION_UNAUTHORIZED;
309 else if (!strcmp(string, "authentication.info.totpNotSended"))
310 return OTP_RESOLUTION_TOTP_NOT_SENT;
311 else
312 return OTP_RESOLUTION_UNKNOWN;
316 /* Close connection to server and destroy CURL handle associated
317 * with @context */
318 _hidden isds_error _isds_close_connection(struct isds_ctx *context) {
319 if (!context) return IE_INVALID_CONTEXT;
321 if (context->curl) {
322 curl_easy_cleanup(context->curl);
323 context->curl = NULL;
324 isds_log(ILF_HTTP, ILL_DEBUG, _("Connection to server %s closed\n"),
325 context->url);
326 return IE_SUCCESS;
327 } else {
328 return IE_CONNECTION_CLOSED;
333 /* Remove username and password from context CURL handle. */
334 static isds_error unset_http_authorization(struct isds_ctx *context) {
335 isds_error error = IE_SUCCESS;
337 if (context == NULL) return IE_INVALID_CONTEXT;
338 if (context->curl == NULL) return IE_CONNECTION_CLOSED;
340 #if HAVE_DECL_CURLOPT_USERNAME /* Since curl-7.19.1 */
341 if (curl_easy_setopt(context->curl, CURLOPT_USERNAME, NULL))
342 error = IE_ERROR;
343 if (curl_easy_setopt(context->curl, CURLOPT_PASSWORD, NULL))
344 error = IE_ERROR;
345 #else
346 if (curl_easy_setopt(context->curl, CURLOPT_USERPWD, NULL))
347 error = IE_ERROR;
348 #endif /* not HAVE_DECL_CURLOPT_USERNAME */
350 if (error)
351 isds_log(ILF_HTTP, ILL_ERR, _("Error while unsetting user name and "
352 "password from CURL handle for connection to server %s.\n"),
353 context->url);
354 else
355 isds_log(ILF_HTTP, ILL_DEBUG, _("User name and password for server %s "
356 "have been unset from CURL handle.\n"), context->url);
357 return error;
361 /* CURL call back function called when chunk of HTTP response body is available.
362 * @buffer points to new data
363 * @size * @nmemb is length of the chunk in bytes. Zero means empty body.
364 * @userp is private structure.
365 * Must return the length of the chunk, otherwise CURL will signal
366 * CURL_WRITE_ERROR. */
367 static size_t write_body(void *buffer, size_t size, size_t nmemb, void *userp) {
368 struct soap_body *body = (struct soap_body *) userp;
369 void *new_data;
371 /* FIXME: Check for (size * nmemb + body->lengt) !> SIZE_T_MAX.
372 * Precompute the product then. */
374 if (!body) return 0; /* This should never happen */
375 if (0 == (size * nmemb)) return 0; /* Empty body */
377 new_data = realloc(body->data, body->length + size * nmemb);
378 if (!new_data) return 0;
380 memcpy(new_data + body->length, buffer, size * nmemb);
382 body->data = new_data;
383 body->length += size * nmemb;
385 return (size * nmemb);
389 /* CURL call back function called when a HTTP response header is available.
390 * This is called for each header even if reply consists of more responses.
391 * @buffer points to new header (no zero terminator, but HTTP EOL is included)
392 * @size * @nmemb is length of the header in bytes
393 * @userp is private structure.
394 * Must return the length of the header, otherwise CURL will signal
395 * CURL_WRITE_ERROR. */
396 static size_t write_header(void *buffer, size_t size, size_t nmemb, void *userp) {
397 struct auth_headers *headers = (struct auth_headers *) userp;
398 size_t length;
399 const char *value;
401 /* FIXME: Check for (size * nmemb) !> SIZE_T_MAX.
402 * Precompute the product then. */
403 length = size * nmemb;
405 if (NULL == headers) return 0; /* This should never happen */
406 if (0 == length) {
407 /* ??? Is this the empty line delimiter? */
408 return 0; /* Empty headers */
411 /* New response, invalide authentication headers. */
412 /* XXX: Chunked encoding trailer is not supported */
413 if (headers->is_complete) auth_headers_free(headers);
415 /* Append continuation to multi-line header */
416 if (*(char *)buffer == ' ' || *(char *)buffer == '\t') {
417 if (headers->last_header != NULL) {
418 size_t old_length = strlen(headers->last_header);
419 char *longer_header = realloc(headers->last_header, old_length + length);
420 if (longer_header == NULL) {
421 /* ENOMEM */
422 return 0;
424 strncpy(longer_header + old_length, (char*)buffer + 1, length - 1);
425 longer_header[old_length + length - 1] = '\0';
426 headers->last_header = longer_header;
427 } else {
428 /* Invalid continuation without starting header will be skipped. */
429 isds_log(ILF_HTTP, ILL_WARNING,
430 _("HTTP header continuation without starting header has "
431 "been encountered. Skipping invalid HTTP response "
432 "line.\n"));
434 goto leave;
437 /* Decode last header */
438 value = header_value(headers->last_header, "WWW-Authenticate");
439 if (value != NULL) {
440 free(headers->method);
441 if (NULL == (headers->method = decode_header_value(value))) {
442 /* TODO: Set IE_NOMEM to context */
443 return 0;
445 goto store;
448 value = header_value(headers->last_header, "X-Response-message-code");
449 if (value != NULL) {
450 free(headers->code);
451 if (NULL == (headers->code = decode_header_value(value))) {
452 /* TODO: Set IE_NOMEM to context */
453 return 0;
455 goto store;
458 value = header_value(headers->last_header, "X-Response-message-text");
459 if (value != NULL) {
460 free(headers->message);
461 if (NULL == (headers->message = decode_header_value(value))) {
462 /* TODO: Set IE_NOMEM to context */
463 return 0;
465 goto store;
468 store:
469 /* Last header decoded, free it */
470 zfree(headers->last_header);
472 if (!strncmp(buffer, "\r\n", length)) {
473 /* Current line is header---body separator */
474 headers->is_complete = 1;
475 goto leave;
476 } else {
477 /* Current line is new header, store it */
478 headers->last_header = malloc(length + 1);
479 if (headers->last_header == NULL) {
480 /* TODO: Set IE_NOMEM to context */
481 return 0;
483 memcpy(headers->last_header, buffer, length);
484 headers->last_header[length] = '\0';
487 leave:
488 return (length);
492 /* CURL progress callback proxy to rearrange arguments.
493 * @curl_data is session context */
494 static int progress_proxy(void *curl_data,
495 #if HAVE_DECL_CURLOPT_XFERINFOFUNCTION /* Since curl-7.32.0 */
496 curl_off_t download_total, curl_off_t download_current,
497 curl_off_t upload_total, curl_off_t upload_current
498 #else
499 double download_total, double download_current,
500 double upload_total, double upload_current
501 #endif /* not HAVE_DECL_CURLOPT_XFERINFOFUNCTION */
503 struct isds_ctx *context = (struct isds_ctx *) curl_data;
504 int abort = 0;
506 if (context && context->progress_callback) {
507 abort = context->progress_callback(
508 upload_total, upload_current,
509 download_total, download_current,
510 context->progress_callback_data);
511 if (abort) {
512 isds_log(ILF_HTTP, ILL_INFO,
513 _("Application aborted HTTP transfer"));
517 return abort;
521 /* CURL call back function called when curl has something to log.
522 * @curl is cURL context
523 * @type is cURL log facility
524 * @buffer points to log data, XXX: not zero-terminated
525 * @size is length of log data
526 * @userp is private structure.
527 * Must return 0. */
528 static int log_curl(CURL *curl, curl_infotype type, char *buffer, size_t size,
529 void *userp) {
530 /* Silent warning about usused arguments.
531 * This prototype is cURL's debug_callback type. */
532 (void)curl;
533 (void)userp;
535 if (!buffer || 0 == size) return 0;
536 if (type == CURLINFO_TEXT || type == CURLINFO_HEADER_IN ||
537 type == CURLINFO_HEADER_OUT)
538 isds_log(ILF_HTTP, ILL_DEBUG, "%*s", size, buffer);
539 return 0;
543 /* Do HTTP request.
544 * @context holds the base URL,
545 * @url is a (CGI) file of SOAP URL,
546 * @use_get is a false to do a POST request, true to do a GET request.
547 * @request is body for POST request
548 * @request_length is length of @request in bytes
549 * @reponse is automatically reallocated() buffer to fit HTTP response with
550 * @response_length (does not need to match allocated memory exactly). You must
551 * free() the @response.
552 * @mime_type is automatically allocated MIME type send by server (*NULL if not
553 * sent). Set NULL if you don't care.
554 * @charset is charset of the body signaled by server. The same constrains
555 * like on @mime_type apply.
556 * @http_code is final HTTP code returned by server. This can be 200, 401, 500
557 * or any other one. Pass NULL if you don't interest.
558 * In case of error, the response memory, MIME type, charset and length will be
559 * deallocated and zeroed automatically. Thus be sure they are preallocated or
560 * they points to NULL.
561 * @response_otp_headers is pre-allocated structure for OTP authentication
562 * headers sent by server. Members must be valid pointers or NULLs.
563 * Pass NULL if you don't interest.
564 * Be ware that successful return value does not mean the HTTP request has
565 * been accepted by the server. You must consult @http_code. OTOH, failure
566 * return value means the request could not been sent (e.g. SSL error).
567 * Side effect: message buffer */
568 static isds_error http(struct isds_ctx *context,
569 const char *url, _Bool use_get,
570 const void *request, const size_t request_length,
571 void **response, size_t *response_length,
572 char **mime_type, char **charset, long *http_code,
573 struct auth_headers *response_otp_headers) {
575 CURLcode curl_err;
576 isds_error err = IE_SUCCESS;
577 struct soap_body body;
578 char *content_type;
579 struct curl_slist *headers = NULL;
582 if (!context) return IE_INVALID_CONTEXT;
583 if (!url) return IE_INVAL;
584 if (request_length > 0 && !request) return IE_INVAL;
585 if (!response || !response_length) return IE_INVAL;
587 /* Clean authentication headers */
589 /* Set the body here to allow deallocation in leave block */
590 body.data = *response;
591 body.length = 0;
593 /* Set Request-URI */
594 curl_err = curl_easy_setopt(context->curl, CURLOPT_URL, url);
596 /* Set TLS options */
597 if (!curl_err && context->tls_verify_server) {
598 if (!*context->tls_verify_server)
599 isds_log(ILF_SEC, ILL_WARNING,
600 _("Disabling server identity verification. "
601 "That was your decision.\n"));
602 curl_err = curl_easy_setopt(context->curl, CURLOPT_SSL_VERIFYPEER,
603 (*context->tls_verify_server)? 1L : 0L);
604 if (!curl_err) {
605 curl_err = curl_easy_setopt(context->curl, CURLOPT_SSL_VERIFYHOST,
606 (*context->tls_verify_server)? 2L : 0L);
609 if (!curl_err && context->tls_ca_file) {
610 isds_log(ILF_SEC, ILL_INFO,
611 _("CA certificates will be searched in `%s' file since now\n"),
612 context->tls_ca_file);
613 curl_err = curl_easy_setopt(context->curl, CURLOPT_CAINFO,
614 context->tls_ca_file);
616 if (!curl_err && context->tls_ca_dir) {
617 isds_log(ILF_SEC, ILL_INFO,
618 _("CA certificates will be searched in `%s' directory "
619 "since now\n"), context->tls_ca_dir);
620 curl_err = curl_easy_setopt(context->curl, CURLOPT_CAPATH,
621 context->tls_ca_dir);
623 if (!curl_err && context->tls_crl_file) {
624 #if HAVE_DECL_CURLOPT_CRLFILE /* Since curl-7.19.0 */
625 isds_log(ILF_SEC, ILL_INFO,
626 _("CRLs will be searched in `%s' file since now\n"),
627 context->tls_crl_file);
628 curl_err = curl_easy_setopt(context->curl, CURLOPT_CRLFILE,
629 context->tls_crl_file);
630 #else
631 isds_log(ILF_SEC, ILL_WARNING,
632 _("Your curl library cannot pass certificate revocation "
633 "list to cryptographic library.\n"
634 "Make sure cryptographic library default setting "
635 "delivers proper CRLs,\n"
636 "or upgrade curl.\n"));
637 #endif /* not HAVE_DECL_CURLOPT_CRLFILE */
641 if ((NULL == context->mep_credentials) || (NULL == context->mep_credentials->intermediate_uri)) {
642 /* Don't set credentials in intermediate mobile key login state. */
643 /* Set credentials */
644 #if HAVE_DECL_CURLOPT_USERNAME /* Since curl-7.19.1 */
645 if (!curl_err && context->username) {
646 curl_err = curl_easy_setopt(context->curl, CURLOPT_USERNAME,
647 context->username);
649 if (!curl_err && context->password) {
650 curl_err = curl_easy_setopt(context->curl, CURLOPT_PASSWORD,
651 context->password);
653 #else
654 if (!curl_err && (context->username || context->password)) {
655 char *userpwd =
656 _isds_astrcat3(context->username, ":", context->password);
657 if (!userpwd) {
658 isds_log_message(context, _("Could not pass credentials to CURL"));
659 err = IE_NOMEM;
660 goto leave;
662 curl_err = curl_easy_setopt(context->curl, CURLOPT_USERPWD, userpwd);
663 free(userpwd);
665 #endif /* not HAVE_DECL_CURLOPT_USERNAME */
668 /* Set PKI credentials */
669 if (!curl_err && (context->pki_credentials)) {
670 if (context->pki_credentials->engine) {
671 /* Select SSL engine */
672 isds_log(ILF_SEC, ILL_INFO,
673 _("Cryptographic engine `%s' will be used for "
674 "key or certificate\n"),
675 context->pki_credentials->engine);
676 curl_err = curl_easy_setopt(context->curl, CURLOPT_SSLENGINE,
677 context->pki_credentials->engine);
680 if (!curl_err) {
681 /* Select certificate format */
682 #if HAVE_DECL_CURLOPT_SSLCERTTYPE /* since curl-7.9.3 */
683 if (context->pki_credentials->certificate_format ==
684 PKI_FORMAT_ENG) {
685 /* XXX: It's valid to have certificate in engine without name.
686 * Engines can select certificate according private key and
687 * vice versa. */
688 if (context->pki_credentials->certificate)
689 isds_log(ILF_SEC, ILL_INFO, _("Client `%s' certificate "
690 "will be read from `%s' engine\n"),
691 context->pki_credentials->certificate,
692 context->pki_credentials->engine);
693 else
694 isds_log(ILF_SEC, ILL_INFO, _("Client certificate "
695 "will be read from `%s' engine\n"),
696 context->pki_credentials->engine);
697 curl_err = curl_easy_setopt(context->curl, CURLOPT_SSLCERTTYPE,
698 "ENG");
699 } else if (context->pki_credentials->certificate) {
700 isds_log(ILF_SEC, ILL_INFO, _("Client %s certificate "
701 "will be read from `%s' file\n"),
702 (context->pki_credentials->certificate_format ==
703 PKI_FORMAT_DER) ? _("DER") : _("PEM"),
704 context->pki_credentials->certificate);
705 curl_err = curl_easy_setopt(context->curl, CURLOPT_SSLCERTTYPE,
706 (context->pki_credentials->certificate_format ==
707 PKI_FORMAT_DER) ? "DER" : "PEM");
709 #else
710 if ((context->pki_credentials->certificate_format ==
711 PKI_FORMAT_ENG ||
712 context->pki_credentials->certificate))
713 isds_log(ILF_SEC, ILL_WARNING,
714 _("Your curl library cannot distinguish certificate "
715 "formats. Make sure your cryptographic library\n"
716 "understands your certificate file by default, "
717 "or upgrade curl.\n"));
718 #endif /* not HAVE_DECL_CURLOPT_SSLCERTTYPE */
721 if (!curl_err && context->pki_credentials->certificate) {
722 /* Select certificate */
723 if (!curl_err)
724 curl_err = curl_easy_setopt(context->curl, CURLOPT_SSLCERT,
725 context->pki_credentials->certificate);
728 if (!curl_err) {
729 /* Select key format */
730 if (context->pki_credentials->key_format == PKI_FORMAT_ENG) {
731 if (context->pki_credentials->key)
732 isds_log(ILF_SEC, ILL_INFO, _("Client private key `%s' "
733 "from `%s' engine will be used\n"),
734 context->pki_credentials->key,
735 context->pki_credentials->engine);
736 else
737 isds_log(ILF_SEC, ILL_INFO, _("Client private key "
738 "from `%s' engine will be used\n"),
739 context->pki_credentials->engine);
740 curl_err = curl_easy_setopt(context->curl, CURLOPT_SSLKEYTYPE,
741 "ENG");
742 } else if (context->pki_credentials->key) {
743 isds_log(ILF_SEC, ILL_INFO, _("Client %s private key will be "
744 "read from `%s' file\n"),
745 (context->pki_credentials->key_format ==
746 PKI_FORMAT_DER) ? _("DER") : _("PEM"),
747 context->pki_credentials->key);
748 curl_err = curl_easy_setopt(context->curl, CURLOPT_SSLKEYTYPE,
749 (context->pki_credentials->key_format ==
750 PKI_FORMAT_DER) ? "DER" : "PEM");
753 if (!curl_err)
754 /* Select key */
755 curl_err = curl_easy_setopt(context->curl, CURLOPT_SSLKEY,
756 context->pki_credentials->key);
758 if (!curl_err) {
759 /* Pass key pass-phrase */
760 #if HAVE_DECL_CURLOPT_KEYPASSWD /* since curl-7.16.5 */
761 curl_err = curl_easy_setopt(context->curl,
762 CURLOPT_KEYPASSWD,
763 context->pki_credentials->passphrase);
764 #elif HAVE_DECL_CURLOPT_SSLKEYPASSWD /* up to curl-7.16.4 */
765 curl_err = curl_easy_setopt(context->curl,
766 CURLOPT_SSLKEYPASSWD,
767 context->pki_credentials->passphrase);
768 #else /* up to curl-7.9.2 */
769 curl_err = curl_easy_setopt(context->curl,
770 CURLOPT_SSLCERTPASSWD,
771 context->pki_credentials->passphrase);
772 #endif
777 /* Set authorization cookie for OTP session */
778 if (!curl_err && (context->otp || context->mep)) {
779 isds_log(ILF_SEC, ILL_INFO,
780 _("Cookies will be stored and sent "
781 "because context has been authorized by OTP or mobile key.\n"));
782 curl_err = curl_easy_setopt(context->curl, CURLOPT_COOKIEFILE, "");
785 /* Set timeout */
786 if (!curl_err) {
787 curl_err = curl_easy_setopt(context->curl, CURLOPT_NOSIGNAL, 1);
789 if (!curl_err && context->timeout) {
790 #if HAVE_DECL_CURLOPT_TIMEOUT_MS /* Since curl-7.16.2 */
791 curl_err = curl_easy_setopt(context->curl, CURLOPT_TIMEOUT_MS,
792 context->timeout);
793 #else
794 curl_err = curl_easy_setopt(context->curl, CURLOPT_TIMEOUT,
795 context->timeout / 1000);
796 #endif /* not HAVE_DECL_CURLOPT_TIMEOUT_MS */
799 /* Register callback */
800 if (context->progress_callback) {
801 if (!curl_err) {
802 curl_err = curl_easy_setopt(context->curl, CURLOPT_NOPROGRESS, 0);
804 if (!curl_err) {
805 #if HAVE_DECL_CURLOPT_XFERINFOFUNCTION /* Since curl-7.32.0 */
806 curl_err = curl_easy_setopt(context->curl,
807 CURLOPT_XFERINFOFUNCTION, progress_proxy);
808 #else
809 curl_err = curl_easy_setopt(context->curl,
810 CURLOPT_PROGRESSFUNCTION, progress_proxy);
811 #endif /* not HAVE_DECL_CURLOPT_XFERINFOFUNCTION */
813 if (!curl_err) {
814 curl_err = curl_easy_setopt(context->curl, CURLOPT_PROGRESSDATA,
815 context);
819 /* Set other CURL features */
820 if (!curl_err) {
821 curl_err = curl_easy_setopt(context->curl, CURLOPT_FAILONERROR, 0);
824 /* Set get-response function */
825 if (!curl_err) {
826 curl_err = curl_easy_setopt(context->curl, CURLOPT_WRITEFUNCTION,
827 write_body);
829 if (!curl_err) {
830 curl_err = curl_easy_setopt(context->curl, CURLOPT_WRITEDATA, &body);
833 /* Set get-response-headers function if needed.
834 * XXX: Both CURLOPT_HEADERFUNCTION and CURLOPT_WRITEHEADER must be set or
835 * unset at the same time (see curl_easy_setopt(3)) ASAP, otherwise old
836 * invalid CURLOPT_WRITEHEADER value could be derefenced. */
837 if (!curl_err) {
838 curl_err = curl_easy_setopt(context->curl, CURLOPT_HEADERFUNCTION,
839 (response_otp_headers == NULL) ? NULL: write_header);
841 if (!curl_err) {
842 curl_err = curl_easy_setopt(context->curl, CURLOPT_WRITEHEADER,
843 response_otp_headers);
846 /* Set MIME types and headers requires by SOAP 1.1.
847 * SOAP 1.1 requires text/xml, SOAP 1.2 requires application/soap+xml.
848 * But suppress sending the headers to proxies first if supported. */
849 #if HAVE_DECL_CURLOPT_HEADEROPT /* since curl-7.37.0 */
850 if (!curl_err) {
851 curl_err = curl_easy_setopt(context->curl, CURLOPT_HEADEROPT,
852 CURLHEADER_SEPARATE);
854 #endif /* HAVE_DECL_CURLOPT_HEADEROPT */
855 if (!curl_err) {
856 headers = curl_slist_append(headers,
857 "Accept: application/soap+xml,application/xml,text/xml");
858 if (!headers) {
859 err = IE_NOMEM;
860 goto leave;
862 headers = curl_slist_append(headers, "Content-Type: text/xml");
863 if (!headers) {
864 err = IE_NOMEM;
865 goto leave;
867 headers = curl_slist_append(headers, "SOAPAction: ");
868 if (!headers) {
869 err = IE_NOMEM;
870 goto leave;
872 curl_err = curl_easy_setopt(context->curl, CURLOPT_HTTPHEADER, headers);
874 if (!curl_err) {
875 /* Set user agent identification */
876 curl_err = curl_easy_setopt(context->curl, CURLOPT_USERAGENT,
877 "libisds/" PACKAGE_VERSION);
880 if (use_get) {
881 /* Set GET request */
882 if (!curl_err) {
883 curl_err = curl_easy_setopt(context->curl, CURLOPT_HTTPGET, 1);
885 } else {
886 /* Set POST request body */
887 if (!curl_err) {
888 curl_err = curl_easy_setopt(context->curl, CURLOPT_POST, 1);
890 if (!curl_err) {
891 curl_err = curl_easy_setopt(context->curl, CURLOPT_POSTFIELDS, request);
893 if (!curl_err) {
894 curl_err = curl_easy_setopt(context->curl, CURLOPT_POSTFIELDSIZE,
895 request_length);
900 /* Debug cURL if requested */
901 _Bool debug_curl =
902 ((log_facilities & ILF_HTTP) && (log_level >= ILL_DEBUG));
903 if (!curl_err) {
904 curl_err = curl_easy_setopt(context->curl, CURLOPT_VERBOSE,
905 (debug_curl) ? 1 : 0);
907 if (!curl_err) {
908 curl_err = curl_easy_setopt(context->curl, CURLOPT_DEBUGFUNCTION,
909 (debug_curl) ? log_curl : NULL);
913 /* Check for errors so far */
914 if (curl_err) {
915 isds_log_message(context, curl_easy_strerror(curl_err));
916 err = IE_NETWORK;
917 goto leave;
920 isds_log(ILF_HTTP, ILL_DEBUG, _("Sending %s request to <%s>\n"),
921 use_get ? "GET" : "POST", url);
922 if (!use_get) {
923 isds_log(ILF_HTTP, ILL_DEBUG,
924 _("POST body length: %zu, content follows:\n"), request_length);
925 if (_isds_sizet2int(request_length) >= 0 ) {
926 isds_log(ILF_HTTP, ILL_DEBUG, "%.*s\n",
927 _isds_sizet2int(request_length), request);
929 isds_log(ILF_HTTP, ILL_DEBUG, _("End of POST body\n"));
933 /* Do the request */
934 curl_err = curl_easy_perform(context->curl);
936 if (!curl_err)
937 curl_err = curl_easy_getinfo(context->curl, CURLINFO_CONTENT_TYPE,
938 &content_type);
940 if (curl_err) {
941 /* TODO: Use curl_easy_setopt(CURLOPT_ERRORBUFFER) to obtain detailed
942 * error message. */
943 /* TODO: CURL is not internationalized yet. Collect CURL messages for
944 * I18N. */
945 isds_printf_message(context,
946 _("%s: %s"), url, _(curl_easy_strerror(curl_err)));
947 if (curl_err == CURLE_ABORTED_BY_CALLBACK)
948 err = IE_ABORTED;
949 else if (
950 curl_err == CURLE_SSL_CONNECT_ERROR ||
951 curl_err == CURLE_SSL_ENGINE_NOTFOUND ||
952 curl_err == CURLE_SSL_ENGINE_SETFAILED ||
953 curl_err == CURLE_SSL_CERTPROBLEM ||
954 curl_err == CURLE_SSL_CIPHER ||
955 curl_err == CURLE_SSL_CACERT ||
956 curl_err == CURLE_USE_SSL_FAILED ||
957 curl_err == CURLE_SSL_ENGINE_INITFAILED ||
958 curl_err == CURLE_SSL_CACERT_BADFILE ||
959 curl_err == CURLE_SSL_SHUTDOWN_FAILED ||
960 curl_err == CURLE_SSL_CRL_BADFILE ||
961 curl_err == CURLE_SSL_ISSUER_ERROR
963 err = IE_SECURITY;
964 else
965 err = IE_NETWORK;
966 goto leave;
969 isds_log(ILF_HTTP, ILL_DEBUG, _("Final response to %s received\n"), url);
970 isds_log(ILF_HTTP, ILL_DEBUG,
971 _("Response body length: %zu, content follows:\n"),
972 body.length);
973 if (_isds_sizet2int(body.length) >= 0) {
974 isds_log(ILF_HTTP, ILL_DEBUG, "%.*s\n",
975 _isds_sizet2int(body.length), body.data);
977 isds_log(ILF_HTTP, ILL_DEBUG, _("End of response body\n"));
980 /* Extract MIME type and charset */
981 if (content_type) {
982 char *sep;
983 size_t offset;
985 sep = strchr(content_type, ';');
986 if (sep) offset = (size_t) (sep - content_type);
987 else offset = strlen(content_type);
989 if (mime_type) {
990 *mime_type = malloc(offset + 1);
991 if (!*mime_type) {
992 err = IE_NOMEM;
993 goto leave;
995 memcpy(*mime_type, content_type, offset);
996 (*mime_type)[offset] = '\0';
999 if (charset) {
1000 if (!sep) {
1001 *charset = NULL;
1002 } else {
1003 sep = strstr(sep, "charset=");
1004 if (!sep) {
1005 *charset = NULL;
1006 } else {
1007 *charset = strdup(sep + 8);
1008 if (!*charset) {
1009 err = IE_NOMEM;
1010 goto leave;
1017 /* Get HTTP response code */
1018 if (http_code) {
1019 curl_err = curl_easy_getinfo(context->curl,
1020 CURLINFO_RESPONSE_CODE, http_code);
1021 if (curl_err) {
1022 err = IE_ERROR;
1023 goto leave;
1027 /* Store OTP authentication results */
1028 if (response_otp_headers && response_otp_headers->is_complete) {
1029 isds_log(ILF_SEC, ILL_DEBUG,
1030 _("OTP authentication headers received: "
1031 "method=%s, code=%s, message=%s\n"),
1032 response_otp_headers->method, response_otp_headers->code,
1033 response_otp_headers->message);
1035 /* XXX: Don't make unknown code fatal. Missing code can be success if
1036 * HTTP code is 302. This is checked in _isds_soap(). */
1037 response_otp_headers->resolution =
1038 string2isds_otp_resolution(response_otp_headers->code);
1040 if (response_otp_headers->message != NULL) {
1041 char *message_locale = _isds_utf82locale(response_otp_headers->message);
1042 /* _isds_utf82locale() return NULL on inconverable string. Do not
1043 * panic on it.
1044 * TODO: Escape such characters.
1045 * if (message_locale == NULL) {
1046 err = IE_NOMEM;
1047 goto leave;
1049 isds_printf_message(context,
1050 _("Server returned OTP authentication message: %s"),
1051 message_locale);
1052 free(message_locale);
1055 char *next_url = NULL; /* Weak pointer managed by cURL */
1056 curl_err = curl_easy_getinfo(context->curl, CURLINFO_REDIRECT_URL,
1057 &next_url);
1058 if (curl_err) {
1059 err = IE_ERROR;
1060 goto leave;
1062 if (next_url != NULL) {
1063 isds_log(ILF_SEC, ILL_DEBUG,
1064 _("OTP authentication headers redirect to: <%s>\n"),
1065 next_url);
1066 free(response_otp_headers->redirect);
1067 response_otp_headers->redirect = strdup(next_url);
1068 if (response_otp_headers->redirect == NULL) {
1069 err = IE_NOMEM;
1070 goto leave;
1074 leave:
1075 curl_slist_free_all(headers);
1077 if (err) {
1078 free(body.data);
1079 body.data = NULL;
1080 body.length = 0;
1082 if (mime_type) {
1083 free(*mime_type);
1084 *mime_type = NULL;
1086 if (charset) {
1087 free(*charset);
1088 *charset = NULL;
1091 if (err != IE_ABORTED) _isds_close_connection(context);
1094 *response = body.data;
1095 *response_length = body.length;
1097 return err;
1100 /* Converts numeric server response when periodically checking for MEP
1101 * authentication status.
1102 * @str String containing the numeric server response value
1103 * @len String length
1104 * @return server response code or MEP_RESOLUTION_UNKNOWN if the code was not
1105 * recognised. */
1106 static isds_mep_resolution mep_ws_state_response(const char *str, size_t len) {
1107 isds_mep_resolution res = MEP_RESOLUTION_UNKNOWN; /* Default error. */
1109 if ((str == NULL) || (len == 0)) {
1110 return res;
1112 /* Ensure trailing '\0' character. */
1113 char *tmp_str = malloc(len + 1);
1114 if (tmp_str == NULL) {
1115 return res;
1117 memcpy(tmp_str, str, len);
1118 tmp_str[len] = '\0';
1120 char *endptr;
1121 long num = strtol(tmp_str, &endptr, 10);
1122 if (*endptr != '\0' || LONG_MIN == num || LONG_MAX == num) {
1123 return res;
1126 switch (num) {
1127 case -1:
1128 res = MEP_RESOLUTION_UNRECOGNISED;
1129 break;
1130 case 1:
1131 res = MEP_RESOLUTION_ACK_REQUESTED;
1132 break;
1133 case 2:
1134 res = MEP_RESOLUTION_ACK;
1135 break;
1136 case 3:
1137 res = MEP_RESOLUTION_ACK_EXPIRED;
1138 break;
1139 default:
1140 break;
1143 free(tmp_str);
1145 return res;
1149 /* Build SOAP request.
1150 * @context needed for error logging,
1151 * @request is XML node set with SOAP request body,
1152 * @http_request_ptr the address of a pointer to an automatically allocated
1153 * buffer to which the request data are written.
1155 static isds_error build_http_request(struct isds_ctx *context,
1156 const xmlNodePtr request, xmlBufferPtr *http_request_ptr) {
1158 isds_error err = IE_SUCCESS;
1159 xmlBufferPtr http_request = NULL;
1160 xmlSaveCtxtPtr save_ctx = NULL;
1161 xmlDocPtr request_soap_doc = NULL;
1162 xmlNodePtr request_soap_envelope = NULL, request_soap_body = NULL;
1163 xmlNsPtr soap_ns = NULL;
1165 if (NULL == context) {
1166 return IE_INVALID_CONTEXT;
1168 if (NULL == http_request_ptr) {
1169 return IE_ERROR;
1173 /* Build SOAP request envelope */
1174 request_soap_doc = xmlNewDoc(BAD_CAST "1.0");
1175 if (NULL == request_soap_doc) {
1176 isds_log_message(context, _("Could not build SOAP request document"));
1177 err = IE_ERROR;
1178 goto leave;
1180 request_soap_envelope = xmlNewNode(NULL, BAD_CAST "Envelope");
1181 if (NULL == request_soap_envelope) {
1182 isds_log_message(context, _("Could not build SOAP request envelope"));
1183 err = IE_ERROR;
1184 goto leave;
1186 xmlDocSetRootElement(request_soap_doc, request_soap_envelope);
1187 /* Only this way we get namespace definition as @xmlns:soap,
1188 * otherwise we get namespace prefix without definition */
1189 soap_ns = xmlNewNs(request_soap_envelope, BAD_CAST SOAP_NS, NULL);
1190 if(NULL == soap_ns) {
1191 isds_log_message(context, _("Could not create SOAP name space"));
1192 err = IE_ERROR;
1193 goto leave;
1195 xmlSetNs(request_soap_envelope, soap_ns);
1196 request_soap_body = xmlNewChild(request_soap_envelope, NULL,
1197 BAD_CAST "Body", NULL);
1198 if (NULL == request_soap_body) {
1199 isds_log_message(context,
1200 _("Could not add Body to SOAP request envelope"));
1201 err = IE_ERROR;
1202 goto leave;
1206 /* Append request XML node set to SOAP body if request is not empty */
1207 /* XXX: Copy of request must be used, otherwise xmlFreeDoc(request_soap_doc)
1208 * would destroy this outer structure. */
1209 if (NULL != request) {
1210 xmlNodePtr request_copy = xmlCopyNodeList(request);
1211 if (NULL == request_copy) {
1212 isds_log_message(context,
1213 _("Could not copy request content"));
1214 err = IE_ERROR;
1215 goto leave;
1217 if (NULL == xmlAddChildList(request_soap_body, request_copy)) {
1218 xmlFreeNodeList(request_copy);
1219 isds_log_message(context,
1220 _("Could not add request content to SOAP "
1221 "request envelope"));
1222 err = IE_ERROR;
1223 goto leave;
1228 /* Serialize the SOAP request into HTTP request body */
1229 http_request = xmlBufferCreate();
1230 if (NULL == http_request) {
1231 isds_log_message(context,
1232 _("Could not create xmlBuffer for HTTP request body"));
1233 err = IE_ERROR;
1234 goto leave;
1236 /* Last argument 1 means format the XML tree. This is pretty but it breaks
1237 * XML document transport as it adds text nodes (indentation) between
1238 * elements. */
1239 save_ctx = xmlSaveToBuffer(http_request, "UTF-8", 0);
1240 if (NULL == save_ctx) {
1241 isds_log_message(context,
1242 _("Could not create XML serializer"));
1243 err = IE_ERROR;
1244 goto leave;
1246 /* XXX: According LibXML documentation, this function does not return
1247 * meaningful value yet */
1248 xmlSaveDoc(save_ctx, request_soap_doc);
1249 if (-1 == xmlSaveFlush(save_ctx)) {
1250 isds_log_message(context,
1251 _("Could not serialize SOAP request to HTTP request body"));
1252 err = IE_ERROR;
1253 goto leave;
1256 leave:
1257 xmlSaveClose(save_ctx);
1258 if (err == IE_SUCCESS) {
1259 /* Pass buffer to caller when successfully written. */
1260 *http_request_ptr = http_request;
1261 } else {
1262 xmlBufferFree(http_request);
1264 xmlFreeDoc(request_soap_doc); /* recursive, frees request_body, soap_ns*/
1265 return err;
1268 /* Process SOAP response.
1269 * @context needed for error logging,
1270 * @response is a pointer to a buffer where response data are held,
1271 * @response_length is the size of the response,
1272 * @response_document is an automatically allocated XML document whose sub-tree
1273 * identified by @response_node_list holds the SOAP response body content. You
1274 * must xmlFreeDoc() it. If you don't care pass NULL and also
1275 * NULL @response_node_list.
1276 * @response_node_list is a pointer to node set with SOAP response body
1277 * content. The returned pointer points into @response_document to the first
1278 * child of SOAP Body element. Pass NULL and NULL @response_document, if you
1279 * don't care.
1281 static
1282 isds_error process_http_response(struct isds_ctx *context,
1283 const void *response, size_t response_length,
1284 xmlDocPtr *response_document, xmlNodePtr *response_node_list) {
1286 isds_error err = IE_SUCCESS;
1287 xmlDocPtr response_soap_doc = NULL;
1288 xmlNodePtr response_root = NULL;
1289 xmlXPathContextPtr xpath_ctx = NULL;
1290 xmlXPathObjectPtr response_soap_headers = NULL, response_soap_body = NULL,
1291 response_soap_fault = NULL;
1293 if (NULL == context) {
1294 return IE_INVALID_CONTEXT;
1296 if ((NULL == response_document && NULL != response_node_list) ||
1297 (NULL != response_document && NULL == response_node_list)) {
1298 return IE_INVAL;
1301 /* TODO: Convert returned body into XML default encoding */
1303 /* Parse the HTTP body as XML */
1304 response_soap_doc = xmlParseMemory(response, response_length);
1305 if (NULL == response_soap_doc) {
1306 err = IE_XML;
1307 goto leave;
1310 xpath_ctx = xmlXPathNewContext(response_soap_doc);
1311 if (NULL == xpath_ctx) {
1312 err = IE_ERROR;
1313 goto leave;
1316 if (IE_SUCCESS !=
1317 _isds_register_namespaces(xpath_ctx, MESSAGE_NS_UNSIGNED)) {
1318 err = IE_ERROR;
1319 goto leave;
1322 if (_isds_sizet2int(response_length) >= 0) {
1323 isds_log(ILF_SOAP, ILL_DEBUG,
1324 _("SOAP response received:\n%.*s\nEnd of SOAP response\n"),
1325 _isds_sizet2int(response_length), response);
1328 /* Check for SOAP version */
1329 response_root = xmlDocGetRootElement(response_soap_doc);
1330 if (NULL == response_root) {
1331 isds_log_message(context, "SOAP response has no root element");
1332 err = IE_SOAP;
1333 goto leave;
1335 if (xmlStrcmp(response_root->name, BAD_CAST "Envelope") ||
1336 xmlStrcmp(response_root->ns->href, BAD_CAST SOAP_NS)) {
1337 isds_log_message(context, "SOAP response is not SOAP 1.1 document");
1338 err = IE_SOAP;
1339 goto leave;
1342 /* Check for SOAP Headers */
1343 response_soap_headers = xmlXPathEvalExpression(
1344 BAD_CAST "/soap:Envelope/soap:Header/"
1345 "*[@soap:mustUnderstand/text() = true()]", xpath_ctx);
1346 if (NULL == response_soap_headers) {
1347 err = IE_ERROR;
1348 goto leave;
1350 if (!xmlXPathNodeSetIsEmpty(response_soap_headers->nodesetval)) {
1351 isds_log_message(context,
1352 _("SOAP response requires unsupported feature"));
1353 /* TODO: log the headers
1354 * xmlChar *fragment = NULL;
1355 * fragment = xmlXPathCastNodeSetToSting(response_soap_headers->nodesetval);*/
1356 err = IE_NOTSUP;
1357 goto leave;
1360 /* Get SOAP Body */
1361 response_soap_body = xmlXPathEvalExpression(
1362 BAD_CAST "/soap:Envelope/soap:Body", xpath_ctx);
1363 if (NULL == response_soap_body) {
1364 err = IE_ERROR;
1365 goto leave;
1367 if (xmlXPathNodeSetIsEmpty(response_soap_body->nodesetval)) {
1368 isds_log_message(context,
1369 _("SOAP response does not contain SOAP Body element"));
1370 err = IE_SOAP;
1371 goto leave;
1373 if (response_soap_body->nodesetval->nodeNr > 1) {
1374 isds_log_message(context,
1375 _("SOAP response has more than one Body element"));
1376 err = IE_SOAP;
1377 goto leave;
1380 /* Check for SOAP Fault */
1381 response_soap_fault = xmlXPathEvalExpression(
1382 BAD_CAST "/soap:Envelope/soap:Body/soap:Fault", xpath_ctx);
1383 if (NULL == response_soap_fault) {
1384 err = IE_ERROR;
1385 goto leave;
1387 if (!xmlXPathNodeSetIsEmpty(response_soap_fault->nodesetval)) {
1388 /* Server signals Fault. Gather error message and croak. */
1389 /* XXX: Only first message is passed */
1390 char *message = NULL, *message_locale = NULL;
1391 xpath_ctx->node = response_soap_fault->nodesetval->nodeTab[0];
1392 xmlXPathFreeObject(response_soap_fault);
1393 /* XXX: faultstring and faultcode are in no name space according
1394 * ISDS specification */
1395 /* First more verbose faultstring */
1396 response_soap_fault = xmlXPathEvalExpression(
1397 BAD_CAST "faultstring[1]/text()", xpath_ctx);
1398 if ((NULL != response_soap_fault) &&
1399 !xmlXPathNodeSetIsEmpty(response_soap_fault->nodesetval)) {
1400 message = (char *)
1401 xmlXPathCastNodeSetToString(response_soap_fault->nodesetval);
1402 message_locale = _isds_utf82locale(message);
1404 /* If not available, try shorter faultcode */
1405 if (NULL == message_locale) {
1406 free(message);
1407 xmlXPathFreeObject(response_soap_fault);
1408 response_soap_fault = xmlXPathEvalExpression(
1409 BAD_CAST "faultcode[1]/text()", xpath_ctx);
1410 if ((NULL != response_soap_fault) &&
1411 !xmlXPathNodeSetIsEmpty(response_soap_fault->nodesetval)) {
1412 message = (char *)
1413 xmlXPathCastNodeSetToString(
1414 response_soap_fault->nodesetval);
1415 message_locale = _isds_utf82locale(message);
1419 /* Croak */
1420 if (NULL != message_locale) {
1421 isds_printf_message(context, _("SOAP response signals Fault: %s"),
1422 message_locale);
1423 } else {
1424 isds_log_message(context, _("SOAP response signals Fault"));
1427 free(message_locale);
1428 free(message);
1430 err = IE_SOAP;
1431 goto leave;
1435 /* Extract XML tree with ISDS response from SOAP envelope and return it.
1436 * XXX: response_soap_body lists only one Body element here. We need
1437 * children which may not exist (i.e. empty Body) or being more than one
1438 * (this is not the case of ISDS payload, but let's support generic SOAP).
1439 * XXX: We will return the XML document and children as a node list for
1440 * two reasons:
1441 * (1) We won't to do expensive xmlDocCopyNodeList(),
1442 * (2) Any node is unusable after calling xmlFreeDoc() on it's document
1443 * because the document holds a dictionary with identifiers. Caller always
1444 * can do xmlDocCopyNodeList() on a fresh document later. */
1445 if (NULL != response_document && NULL != response_node_list) {
1446 *response_document = response_soap_doc;
1447 *response_node_list =
1448 response_soap_body->nodesetval->nodeTab[0]->children;
1449 response_soap_doc = NULL; /* The document has been passed to the caller. */
1452 leave:
1453 xmlXPathFreeObject(response_soap_fault);
1454 xmlXPathFreeObject(response_soap_body);
1455 xmlXPathFreeObject(response_soap_headers);
1456 xmlXPathFreeContext(xpath_ctx);
1457 xmlFreeDoc(response_soap_doc);
1458 return err;
1461 /* Do SOAP request.
1462 * @context holds the base URL,
1463 * @file is a (CGI) file of SOAP URL,
1464 * @request is XML node set with SOAP request body.
1465 * @file must be NULL, @request should be NULL rather than empty, if they should
1466 * not be signaled in the SOAP request.
1467 * @response_document is an automatically allocated XML document whose subtree
1468 * identified by @response_node_list holds the SOAP response body content. You
1469 * must xmlFreeDoc() it. If you don't care pass NULL and also
1470 * NULL @response_node_list.
1471 * @response_node_list is a pointer to node set with SOAP response body
1472 * content. The returned pointer points into @response_document to the first
1473 * child of SOAP Body element. Pass NULL and NULL @response_document, if you
1474 * don't care.
1475 * @raw_response is automatically allocated bit stream with response body. Use
1476 * NULL if you don't care
1477 * @raw_response_length is size of @raw_response in bytes
1478 * In case of error the response will be deallocated automatically.
1479 * Side effect: message buffer */
1480 _hidden isds_error _isds_soap(struct isds_ctx *context, const char *file,
1481 const xmlNodePtr request,
1482 xmlDocPtr *response_document, xmlNodePtr *response_node_list,
1483 void **raw_response, size_t *raw_response_length) {
1485 isds_error err = IE_SUCCESS;
1486 char *url = NULL;
1487 char *mime_type = NULL;
1488 long http_code = 0;
1489 struct auth_headers response_otp_headers;
1490 xmlBufferPtr http_request = NULL;
1491 void *http_response = NULL;
1492 size_t response_length = 0;
1494 if (!context) return IE_INVALID_CONTEXT;
1495 if ( (NULL == response_document && NULL != response_node_list) ||
1496 (NULL != response_document && NULL == response_node_list))
1497 return IE_INVAL;
1498 if (!raw_response_length && raw_response) return IE_INVAL;
1500 if (response_document) *response_document = NULL;
1501 if (response_node_list) *response_node_list = NULL;
1502 if (raw_response) *raw_response = NULL;
1504 url = _isds_astrcat(context->url, file);
1505 if (!url) return IE_NOMEM;
1508 err = build_http_request(context, request, &http_request);
1509 if (IE_SUCCESS != err) {
1510 goto leave;
1514 if ((context->otp_credentials != NULL) || (context->mep_credentials != NULL)) {
1515 memset(&response_otp_headers, 0, sizeof(response_otp_headers));
1517 redirect:
1518 if ((context->otp_credentials != NULL) || (context->mep_credentials != NULL)) {
1519 auth_headers_free(&response_otp_headers);
1521 isds_log(ILF_SOAP, ILL_DEBUG,
1522 _("SOAP request to sent to %s:\n%.*s\nEnd of SOAP request\n"),
1523 url, http_request->use, http_request->content);
1525 if ((NULL != context->mep_credentials) && (NULL != context->mep_credentials->intermediate_uri)) {
1526 /* POST does not work for the intermediate URI, using GET here. */
1527 err = http(context, context->mep_credentials->intermediate_uri, 1, NULL, 0,
1528 &http_response, &response_length,
1529 &mime_type, NULL, &http_code,
1530 ((context->otp_credentials == NULL) && (context->mep_credentials == NULL)) ? NULL: &response_otp_headers);
1531 } else {
1532 err = http(context, url, 0, http_request->content, http_request->use,
1533 &http_response, &response_length,
1534 &mime_type, NULL, &http_code,
1535 ((context->otp_credentials == NULL) && (context->mep_credentials == NULL)) ? NULL: &response_otp_headers);
1538 /* TODO: HTTP binding for SOAP prescribes non-200 HTTP return codes
1539 * to be processed too. */
1541 if (err) {
1542 goto leave;
1545 if (NULL != context->otp_credentials)
1546 context->otp_credentials->resolution = response_otp_headers.resolution;
1548 /* Check for HTTP return code */
1549 isds_log(ILF_SOAP, ILL_DEBUG, _("Server returned %ld HTTP code\n"),
1550 http_code);
1551 switch (http_code) {
1552 /* XXX: We must see which code is used for not permitted ISDS
1553 * operation like downloading message without proper user
1554 * permissions. In that case we should keep connection opened. */
1555 case 200:
1556 if (NULL != context->otp_credentials) {
1557 if (context->otp_credentials->resolution ==
1558 OTP_RESOLUTION_UNKNOWN)
1559 context->otp_credentials->resolution =
1560 OTP_RESOLUTION_SUCCESS;
1561 } else if (NULL != context->mep_credentials) {
1562 /* The server returns just a numerical value in the body, nothing else. */
1563 context->mep_credentials->resolution =
1564 mep_ws_state_response(http_response, response_length);
1565 switch (context->mep_credentials->resolution) {
1566 case MEP_RESOLUTION_ACK_REQUESTED:
1567 /* Waiting for the user to acknowledge the login request
1568 * in the mobile application. This may take a while.
1569 * Return with partial success. Don't close communication
1570 * context. */
1571 err = IE_PARTIAL_SUCCESS;
1572 goto leave;
1573 break;
1574 case MEP_RESOLUTION_ACK:
1575 /* Immediately redirect to login finalisation. */
1576 zfree(context->mep_credentials->intermediate_uri);
1577 err = IE_PARTIAL_SUCCESS;
1578 goto redirect;
1579 break;
1580 default:
1581 zfree(context->mep_credentials->intermediate_uri);
1582 err = IE_NOT_LOGGED_IN;
1583 /* No SOAP data are returned here just plain response code. */
1584 goto leave;
1585 break;
1588 break;
1589 case 302:
1590 if (NULL != context->otp_credentials) {
1591 if (context->otp_credentials->resolution ==
1592 OTP_RESOLUTION_UNKNOWN)
1593 context->otp_credentials->resolution =
1594 OTP_RESOLUTION_SUCCESS;
1595 err = IE_PARTIAL_SUCCESS;
1596 isds_printf_message(context,
1597 _("Server redirects on <%s> because OTP authentication "
1598 "succeeded."),
1599 url);
1600 if (context->otp_credentials->otp_code != NULL &&
1601 response_otp_headers.redirect != NULL) {
1602 /* XXX: If OTP code is known, this must be second OTP phase, so
1603 * send final POST request and unset Basic authentication
1604 * from cURL context as cookie is used instead. */
1605 free(url);
1606 url = response_otp_headers.redirect;
1607 response_otp_headers.redirect = NULL;
1608 _isds_discard_credentials(context, 0);
1609 err = unset_http_authorization(context);
1610 if (err) {
1611 isds_log_message(context, _("Could not remove "
1612 "credentials from CURL handle."));
1613 goto leave;
1615 goto redirect;
1616 } else {
1617 /* XXX: Otherwise bail out to ask application for OTP code. */
1618 goto leave;
1620 } else if (NULL != context->mep_credentials) {
1621 if (context->mep_credentials->resolution == MEP_RESOLUTION_UNKNOWN) {
1622 context->mep_credentials->resolution = MEP_RESOLUTION_ACK_REQUESTED;
1623 if ((context->mep_credentials->intermediate_uri == NULL) &&
1624 (response_otp_headers.redirect != NULL)) {
1625 /* This is the first attempt. */
1626 isds_printf_message(context,
1627 _("Server redirects on <%s> because mobile key authentication "
1628 "succeeded."),
1629 url);
1630 context->mep_credentials->intermediate_uri =
1631 _isds_astrcat(response_otp_headers.redirect, NULL);
1632 err = IE_PARTIAL_SUCCESS;
1633 goto redirect;
1635 } else if (context->mep_credentials->resolution == MEP_RESOLUTION_ACK) {
1636 /* MEP login succeeded. No SOAP data received even though
1637 * they were requested. */
1638 context->mep_credentials->resolution = MEP_RESOLUTION_SUCCESS;
1639 err = IE_SUCCESS;
1640 goto leave;
1642 break;
1643 } else {
1644 err = IE_HTTP;
1645 isds_printf_message(context,
1646 _("Code 302: Server redirects on <%s> request. "
1647 "Redirection is forbidden in stateless mode."),
1648 url);
1649 goto leave;
1651 break;
1652 case 400:
1653 if (NULL != context->mep_credentials) {
1654 free(context->mep_credentials->intermediate_uri);
1655 context->mep_credentials->intermediate_uri = NULL;
1656 context->mep_credentials->resolution = MEP_RESOLUTION_UNRECOGNISED;
1657 err = IE_NOT_LOGGED_IN;
1658 isds_printf_message(context,
1659 _("Code 400: Server redirects on <%s> request. "
1660 "MEP communication code was not recognised."), url);
1661 goto leave;
1663 break;
1664 case 401: /* ISDS server returns 401 even if Authorization
1665 presents. */
1666 case 403: /* HTTP/1.0 prescribes 403 if Authorization presents. */
1667 err = IE_NOT_LOGGED_IN;
1668 isds_log_message(context, _("Authentication failed"));
1669 goto leave;
1670 break;
1671 case 404:
1672 err = IE_HTTP;
1673 isds_printf_message(context,
1674 _("Code 404: Document (%s) not found on server"), url);
1675 goto leave;
1676 break;
1677 /* 500 should return standard SOAP message */
1680 /* Check for Content-Type: text/xml.
1681 * Do it after HTTP code check because 401 Unauthorized returns HTML web
1682 * page for browsers. */
1683 if (mime_type && strcmp(mime_type, "text/xml")
1684 && strcmp(mime_type, "application/soap+xml")
1685 && strcmp(mime_type, "application/xml")) {
1686 char *mime_type_locale = _isds_utf82locale(mime_type);
1687 isds_printf_message(context,
1688 _("%s: bad MIME type sent by server: %s"), url,
1689 mime_type_locale);
1690 free(mime_type_locale);
1691 err = IE_SOAP;
1692 goto leave;
1696 err = process_http_response(context, http_response, response_length,
1697 response_document, response_node_list);
1698 if (IE_SUCCESS != err) {
1699 goto leave;
1703 /* Save raw response */
1704 if (NULL != raw_response) {
1705 *raw_response = http_response;
1706 http_response = NULL;
1708 if (NULL != raw_response_length) {
1709 *raw_response_length = response_length;
1712 leave:
1713 if ((context->otp_credentials != NULL) || (context->mep_credentials != NULL))
1714 auth_headers_free(&response_otp_headers);
1715 free(mime_type);
1716 free(http_response);
1717 xmlBufferFree(http_request);
1718 free(url);
1720 return err;
1724 /* Build new URL from current @context and template.
1725 * @context is context carrying an URL
1726 * @template is printf(3) format string. First argument is length of the base
1727 * URL found in @context, second argument is the base URL, third argument is
1728 * again the base URL.
1729 * XXX: We cannot use "$" formatting character because it's not in the ISO C99.
1730 * @new_url is newly allocated URL built from @template. Caller must free it.
1731 * Return IE_SUCCESS, or corresponding error code and @new_url will not be
1732 * allocated.
1733 * */
1734 _hidden isds_error _isds_build_url_from_context(struct isds_ctx *context,
1735 const char *template, char **new_url) {
1736 int length, slashes;
1738 if (NULL != new_url) *new_url = NULL;
1739 if (NULL == context) return IE_INVALID_CONTEXT;
1740 if (NULL == template) return IE_INVAL;
1741 if (NULL == new_url) return IE_INVAL;
1743 /* Find length of base URL from context URL */
1744 if (NULL == context->url) {
1745 isds_log_message(context, _("Base URL could not have been determined "
1746 "from context URL because there was no URL set in the "
1747 "context"));
1748 return IE_ERROR;
1750 for (length = 0, slashes = 0; context->url[length] != '\0'; length++) {
1751 if (context->url[length] == '/') slashes++;
1752 if (slashes == 3) break;
1754 if (slashes != 3) {
1755 isds_log_message(context, _("Base URL could not have been determined "
1756 "from context URL"));
1757 return IE_ERROR;
1759 length++;
1761 /* Build new URL */
1762 if (-1 == isds_asprintf(new_url, template, length, context->url,
1763 context->url))
1764 return IE_NOMEM;
1766 return IE_SUCCESS;
1770 /* Invalidate session cookie for otp authenticated @context */
1771 _hidden isds_error _isds_invalidate_otp_cookie(struct isds_ctx *context) {
1772 isds_error err;
1773 char *url = NULL;
1774 long http_code;
1775 void *response = NULL;
1776 size_t response_length;
1778 if (context == NULL || (!context->otp && !context->mep)) return IE_INVALID_CONTEXT;
1779 if (context->curl == NULL) return IE_CONNECTION_CLOSED;
1781 /* Build logout URL */
1782 /*"https://DOMAINNAME/as/processLogout?uri=https://DOMAINNAME/apps/DS/WEB_SERVICE_ENDPOINT"*/
1783 err = _isds_build_url_from_context(context,
1784 "%.*sas/processLogout?uri=%sDS/dz", &url);
1785 if (err) return err;
1787 /* Invalidate the cookie by GET request */
1788 err = http(context,
1789 url, 1,
1790 NULL, 0,
1791 &response, &response_length,
1792 NULL, NULL, &http_code,
1793 NULL);
1794 free(response);
1795 free(url);
1796 if (err) {
1797 /* long message set by http() */
1798 } else if (http_code != 200) {
1799 /* TODO: Specification does not define response for this request.
1800 * Especially it does not state whether direct 200 or 302 redirect is
1801 * sent. We need to check real implementation. */
1802 err = IE_ISDS;
1803 isds_printf_message(context, _("Cookie for OTP authenticated "
1804 "connection to <%s> could not been invalidated"),
1805 context->url);
1806 } else {
1807 isds_log(ILF_SEC, ILL_DEBUG, _("Cookie for OTP authenticated "
1808 "connection to <%s> has been invalidated.\n"),
1809 context->url);
1811 return err;
1815 /* LibXML functions:
1817 * void xmlInitParser(void)
1818 * Initialization function for the XML parser. This is not reentrant. Call
1819 * once before processing in case of use in multithreaded programs.
1821 * int xmlInitParserCtxt(xmlParserCtxtPtr ctxt)
1822 * Initialize a parser context
1824 * xmlDocPtr xmlCtxtReadDoc(xmlParserCtxtPtr ctxt, const xmlChar * cur,
1825 * const * char URL, const char * encoding, int options);
1826 * Parse in-memory NULL-terminated document @cur.
1828 * xmlDocPtr xmlParseMemory(const char * buffer, int size)
1829 * Parse an XML in-memory block and build a tree.
1831 * xmlParserCtxtPtr xmlCreateMemoryParserCtxt(const char * buffer, int
1832 * size);
1833 * Create a parser context for an XML in-memory document.
1835 * xmlParserCtxtPtr xmlCreateDocParserCtxt(const xmlChar * cur)
1836 * Creates a parser context for an XML in-memory document.
1838 * xmlDocPtr xmlCtxtReadMemory(xmlParserCtxtPtr ctxt,
1839 * const char * buffer, int size, const char * URL, const char * encoding,
1840 * int options)
1841 * Parse an XML in-memory document and build a tree. This reuses the existing
1842 * @ctxt parser context.
1844 * void xmlCleanupParser(void)
1845 * Cleanup function for the XML library. It tries to reclaim all parsing
1846 * related glob document related memory. Calling this function should not
1847 * prevent reusing the libr finished using the library or XML document built
1848 * with it.
1850 * void xmlClearParserCtxt(xmlParserCtxtPtr ctxt)
1851 * Clear (release owned resources) and reinitialize a parser context.
1853 * void xmlCtxtReset(xmlParserCtxtPtr ctxt)
1854 * Reset a parser context
1856 * void xmlFreeParserCtxt(xmlParserCtxtPtr ctxt)
1857 * Free all the memory used by a parser context. However the parsed document
1858 * in ctxt->myDoc is not freed.
1860 * void xmlFreeDoc(xmlDocPtr cur)
1861 * Free up all the structures used by a document, tree included.