Remove $wgMemc->set() call left over from r73645
[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 /**
407 * Returns true if the last status code was a redirect.
408 *
409 * @return Boolean
410 */
411 public function isRedirect() {
412 if ( !$this->respHeaders ) {
413 $this->parseHeader();
414 }
415
416 $status = (int)$this->respStatus;
417
418 if ( $status >= 300 && $status <= 303 ) {
419 return true;
420 }
421
422 return false;
423 }
424
425 /**
426 * Returns an associative array of response headers after the
427 * request has been executed. Because some headers
428 * (e.g. Set-Cookie) can appear more than once the, each value of
429 * the associative array is an array of the values given.
430 *
431 * @return Array
432 */
433 public function getResponseHeaders() {
434 if ( !$this->respHeaders ) {
435 $this->parseHeader();
436 }
437
438 return $this->respHeaders;
439 }
440
441 /**
442 * Returns the value of the given response header.
443 *
444 * @param $header String
445 * @return String
446 */
447 public function getResponseHeader( $header ) {
448 if ( !$this->respHeaders ) {
449 $this->parseHeader();
450 }
451
452 if ( isset( $this->respHeaders[strtolower ( $header ) ] ) ) {
453 $v = $this->respHeaders[strtolower ( $header ) ];
454 return $v[count( $v ) - 1];
455 }
456
457 return null;
458 }
459
460 /**
461 * Tells the HttpRequest object to use this pre-loaded CookieJar.
462 *
463 * @param $jar CookieJar
464 */
465 public function setCookieJar( $jar ) {
466 $this->cookieJar = $jar;
467 }
468
469 /**
470 * Returns the cookie jar in use.
471 *
472 * @returns CookieJar
473 */
474 public function getCookieJar() {
475 if ( !$this->respHeaders ) {
476 $this->parseHeader();
477 }
478
479 return $this->cookieJar;
480 }
481
482 /**
483 * Sets a cookie. Used before a request to set up any individual
484 * cookies. Used internally after a request to parse the
485 * Set-Cookie headers.
486 * @see Cookie::set
487 */
488 public function setCookie( $name, $value = null, $attr = null ) {
489 if ( !$this->cookieJar ) {
490 $this->cookieJar = new CookieJar;
491 }
492
493 $this->cookieJar->setCookie( $name, $value, $attr );
494 }
495
496 /**
497 * Parse the cookies in the response headers and store them in the cookie jar.
498 */
499 protected function parseCookies() {
500 if ( !$this->cookieJar ) {
501 $this->cookieJar = new CookieJar;
502 }
503
504 if ( isset( $this->respHeaders['set-cookie'] ) ) {
505 $url = parse_url( $this->getFinalUrl() );
506 foreach ( $this->respHeaders['set-cookie'] as $cookie ) {
507 $this->cookieJar->parseCookieResponseHeader( $cookie, $url['host'] );
508 }
509 }
510 }
511
512 /**
513 * Returns the final URL after all redirections.
514 *
515 * @return String
516 */
517 public function getFinalUrl() {
518 $location = $this->getResponseHeader( "Location" );
519
520 if ( $location ) {
521 return $location;
522 }
523
524 return $this->url;
525 }
526
527 /**
528 * Returns true if the backend can follow redirects. Overridden by the
529 * child classes.
530 */
531 public function canFollowRedirects() {
532 return true;
533 }
534 }
535
536
537 class Cookie {
538 protected $name;
539 protected $value;
540 protected $expires;
541 protected $path;
542 protected $domain;
543 protected $isSessionKey = true;
544 // TO IMPLEMENT protected $secure
545 // TO IMPLEMENT? protected $maxAge (add onto expires)
546 // TO IMPLEMENT? protected $version
547 // TO IMPLEMENT? protected $comment
548
549 function __construct( $name, $value, $attr ) {
550 $this->name = $name;
551 $this->set( $value, $attr );
552 }
553
554 /**
555 * Sets a cookie. Used before a request to set up any individual
556 * cookies. Used internally after a request to parse the
557 * Set-Cookie headers.
558 *
559 * @param $value String: the value of the cookie
560 * @param $attr Array: possible key/values:
561 * expires A date string
562 * path The path this cookie is used on
563 * domain Domain this cookie is used on
564 */
565 public function set( $value, $attr ) {
566 $this->value = $value;
567
568 if ( isset( $attr['expires'] ) ) {
569 $this->isSessionKey = false;
570 $this->expires = strtotime( $attr['expires'] );
571 }
572
573 if ( isset( $attr['path'] ) ) {
574 $this->path = $attr['path'];
575 } else {
576 $this->path = "/";
577 }
578
579 if ( isset( $attr['domain'] ) ) {
580 if ( self::validateCookieDomain( $attr['domain'] ) ) {
581 $this->domain = $attr['domain'];
582 }
583 } else {
584 throw new MWException( "You must specify a domain." );
585 }
586 }
587
588 /**
589 * Return the true if the cookie is valid is valid. Otherwise,
590 * false. The uses a method similar to IE cookie security
591 * described here:
592 * http://kuza55.blogspot.com/2008/02/understanding-cookie-security.html
593 * A better method might be to use a blacklist like
594 * http://publicsuffix.org/
595 *
596 * @param $domain String: the domain to validate
597 * @param $originDomain String: (optional) the domain the cookie originates from
598 * @return Boolean
599 */
600 public static function validateCookieDomain( $domain, $originDomain = null ) {
601 // Don't allow a trailing dot
602 if ( substr( $domain, -1 ) == "." ) {
603 return false;
604 }
605
606 $dc = explode( ".", $domain );
607
608 // Only allow full, valid IP addresses
609 if ( preg_match( '/^[0-9.]+$/', $domain ) ) {
610 if ( count( $dc ) != 4 ) {
611 return false;
612 }
613
614 if ( ip2long( $domain ) === false ) {
615 return false;
616 }
617
618 if ( $originDomain == null || $originDomain == $domain ) {
619 return true;
620 }
621
622 }
623
624 // Don't allow cookies for "co.uk" or "gov.uk", etc, but allow "supermarket.uk"
625 if ( strrpos( $domain, "." ) - strlen( $domain ) == -3 ) {
626 if ( ( count( $dc ) == 2 && strlen( $dc[0] ) <= 2 )
627 || ( count( $dc ) == 3 && strlen( $dc[0] ) == "" && strlen( $dc[1] ) <= 2 ) ) {
628 return false;
629 }
630 if ( ( count( $dc ) == 2 || ( count( $dc ) == 3 && $dc[0] == "" ) )
631 && preg_match( '/(com|net|org|gov|edu)\...$/', $domain ) ) {
632 return false;
633 }
634 }
635
636 if ( $originDomain != null ) {
637 if ( substr( $domain, 0, 1 ) != "." && $domain != $originDomain ) {
638 return false;
639 }
640
641 if ( substr( $domain, 0, 1 ) == "."
642 && substr_compare( $originDomain, $domain, -strlen( $domain ),
643 strlen( $domain ), TRUE ) != 0 ) {
644 return false;
645 }
646 }
647
648 return true;
649 }
650
651 /**
652 * Serialize the cookie jar into a format useful for HTTP Request headers.
653 *
654 * @param $path String: the path that will be used. Required.
655 * @param $domain String: the domain that will be used. Required.
656 * @return String
657 */
658 public function serializeToHttpRequest( $path, $domain ) {
659 $ret = "";
660
661 if ( $this->canServeDomain( $domain )
662 && $this->canServePath( $path )
663 && $this->isUnExpired() ) {
664 $ret = $this->name . "=" . $this->value;
665 }
666
667 return $ret;
668 }
669
670 protected function canServeDomain( $domain ) {
671 if ( $domain == $this->domain
672 || ( strlen( $domain ) > strlen( $this->domain )
673 && substr( $this->domain, 0, 1 ) == "."
674 && substr_compare( $domain, $this->domain, -strlen( $this->domain ),
675 strlen( $this->domain ), TRUE ) == 0 ) ) {
676 return true;
677 }
678
679 return false;
680 }
681
682 protected function canServePath( $path ) {
683 if ( $this->path && substr_compare( $this->path, $path, 0, strlen( $this->path ) ) == 0 ) {
684 return true;
685 }
686
687 return false;
688 }
689
690 protected function isUnExpired() {
691 if ( $this->isSessionKey || $this->expires > time() ) {
692 return true;
693 }
694
695 return false;
696 }
697 }
698
699 class CookieJar {
700 private $cookie = array();
701
702 /**
703 * Set a cookie in the cookie jar. Make sure only one cookie per-name exists.
704 * @see Cookie::set()
705 */
706 public function setCookie ( $name, $value, $attr ) {
707 /* cookies: case insensitive, so this should work.
708 * We'll still send the cookies back in the same case we got them, though.
709 */
710 $index = strtoupper( $name );
711
712 if ( isset( $this->cookie[$index] ) ) {
713 $this->cookie[$index]->set( $value, $attr );
714 } else {
715 $this->cookie[$index] = new Cookie( $name, $value, $attr );
716 }
717 }
718
719 /**
720 * @see Cookie::serializeToHttpRequest
721 */
722 public function serializeToHttpRequest( $path, $domain ) {
723 $cookies = array();
724
725 foreach ( $this->cookie as $c ) {
726 $serialized = $c->serializeToHttpRequest( $path, $domain );
727
728 if ( $serialized ) {
729 $cookies[] = $serialized;
730 }
731 }
732
733 return implode( "; ", $cookies );
734 }
735
736 /**
737 * Parse the content of an Set-Cookie HTTP Response header.
738 *
739 * @param $cookie String
740 * @param $domain String: cookie's domain
741 */
742 public function parseCookieResponseHeader ( $cookie, $domain ) {
743 $len = strlen( "Set-Cookie:" );
744
745 if ( substr_compare( "Set-Cookie:", $cookie, 0, $len, TRUE ) === 0 ) {
746 $cookie = substr( $cookie, $len );
747 }
748
749 $bit = array_map( 'trim', explode( ";", $cookie ) );
750
751 if ( count( $bit ) >= 1 ) {
752 list( $name, $value ) = explode( "=", array_shift( $bit ), 2 );
753 $attr = array();
754
755 foreach ( $bit as $piece ) {
756 $parts = explode( "=", $piece );
757 if ( count( $parts ) > 1 ) {
758 $attr[strtolower( $parts[0] )] = $parts[1];
759 } else {
760 $attr[strtolower( $parts[0] )] = true;
761 }
762 }
763
764 if ( !isset( $attr['domain'] ) ) {
765 $attr['domain'] = $domain;
766 } elseif ( !Cookie::validateCookieDomain( $attr['domain'], $domain ) ) {
767 return null;
768 }
769
770 $this->setCookie( $name, $value, $attr );
771 }
772 }
773 }
774
775 /**
776 * HttpRequest implemented using internal curl compiled into PHP
777 */
778 class CurlHttpRequest extends HttpRequest {
779 static $curlMessageMap = array(
780 6 => 'http-host-unreachable',
781 28 => 'http-timed-out'
782 );
783
784 protected $curlOptions = array();
785 protected $headerText = "";
786
787 protected function readHeader( $fh, $content ) {
788 $this->headerText .= $content;
789 return strlen( $content );
790 }
791
792 public function execute() {
793 parent::execute();
794
795 if ( !$this->status->isOK() ) {
796 return $this->status;
797 }
798
799 $this->curlOptions[CURLOPT_PROXY] = $this->proxy;
800 $this->curlOptions[CURLOPT_TIMEOUT] = $this->timeout;
801 $this->curlOptions[CURLOPT_HTTP_VERSION] = CURL_HTTP_VERSION_1_0;
802 $this->curlOptions[CURLOPT_WRITEFUNCTION] = $this->callback;
803 $this->curlOptions[CURLOPT_HEADERFUNCTION] = array( $this, "readHeader" );
804 $this->curlOptions[CURLOPT_MAXREDIRS] = $this->maxRedirects;
805 $this->curlOptions[CURLOPT_ENCODING] = ""; # Enable compression
806
807 /* not sure these two are actually necessary */
808 if ( isset( $this->reqHeaders['Referer'] ) ) {
809 $this->curlOptions[CURLOPT_REFERER] = $this->reqHeaders['Referer'];
810 }
811 $this->curlOptions[CURLOPT_USERAGENT] = $this->reqHeaders['User-Agent'];
812
813 if ( isset( $this->sslVerifyHost ) ) {
814 $this->curlOptions[CURLOPT_SSL_VERIFYHOST] = $this->sslVerifyHost;
815 }
816
817 if ( isset( $this->sslVerifyCert ) ) {
818 $this->curlOptions[CURLOPT_SSL_VERIFYPEER] = $this->sslVerifyCert;
819 }
820
821 if ( $this->caInfo ) {
822 $this->curlOptions[CURLOPT_CAINFO] = $this->caInfo;
823 }
824
825 if ( $this->headersOnly ) {
826 $this->curlOptions[CURLOPT_NOBODY] = true;
827 $this->curlOptions[CURLOPT_HEADER] = true;
828 } elseif ( $this->method == 'POST' ) {
829 $this->curlOptions[CURLOPT_POST] = true;
830 $this->curlOptions[CURLOPT_POSTFIELDS] = $this->postData;
831 // Suppress 'Expect: 100-continue' header, as some servers
832 // will reject it with a 417 and Curl won't auto retry
833 // with HTTP 1.0 fallback
834 $this->reqHeaders['Expect'] = '';
835 } else {
836 $this->curlOptions[CURLOPT_CUSTOMREQUEST] = $this->method;
837 }
838
839 $this->curlOptions[CURLOPT_HTTPHEADER] = $this->getHeaderList();
840
841 $curlHandle = curl_init( $this->url );
842
843 if ( !curl_setopt_array( $curlHandle, $this->curlOptions ) ) {
844 throw new MWException( "Error setting curl options." );
845 }
846
847 if ( $this->followRedirects && $this->canFollowRedirects() ) {
848 if ( ! @curl_setopt( $curlHandle, CURLOPT_FOLLOWLOCATION, true ) ) {
849 wfDebug( __METHOD__ . ": Couldn't set CURLOPT_FOLLOWLOCATION. " .
850 "Probably safe_mode or open_basedir is set.\n" );
851 // Continue the processing. If it were in curl_setopt_array,
852 // processing would have halted on its entry
853 }
854 }
855
856 if ( false === curl_exec( $curlHandle ) ) {
857 $code = curl_error( $curlHandle );
858
859 if ( isset( self::$curlMessageMap[$code] ) ) {
860 $this->status->fatal( self::$curlMessageMap[$code] );
861 } else {
862 $this->status->fatal( 'http-curl-error', curl_error( $curlHandle ) );
863 }
864 } else {
865 $this->headerList = explode( "\r\n", $this->headerText );
866 }
867
868 curl_close( $curlHandle );
869
870 $this->parseHeader();
871 $this->setStatus();
872
873 return $this->status;
874 }
875
876 public function canFollowRedirects() {
877 if ( strval( ini_get( 'open_basedir' ) ) !== '' || wfIniGetBool( 'safe_mode' ) ) {
878 wfDebug( "Cannot follow redirects in safe mode\n" );
879 return false;
880 }
881
882 if ( !defined( 'CURLOPT_REDIR_PROTOCOLS' ) ) {
883 wfDebug( "Cannot follow redirects with libcurl < 7.19.4 due to CVE-2009-0037\n" );
884 return false;
885 }
886
887 return true;
888 }
889 }
890
891 class PhpHttpRequest extends HttpRequest {
892 protected function urlToTcp( $url ) {
893 $parsedUrl = parse_url( $url );
894
895 return 'tcp://' . $parsedUrl['host'] . ':' . $parsedUrl['port'];
896 }
897
898 public function execute() {
899 parent::execute();
900
901 // At least on Centos 4.8 with PHP 5.1.6, using max_redirects to follow redirects
902 // causes a segfault
903 $manuallyRedirect = version_compare( phpversion(), '5.1.7', '<' );
904
905 if ( $this->parsedUrl['scheme'] != 'http' ) {
906 $this->status->fatal( 'http-invalid-scheme', $this->parsedUrl['scheme'] );
907 }
908
909 $this->reqHeaders['Accept'] = "*/*";
910 if ( $this->method == 'POST' ) {
911 // Required for HTTP 1.0 POSTs
912 $this->reqHeaders['Content-Length'] = strlen( $this->postData );
913 $this->reqHeaders['Content-type'] = "application/x-www-form-urlencoded";
914 }
915
916 $options = array();
917 if ( $this->proxy && !$this->noProxy ) {
918 $options['proxy'] = $this->urlToTCP( $this->proxy );
919 $options['request_fulluri'] = true;
920 }
921
922 if ( !$this->followRedirects || $manuallyRedirect ) {
923 $options['max_redirects'] = 0;
924 } else {
925 $options['max_redirects'] = $this->maxRedirects;
926 }
927
928 $options['method'] = $this->method;
929 $options['header'] = implode( "\r\n", $this->getHeaderList() );
930 // Note that at some future point we may want to support
931 // HTTP/1.1, but we'd have to write support for chunking
932 // in version of PHP < 5.3.1
933 $options['protocol_version'] = "1.0";
934
935 // This is how we tell PHP we want to deal with 404s (for example) ourselves.
936 // Only works on 5.2.10+
937 $options['ignore_errors'] = true;
938
939 if ( $this->postData ) {
940 $options['content'] = $this->postData;
941 }
942
943 $oldTimeout = false;
944 if ( version_compare( '5.2.1', phpversion(), '>' ) ) {
945 $oldTimeout = ini_set( 'default_socket_timeout', $this->timeout );
946 } else {
947 $options['timeout'] = $this->timeout;
948 }
949
950 $context = stream_context_create( array( 'http' => $options ) );
951
952 $this->headerList = array();
953 $reqCount = 0;
954 $url = $this->url;
955
956 do {
957 $reqCount++;
958 wfSuppressWarnings();
959 $fh = fopen( $url, "r", false, $context );
960 wfRestoreWarnings();
961
962 if ( !$fh ) {
963 break;
964 }
965
966 $result = stream_get_meta_data( $fh );
967 $this->headerList = $result['wrapper_data'];
968 $this->parseHeader();
969
970 if ( !$manuallyRedirect || !$this->followRedirects ) {
971 break;
972 }
973
974 # Handle manual redirection
975 if ( !$this->isRedirect() || $reqCount > $this->maxRedirects ) {
976 break;
977 }
978 # Check security of URL
979 $url = $this->getResponseHeader( "Location" );
980
981 if ( substr( $url, 0, 7 ) !== 'http://' ) {
982 wfDebug( __METHOD__ . ": insecure redirection\n" );
983 break;
984 }
985 } while ( true );
986
987 if ( $oldTimeout !== false ) {
988 ini_set( 'default_socket_timeout', $oldTimeout );
989 }
990
991 $this->setStatus();
992
993 if ( $fh === false ) {
994 $this->status->fatal( 'http-request-error' );
995 return $this->status;
996 }
997
998 if ( $result['timed_out'] ) {
999 $this->status->fatal( 'http-timed-out', $this->url );
1000 return $this->status;
1001 }
1002
1003 if ( $this->status->isOK() ) {
1004 while ( !feof( $fh ) ) {
1005 $buf = fread( $fh, 8192 );
1006
1007 if ( $buf === false ) {
1008 $this->status->fatal( 'http-read-error' );
1009 break;
1010 }
1011
1012 if ( strlen( $buf ) ) {
1013 call_user_func( $this->callback, $fh, $buf );
1014 }
1015 }
1016 }
1017 fclose( $fh );
1018
1019 return $this->status;
1020 }
1021 }