follow up r75046 — Add getStatus() method to HttpRequest
[lhc/web/wiklou.git] / includes / HttpFunctions.php
1 <?php
2 /**
3 * @defgroup HTTP HTTP
4 */
5
6 /**
7 * Various HTTP related functions
8 * @ingroup HTTP
9 */
10 class Http {
11 static $httpEngine = false;
12
13 /**
14 * Perform an HTTP request
15 *
16 * @param $method String: HTTP method. Usually GET/POST
17 * @param $url String: full URL to act on
18 * @param $options Array: options to pass to HttpRequest object.
19 * Possible keys for the array:
20 * - timeout Timeout length in seconds
21 * - postData An array of key-value pairs or a url-encoded form data
22 * - proxy The proxy to use.
23 * Will use $wgHTTPProxy (if set) otherwise.
24 * - noProxy Override $wgHTTPProxy (if set) and don't use any proxy at all.
25 * - sslVerifyHost (curl only) Verify hostname against certificate
26 * - sslVerifyCert (curl only) Verify SSL certificate
27 * - caInfo (curl only) Provide CA information
28 * - maxRedirects Maximum number of redirects to follow (defaults to 5)
29 * - followRedirects Whether to follow redirects (defaults to false).
30 * Note: this should only be used when the target URL is trusted,
31 * to avoid attacks on intranet services accessible by HTTP.
32 * @return Mixed: (bool)false on failure or a string on success
33 */
34 public static function request( $method, $url, $options = array() ) {
35 $url = wfExpandUrl( $url );
36 wfDebug( "HTTP: $method: $url\n" );
37 $options['method'] = strtoupper( $method );
38
39 if ( !isset( $options['timeout'] ) ) {
40 $options['timeout'] = 'default';
41 }
42
43 $req = HttpRequest::factory( $url, $options );
44 $status = $req->execute();
45
46 if ( $status->isOK() ) {
47 return $req->getContent();
48 } else {
49 return false;
50 }
51 }
52
53 /**
54 * Simple wrapper for Http::request( 'GET' )
55 * @see Http::request()
56 */
57 public static function get( $url, $timeout = 'default', $options = array() ) {
58 $options['timeout'] = $timeout;
59 return Http::request( 'GET', $url, $options );
60 }
61
62 /**
63 * Simple wrapper for Http::request( 'POST' )
64 * @see Http::request()
65 */
66 public static function post( $url, $options = array() ) {
67 return Http::request( 'POST', $url, $options );
68 }
69
70 /**
71 * Check if the URL can be served by localhost
72 *
73 * @param $url String: full url to check
74 * @return Boolean
75 */
76 public static function isLocalURL( $url ) {
77 global $wgCommandLineMode, $wgConf;
78
79 if ( $wgCommandLineMode ) {
80 return false;
81 }
82
83 // Extract host part
84 $matches = array();
85 if ( preg_match( '!^http://([\w.-]+)[/:].*$!', $url, $matches ) ) {
86 $host = $matches[1];
87 // Split up dotwise
88 $domainParts = explode( '.', $host );
89 // Check if this domain or any superdomain is listed in $wgConf as a local virtual host
90 $domainParts = array_reverse( $domainParts );
91
92 for ( $i = 0; $i < count( $domainParts ); $i++ ) {
93 $domainPart = $domainParts[$i];
94 if ( $i == 0 ) {
95 $domain = $domainPart;
96 } else {
97 $domain = $domainPart . '.' . $domain;
98 }
99
100 if ( $wgConf->isLocalVHost( $domain ) ) {
101 return true;
102 }
103 }
104 }
105
106 return false;
107 }
108
109 /**
110 * A standard user-agent we can use for external requests.
111 * @return String
112 */
113 public static function userAgent() {
114 global $wgVersion;
115 return "MediaWiki/$wgVersion";
116 }
117
118 /**
119 * Checks that the given URI is a valid one
120 *
121 * @param $uri Mixed: URI to check for validity
122 * @returns Boolean
123 */
124 public static function isValidURI( $uri ) {
125 return preg_match(
126 '/(ftp|http|https):\/\/(\w+:{0,1}\w*@)?(\S+)(:[0-9]+)?(\/|\/([\w#!:.?+=&%@!\-\/]))?/',
127 $uri,
128 $matches
129 );
130 }
131 }
132
133 /**
134 * This wrapper class will call out to curl (if available) or fallback
135 * to regular PHP if necessary for handling internal HTTP requests.
136 */
137 class HttpRequest {
138 protected $content;
139 protected $timeout = 'default';
140 protected $headersOnly = null;
141 protected $postData = null;
142 protected $proxy = null;
143 protected $noProxy = false;
144 protected $sslVerifyHost = true;
145 protected $sslVerifyCert = true;
146 protected $caInfo = null;
147 protected $method = "GET";
148 protected $reqHeaders = array();
149 protected $url;
150 protected $parsedUrl;
151 protected $callback;
152 protected $maxRedirects = 5;
153 protected $followRedirects = false;
154
155 protected $cookieJar;
156
157 protected $headerList = array();
158 protected $respVersion = "0.9";
159 protected $respStatus = "200 Ok";
160 protected $respHeaders = array();
161
162 public $status;
163
164 /**
165 * @param $url String: url to use
166 * @param $options Array: (optional) extra params to pass (see Http::request())
167 */
168 function __construct( $url, $options = array() ) {
169 global $wgHTTPTimeout;
170
171 $this->url = $url;
172 $this->parsedUrl = parse_url( $url );
173
174 if ( !Http::isValidURI( $this->url ) ) {
175 $this->status = Status::newFatal( 'http-invalid-url' );
176 } else {
177 $this->status = Status::newGood( 100 ); // continue
178 }
179
180 if ( isset( $options['timeout'] ) && $options['timeout'] != 'default' ) {
181 $this->timeout = $options['timeout'];
182 } else {
183 $this->timeout = $wgHTTPTimeout;
184 }
185
186 $members = array( "postData", "proxy", "noProxy", "sslVerifyHost", "caInfo",
187 "method", "followRedirects", "maxRedirects", "sslVerifyCert" );
188
189 foreach ( $members as $o ) {
190 if ( isset( $options[$o] ) ) {
191 $this->$o = $options[$o];
192 }
193 }
194 }
195
196 /**
197 * Generate a new request object
198 * @see HttpRequest::__construct
199 */
200 public static function factory( $url, $options = null ) {
201 if ( !Http::$httpEngine ) {
202 Http::$httpEngine = function_exists( 'curl_init' ) ? 'curl' : 'php';
203 } elseif ( Http::$httpEngine == 'curl' && !function_exists( 'curl_init' ) ) {
204 throw new MWException( __METHOD__ . ': curl (http://php.net/curl) is not installed, but' .
205 ' Http::$httpEngine is set to "curl"' );
206 }
207
208 switch( Http::$httpEngine ) {
209 case 'curl':
210 return new CurlHttpRequest( $url, $options );
211 case 'php':
212 if ( !wfIniGetBool( 'allow_url_fopen' ) ) {
213 throw new MWException( __METHOD__ . ': allow_url_fopen needs to be enabled for pure PHP' .
214 ' http requests to work. If possible, curl should be used instead. See http://php.net/curl.' );
215 }
216 return new PhpHttpRequest( $url, $options );
217 default:
218 throw new MWException( __METHOD__ . ': The setting of Http::$httpEngine is not valid.' );
219 }
220 }
221
222 /**
223 * Get the body, or content, of the response to the request
224 *
225 * @return String
226 */
227 public function getContent() {
228 return $this->content;
229 }
230
231 /**
232 * Set the parameters of the request
233
234 * @param $args Array
235 * @todo overload the args param
236 */
237 public function setData( $args ) {
238 $this->postData = $args;
239 }
240
241 /**
242 * Take care of setting up the proxy
243 * (override in subclass)
244 *
245 * @return String
246 */
247 public function proxySetup() {
248 global $wgHTTPProxy;
249
250 if ( $this->proxy ) {
251 return;
252 }
253
254 if ( Http::isLocalURL( $this->url ) ) {
255 $this->proxy = 'http://localhost:80/';
256 } elseif ( $wgHTTPProxy ) {
257 $this->proxy = $wgHTTPProxy ;
258 } elseif ( getenv( "http_proxy" ) ) {
259 $this->proxy = getenv( "http_proxy" );
260 }
261 }
262
263 /**
264 * Set the refererer header
265 */
266 public function setReferer( $url ) {
267 $this->setHeader( 'Referer', $url );
268 }
269
270 /**
271 * Set the user agent
272 */
273 public function setUserAgent( $UA ) {
274 $this->setHeader( 'User-Agent', $UA );
275 }
276
277 /**
278 * Set an arbitrary header
279 */
280 public function setHeader( $name, $value ) {
281 // I feel like I should normalize the case here...
282 $this->reqHeaders[$name] = $value;
283 }
284
285 /**
286 * Get an array of the headers
287 */
288 public function getHeaderList() {
289 $list = array();
290
291 if ( $this->cookieJar ) {
292 $this->reqHeaders['Cookie'] =
293 $this->cookieJar->serializeToHttpRequest(
294 $this->parsedUrl['path'],
295 $this->parsedUrl['host']
296 );
297 }
298
299 foreach ( $this->reqHeaders as $name => $value ) {
300 $list[] = "$name: $value";
301 }
302
303 return $list;
304 }
305
306 /**
307 * Set the callback
308 *
309 * @param $callback Callback
310 */
311 public function setCallback( $callback ) {
312 $this->callback = $callback;
313 }
314
315 /**
316 * A generic callback to read the body of the response from a remote
317 * server.
318 *
319 * @param $fh handle
320 * @param $content String
321 */
322 public function read( $fh, $content ) {
323 $this->content .= $content;
324 return strlen( $content );
325 }
326
327 /**
328 * Take care of whatever is necessary to perform the URI request.
329 *
330 * @return Status
331 */
332 public function execute() {
333 global $wgTitle;
334
335 $this->content = "";
336
337 if ( strtoupper( $this->method ) == "HEAD" ) {
338 $this->headersOnly = true;
339 }
340
341 if ( is_array( $this->postData ) ) {
342 $this->postData = wfArrayToCGI( $this->postData );
343 }
344
345 if ( is_object( $wgTitle ) && !isset( $this->reqHeaders['Referer'] ) ) {
346 $this->setReferer( $wgTitle->getFullURL() );
347 }
348
349 if ( !$this->noProxy ) {
350 $this->proxySetup();
351 }
352
353 if ( !$this->callback ) {
354 $this->setCallback( array( $this, 'read' ) );
355 }
356
357 if ( !isset( $this->reqHeaders['User-Agent'] ) ) {
358 $this->setUserAgent( Http::userAgent() );
359 }
360 }
361
362 /**
363 * Parses the headers, including the HTTP status code and any
364 * Set-Cookie headers. This function expectes the headers to be
365 * found in an array in the member variable headerList.
366 *
367 * @return nothing
368 */
369 protected function parseHeader() {
370 $lastname = "";
371
372 foreach ( $this->headerList as $header ) {
373 if ( preg_match( "#^HTTP/([0-9.]+) (.*)#", $header, $match ) ) {
374 $this->respVersion = $match[1];
375 $this->respStatus = $match[2];
376 } elseif ( preg_match( "#^[ \t]#", $header ) ) {
377 $last = count( $this->respHeaders[$lastname] ) - 1;
378 $this->respHeaders[$lastname][$last] .= "\r\n$header";
379 } elseif ( preg_match( "#^([^:]*):[\t ]*(.*)#", $header, $match ) ) {
380 $this->respHeaders[strtolower( $match[1] )][] = $match[2];
381 $lastname = strtolower( $match[1] );
382 }
383 }
384
385 $this->parseCookies();
386 }
387
388 /**
389 * Sets the member variable status to a fatal status if the HTTP
390 * status code was not 200.
391 *
392 * @return nothing
393 */
394 protected function setStatus() {
395 if ( !$this->respHeaders ) {
396 $this->parseHeader();
397 }
398
399 if ( (int)$this->respStatus !== 200 ) {
400 list( $code, $message ) = explode( " ", $this->respStatus, 2 );
401 $this->status->fatal( "http-bad-status", $code, $message );
402 }
403 }
404
405 /**
406 * Get the member variable status for an HTTP Request
407 *
408 * @return Integer
409 */
410 public function getStatus() {
411 if ( !$this->respHeaders ) {
412 $this->parseHeader();
413 }
414
415 return (int)$this->respStatus;
416 }
417
418
419 /**
420 * Returns true if the last status code was a redirect.
421 *
422 * @return Boolean
423 */
424 public function isRedirect() {
425 if ( !$this->respHeaders ) {
426 $this->parseHeader();
427 }
428
429 $status = (int)$this->respStatus;
430
431 if ( $status >= 300 && $status <= 303 ) {
432 return true;
433 }
434
435 return false;
436 }
437
438 /**
439 * Returns an associative array of response headers after the
440 * request has been executed. Because some headers
441 * (e.g. Set-Cookie) can appear more than once the, each value of
442 * the associative array is an array of the values given.
443 *
444 * @return Array
445 */
446 public function getResponseHeaders() {
447 if ( !$this->respHeaders ) {
448 $this->parseHeader();
449 }
450
451 return $this->respHeaders;
452 }
453
454 /**
455 * Returns the value of the given response header.
456 *
457 * @param $header String
458 * @return String
459 */
460 public function getResponseHeader( $header ) {
461 if ( !$this->respHeaders ) {
462 $this->parseHeader();
463 }
464
465 if ( isset( $this->respHeaders[strtolower ( $header ) ] ) ) {
466 $v = $this->respHeaders[strtolower ( $header ) ];
467 return $v[count( $v ) - 1];
468 }
469
470 return null;
471 }
472
473 /**
474 * Tells the HttpRequest object to use this pre-loaded CookieJar.
475 *
476 * @param $jar CookieJar
477 */
478 public function setCookieJar( $jar ) {
479 $this->cookieJar = $jar;
480 }
481
482 /**
483 * Returns the cookie jar in use.
484 *
485 * @returns CookieJar
486 */
487 public function getCookieJar() {
488 if ( !$this->respHeaders ) {
489 $this->parseHeader();
490 }
491
492 return $this->cookieJar;
493 }
494
495 /**
496 * Sets a cookie. Used before a request to set up any individual
497 * cookies. Used internally after a request to parse the
498 * Set-Cookie headers.
499 * @see Cookie::set
500 */
501 public function setCookie( $name, $value = null, $attr = null ) {
502 if ( !$this->cookieJar ) {
503 $this->cookieJar = new CookieJar;
504 }
505
506 $this->cookieJar->setCookie( $name, $value, $attr );
507 }
508
509 /**
510 * Parse the cookies in the response headers and store them in the cookie jar.
511 */
512 protected function parseCookies() {
513 if ( !$this->cookieJar ) {
514 $this->cookieJar = new CookieJar;
515 }
516
517 if ( isset( $this->respHeaders['set-cookie'] ) ) {
518 $url = parse_url( $this->getFinalUrl() );
519 foreach ( $this->respHeaders['set-cookie'] as $cookie ) {
520 $this->cookieJar->parseCookieResponseHeader( $cookie, $url['host'] );
521 }
522 }
523 }
524
525 /**
526 * Returns the final URL after all redirections.
527 *
528 * @return String
529 */
530 public function getFinalUrl() {
531 $location = $this->getResponseHeader( "Location" );
532
533 if ( $location ) {
534 return $location;
535 }
536
537 return $this->url;
538 }
539
540 /**
541 * Returns true if the backend can follow redirects. Overridden by the
542 * child classes.
543 */
544 public function canFollowRedirects() {
545 return true;
546 }
547 }
548
549
550 class Cookie {
551 protected $name;
552 protected $value;
553 protected $expires;
554 protected $path;
555 protected $domain;
556 protected $isSessionKey = true;
557 // TO IMPLEMENT protected $secure
558 // TO IMPLEMENT? protected $maxAge (add onto expires)
559 // TO IMPLEMENT? protected $version
560 // TO IMPLEMENT? protected $comment
561
562 function __construct( $name, $value, $attr ) {
563 $this->name = $name;
564 $this->set( $value, $attr );
565 }
566
567 /**
568 * Sets a cookie. Used before a request to set up any individual
569 * cookies. Used internally after a request to parse the
570 * Set-Cookie headers.
571 *
572 * @param $value String: the value of the cookie
573 * @param $attr Array: possible key/values:
574 * expires A date string
575 * path The path this cookie is used on
576 * domain Domain this cookie is used on
577 */
578 public function set( $value, $attr ) {
579 $this->value = $value;
580
581 if ( isset( $attr['expires'] ) ) {
582 $this->isSessionKey = false;
583 $this->expires = strtotime( $attr['expires'] );
584 }
585
586 if ( isset( $attr['path'] ) ) {
587 $this->path = $attr['path'];
588 } else {
589 $this->path = "/";
590 }
591
592 if ( isset( $attr['domain'] ) ) {
593 if ( self::validateCookieDomain( $attr['domain'] ) ) {
594 $this->domain = $attr['domain'];
595 }
596 } else {
597 throw new MWException( "You must specify a domain." );
598 }
599 }
600
601 /**
602 * Return the true if the cookie is valid is valid. Otherwise,
603 * false. The uses a method similar to IE cookie security
604 * described here:
605 * http://kuza55.blogspot.com/2008/02/understanding-cookie-security.html
606 * A better method might be to use a blacklist like
607 * http://publicsuffix.org/
608 *
609 * @param $domain String: the domain to validate
610 * @param $originDomain String: (optional) the domain the cookie originates from
611 * @return Boolean
612 */
613 public static function validateCookieDomain( $domain, $originDomain = null ) {
614 // Don't allow a trailing dot
615 if ( substr( $domain, -1 ) == "." ) {
616 return false;
617 }
618
619 $dc = explode( ".", $domain );
620
621 // Only allow full, valid IP addresses
622 if ( preg_match( '/^[0-9.]+$/', $domain ) ) {
623 if ( count( $dc ) != 4 ) {
624 return false;
625 }
626
627 if ( ip2long( $domain ) === false ) {
628 return false;
629 }
630
631 if ( $originDomain == null || $originDomain == $domain ) {
632 return true;
633 }
634
635 }
636
637 // Don't allow cookies for "co.uk" or "gov.uk", etc, but allow "supermarket.uk"
638 if ( strrpos( $domain, "." ) - strlen( $domain ) == -3 ) {
639 if ( ( count( $dc ) == 2 && strlen( $dc[0] ) <= 2 )
640 || ( count( $dc ) == 3 && strlen( $dc[0] ) == "" && strlen( $dc[1] ) <= 2 ) ) {
641 return false;
642 }
643 if ( ( count( $dc ) == 2 || ( count( $dc ) == 3 && $dc[0] == "" ) )
644 && preg_match( '/(com|net|org|gov|edu)\...$/', $domain ) ) {
645 return false;
646 }
647 }
648
649 if ( $originDomain != null ) {
650 if ( substr( $domain, 0, 1 ) != "." && $domain != $originDomain ) {
651 return false;
652 }
653
654 if ( substr( $domain, 0, 1 ) == "."
655 && substr_compare( $originDomain, $domain, -strlen( $domain ),
656 strlen( $domain ), TRUE ) != 0 ) {
657 return false;
658 }
659 }
660
661 return true;
662 }
663
664 /**
665 * Serialize the cookie jar into a format useful for HTTP Request headers.
666 *
667 * @param $path String: the path that will be used. Required.
668 * @param $domain String: the domain that will be used. Required.
669 * @return String
670 */
671 public function serializeToHttpRequest( $path, $domain ) {
672 $ret = "";
673
674 if ( $this->canServeDomain( $domain )
675 && $this->canServePath( $path )
676 && $this->isUnExpired() ) {
677 $ret = $this->name . "=" . $this->value;
678 }
679
680 return $ret;
681 }
682
683 protected function canServeDomain( $domain ) {
684 if ( $domain == $this->domain
685 || ( strlen( $domain ) > strlen( $this->domain )
686 && substr( $this->domain, 0, 1 ) == "."
687 && substr_compare( $domain, $this->domain, -strlen( $this->domain ),
688 strlen( $this->domain ), TRUE ) == 0 ) ) {
689 return true;
690 }
691
692 return false;
693 }
694
695 protected function canServePath( $path ) {
696 if ( $this->path && substr_compare( $this->path, $path, 0, strlen( $this->path ) ) == 0 ) {
697 return true;
698 }
699
700 return false;
701 }
702
703 protected function isUnExpired() {
704 if ( $this->isSessionKey || $this->expires > time() ) {
705 return true;
706 }
707
708 return false;
709 }
710 }
711
712 class CookieJar {
713 private $cookie = array();
714
715 /**
716 * Set a cookie in the cookie jar. Make sure only one cookie per-name exists.
717 * @see Cookie::set()
718 */
719 public function setCookie ( $name, $value, $attr ) {
720 /* cookies: case insensitive, so this should work.
721 * We'll still send the cookies back in the same case we got them, though.
722 */
723 $index = strtoupper( $name );
724
725 if ( isset( $this->cookie[$index] ) ) {
726 $this->cookie[$index]->set( $value, $attr );
727 } else {
728 $this->cookie[$index] = new Cookie( $name, $value, $attr );
729 }
730 }
731
732 /**
733 * @see Cookie::serializeToHttpRequest
734 */
735 public function serializeToHttpRequest( $path, $domain ) {
736 $cookies = array();
737
738 foreach ( $this->cookie as $c ) {
739 $serialized = $c->serializeToHttpRequest( $path, $domain );
740
741 if ( $serialized ) {
742 $cookies[] = $serialized;
743 }
744 }
745
746 return implode( "; ", $cookies );
747 }
748
749 /**
750 * Parse the content of an Set-Cookie HTTP Response header.
751 *
752 * @param $cookie String
753 * @param $domain String: cookie's domain
754 */
755 public function parseCookieResponseHeader ( $cookie, $domain ) {
756 $len = strlen( "Set-Cookie:" );
757
758 if ( substr_compare( "Set-Cookie:", $cookie, 0, $len, TRUE ) === 0 ) {
759 $cookie = substr( $cookie, $len );
760 }
761
762 $bit = array_map( 'trim', explode( ";", $cookie ) );
763
764 if ( count( $bit ) >= 1 ) {
765 list( $name, $value ) = explode( "=", array_shift( $bit ), 2 );
766 $attr = array();
767
768 foreach ( $bit as $piece ) {
769 $parts = explode( "=", $piece );
770 if ( count( $parts ) > 1 ) {
771 $attr[strtolower( $parts[0] )] = $parts[1];
772 } else {
773 $attr[strtolower( $parts[0] )] = true;
774 }
775 }
776
777 if ( !isset( $attr['domain'] ) ) {
778 $attr['domain'] = $domain;
779 } elseif ( !Cookie::validateCookieDomain( $attr['domain'], $domain ) ) {
780 return null;
781 }
782
783 $this->setCookie( $name, $value, $attr );
784 }
785 }
786 }
787
788 /**
789 * HttpRequest implemented using internal curl compiled into PHP
790 */
791 class CurlHttpRequest extends HttpRequest {
792 static $curlMessageMap = array(
793 6 => 'http-host-unreachable',
794 28 => 'http-timed-out'
795 );
796
797 protected $curlOptions = array();
798 protected $headerText = "";
799
800 protected function readHeader( $fh, $content ) {
801 $this->headerText .= $content;
802 return strlen( $content );
803 }
804
805 public function execute() {
806 parent::execute();
807
808 if ( !$this->status->isOK() ) {
809 return $this->status;
810 }
811
812 $this->curlOptions[CURLOPT_PROXY] = $this->proxy;
813 $this->curlOptions[CURLOPT_TIMEOUT] = $this->timeout;
814 $this->curlOptions[CURLOPT_HTTP_VERSION] = CURL_HTTP_VERSION_1_0;
815 $this->curlOptions[CURLOPT_WRITEFUNCTION] = $this->callback;
816 $this->curlOptions[CURLOPT_HEADERFUNCTION] = array( $this, "readHeader" );
817 $this->curlOptions[CURLOPT_MAXREDIRS] = $this->maxRedirects;
818 $this->curlOptions[CURLOPT_ENCODING] = ""; # Enable compression
819
820 /* not sure these two are actually necessary */
821 if ( isset( $this->reqHeaders['Referer'] ) ) {
822 $this->curlOptions[CURLOPT_REFERER] = $this->reqHeaders['Referer'];
823 }
824 $this->curlOptions[CURLOPT_USERAGENT] = $this->reqHeaders['User-Agent'];
825
826 if ( isset( $this->sslVerifyHost ) ) {
827 $this->curlOptions[CURLOPT_SSL_VERIFYHOST] = $this->sslVerifyHost;
828 }
829
830 if ( isset( $this->sslVerifyCert ) ) {
831 $this->curlOptions[CURLOPT_SSL_VERIFYPEER] = $this->sslVerifyCert;
832 }
833
834 if ( $this->caInfo ) {
835 $this->curlOptions[CURLOPT_CAINFO] = $this->caInfo;
836 }
837
838 if ( $this->headersOnly ) {
839 $this->curlOptions[CURLOPT_NOBODY] = true;
840 $this->curlOptions[CURLOPT_HEADER] = true;
841 } elseif ( $this->method == 'POST' ) {
842 $this->curlOptions[CURLOPT_POST] = true;
843 $this->curlOptions[CURLOPT_POSTFIELDS] = $this->postData;
844 // Suppress 'Expect: 100-continue' header, as some servers
845 // will reject it with a 417 and Curl won't auto retry
846 // with HTTP 1.0 fallback
847 $this->reqHeaders['Expect'] = '';
848 } else {
849 $this->curlOptions[CURLOPT_CUSTOMREQUEST] = $this->method;
850 }
851
852 $this->curlOptions[CURLOPT_HTTPHEADER] = $this->getHeaderList();
853
854 $curlHandle = curl_init( $this->url );
855
856 if ( !curl_setopt_array( $curlHandle, $this->curlOptions ) ) {
857 throw new MWException( "Error setting curl options." );
858 }
859
860 if ( $this->followRedirects && $this->canFollowRedirects() ) {
861 if ( ! @curl_setopt( $curlHandle, CURLOPT_FOLLOWLOCATION, true ) ) {
862 wfDebug( __METHOD__ . ": Couldn't set CURLOPT_FOLLOWLOCATION. " .
863 "Probably safe_mode or open_basedir is set.\n" );
864 // Continue the processing. If it were in curl_setopt_array,
865 // processing would have halted on its entry
866 }
867 }
868
869 if ( false === curl_exec( $curlHandle ) ) {
870 $code = curl_error( $curlHandle );
871
872 if ( isset( self::$curlMessageMap[$code] ) ) {
873 $this->status->fatal( self::$curlMessageMap[$code] );
874 } else {
875 $this->status->fatal( 'http-curl-error', curl_error( $curlHandle ) );
876 }
877 } else {
878 $this->headerList = explode( "\r\n", $this->headerText );
879 }
880
881 curl_close( $curlHandle );
882
883 $this->parseHeader();
884 $this->setStatus();
885
886 return $this->status;
887 }
888
889 public function canFollowRedirects() {
890 if ( strval( ini_get( 'open_basedir' ) ) !== '' || wfIniGetBool( 'safe_mode' ) ) {
891 wfDebug( "Cannot follow redirects in safe mode\n" );
892 return false;
893 }
894
895 if ( !defined( 'CURLOPT_REDIR_PROTOCOLS' ) ) {
896 wfDebug( "Cannot follow redirects with libcurl < 7.19.4 due to CVE-2009-0037\n" );
897 return false;
898 }
899
900 return true;
901 }
902 }
903
904 class PhpHttpRequest extends HttpRequest {
905 protected function urlToTcp( $url ) {
906 $parsedUrl = parse_url( $url );
907
908 return 'tcp://' . $parsedUrl['host'] . ':' . $parsedUrl['port'];
909 }
910
911 public function execute() {
912 parent::execute();
913
914 // At least on Centos 4.8 with PHP 5.1.6, using max_redirects to follow redirects
915 // causes a segfault
916 $manuallyRedirect = version_compare( phpversion(), '5.1.7', '<' );
917
918 if ( $this->parsedUrl['scheme'] != 'http' ) {
919 $this->status->fatal( 'http-invalid-scheme', $this->parsedUrl['scheme'] );
920 }
921
922 $this->reqHeaders['Accept'] = "*/*";
923 if ( $this->method == 'POST' ) {
924 // Required for HTTP 1.0 POSTs
925 $this->reqHeaders['Content-Length'] = strlen( $this->postData );
926 $this->reqHeaders['Content-type'] = "application/x-www-form-urlencoded";
927 }
928
929 $options = array();
930 if ( $this->proxy && !$this->noProxy ) {
931 $options['proxy'] = $this->urlToTCP( $this->proxy );
932 $options['request_fulluri'] = true;
933 }
934
935 if ( !$this->followRedirects || $manuallyRedirect ) {
936 $options['max_redirects'] = 0;
937 } else {
938 $options['max_redirects'] = $this->maxRedirects;
939 }
940
941 $options['method'] = $this->method;
942 $options['header'] = implode( "\r\n", $this->getHeaderList() );
943 // Note that at some future point we may want to support
944 // HTTP/1.1, but we'd have to write support for chunking
945 // in version of PHP < 5.3.1
946 $options['protocol_version'] = "1.0";
947
948 // This is how we tell PHP we want to deal with 404s (for example) ourselves.
949 // Only works on 5.2.10+
950 $options['ignore_errors'] = true;
951
952 if ( $this->postData ) {
953 $options['content'] = $this->postData;
954 }
955
956 $oldTimeout = false;
957 if ( version_compare( '5.2.1', phpversion(), '>' ) ) {
958 $oldTimeout = ini_set( 'default_socket_timeout', $this->timeout );
959 } else {
960 $options['timeout'] = $this->timeout;
961 }
962
963 $context = stream_context_create( array( 'http' => $options ) );
964
965 $this->headerList = array();
966 $reqCount = 0;
967 $url = $this->url;
968
969 do {
970 $reqCount++;
971 wfSuppressWarnings();
972 $fh = fopen( $url, "r", false, $context );
973 wfRestoreWarnings();
974
975 if ( !$fh ) {
976 break;
977 }
978
979 $result = stream_get_meta_data( $fh );
980 $this->headerList = $result['wrapper_data'];
981 $this->parseHeader();
982
983 if ( !$manuallyRedirect || !$this->followRedirects ) {
984 break;
985 }
986
987 # Handle manual redirection
988 if ( !$this->isRedirect() || $reqCount > $this->maxRedirects ) {
989 break;
990 }
991 # Check security of URL
992 $url = $this->getResponseHeader( "Location" );
993
994 if ( substr( $url, 0, 7 ) !== 'http://' ) {
995 wfDebug( __METHOD__ . ": insecure redirection\n" );
996 break;
997 }
998 } while ( true );
999
1000 if ( $oldTimeout !== false ) {
1001 ini_set( 'default_socket_timeout', $oldTimeout );
1002 }
1003
1004 $this->setStatus();
1005
1006 if ( $fh === false ) {
1007 $this->status->fatal( 'http-request-error' );
1008 return $this->status;
1009 }
1010
1011 if ( $result['timed_out'] ) {
1012 $this->status->fatal( 'http-timed-out', $this->url );
1013 return $this->status;
1014 }
1015
1016 if ( $this->status->isOK() ) {
1017 while ( !feof( $fh ) ) {
1018 $buf = fread( $fh, 8192 );
1019
1020 if ( $buf === false ) {
1021 $this->status->fatal( 'http-read-error' );
1022 break;
1023 }
1024
1025 if ( strlen( $buf ) ) {
1026 call_user_func( $this->callback, $fh, $buf );
1027 }
1028 }
1029 }
1030 fclose( $fh );
1031
1032 return $this->status;
1033 }
1034 }