]> CyberLeo.Net >> Repos - SourceForge/phpwiki.git/blob - lib/Request.php
remove final \n to be ob_cache independent
[SourceForge/phpwiki.git] / lib / Request.php
1 <?php // -*-php-*-
2 rcs_id('$Id: Request.php,v 1.80 2004-11-21 11:59:16 rurban Exp $');
3 /*
4  Copyright (C) 2002,2004 $ThePhpWikiProgrammingTeam
5  
6  This file is part of PhpWiki.
7
8  PhpWiki is free software; you can redistribute it and/or modify
9  it under the terms of the GNU General Public License as published by
10  the Free Software Foundation; either version 2 of the License, or
11  (at your option) any later version.
12
13  PhpWiki is distributed in the hope that it will be useful,
14  but WITHOUT ANY WARRANTY; without even the implied warranty of
15  MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
16  GNU General Public License for more details.
17
18  You should have received a copy of the GNU General Public License
19  along with PhpWiki; if not, write to the Free Software
20  Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA  02111-1307  USA
21  */
22
23 // backward compatibility for PHP < 4.2.0
24 if (!function_exists('ob_clean')) {
25     function ob_clean() {
26         ob_end_clean();
27         ob_start();
28     }
29 }
30
31 class Request {
32         
33     function Request() {
34         $this->_fix_magic_quotes_gpc();
35         $this->_fix_multipart_form_data();
36         
37         switch($this->get('REQUEST_METHOD')) {
38         case 'GET':
39         case 'HEAD':
40             $this->args = &$GLOBALS['HTTP_GET_VARS'];
41             break;
42         case 'POST':
43             $this->args = &$GLOBALS['HTTP_POST_VARS'];
44             break;
45         default:
46             $this->args = array();
47             break;
48         }
49         
50         $this->session = new Request_SessionVars; 
51         $this->cookies = new Request_CookieVars;
52         
53         if (ACCESS_LOG or ACCESS_LOG_SQL) {
54             $this->_accesslog =& new Request_AccessLog(ACCESS_LOG, ACCESS_LOG_SQL);
55         }
56         
57         $GLOBALS['request'] = $this;
58     }
59
60     function get($key) {
61         if (!empty($GLOBALS['HTTP_SERVER_VARS']))
62             $vars = &$GLOBALS['HTTP_SERVER_VARS'];
63         else // cgi or other servers than Apache
64             $vars = &$GLOBALS['HTTP_ENV_VARS'];
65
66         if (isset($vars[$key]))
67             return $vars[$key];
68
69         switch ($key) {
70         case 'REMOTE_HOST':
71             $addr = $vars['REMOTE_ADDR'];
72             if (defined('ENABLE_REVERSE_DNS') && ENABLE_REVERSE_DNS)
73                 return $vars[$key] = gethostbyaddr($addr);
74             else
75                 return $addr;
76         default:
77             return false;
78         }
79     }
80
81     function getArg($key) {
82         if (isset($this->args[$key]))
83             return $this->args[$key];
84         return false;
85     }
86
87     function getArgs () {
88         return $this->args;
89     }
90     
91     function setArg($key, $val) {
92         if ($val === false)
93             unset($this->args[$key]);
94         else
95             $this->args[$key] = $val;
96     }
97     
98     // Well oh well. Do we really want to pass POST params back as GET?
99     function getURLtoSelf($args = false, $exclude = array()) {
100         $get_args = $this->args;
101         if ($args)
102             $get_args = array_merge($get_args, $args);
103
104         // Err... good point...
105         // sortby buttons
106         if ($this->isPost()) {
107             $exclude = array_merge($exclude, array('action','auth'));
108             //$get_args = $args; // or only the provided
109             /*
110             trigger_error("Request::getURLtoSelf() should probably not be from POST",
111                           E_USER_NOTICE);
112             */
113         }
114
115         foreach ($exclude as $ex) {
116             if (!empty($get_args[$ex])) unset($get_args[$ex]);
117         }
118
119         $pagename = $get_args['pagename'];
120         unset ($get_args['pagename']);
121         if (!empty($get_args['action']) and $get_args['action'] == 'browse')
122             unset($get_args['action']);
123
124         return WikiURL($pagename, $get_args);
125     }
126
127     function isPost () {
128         return $this->get("REQUEST_METHOD") == "POST";
129     }
130
131     function isGetOrHead () {
132         return in_array($this->get('REQUEST_METHOD'),
133                         array('GET', 'HEAD'));
134     }
135
136     function httpVersion() {
137         if (!preg_match('@HTTP\s*/\s*(\d+.\d+)@', $this->get('SERVER_PROTOCOL'), $m))
138             return false;
139         return (float) $m[1];
140     }
141     
142     function redirect($url, $noreturn=true) {
143         $bogus = defined('DISABLE_HTTP_REDIRECT') and DISABLE_HTTP_REDIRECT;
144         
145         if (!$bogus) {
146             header("Location: $url");
147             /*
148              * "302 Found" is not really meant to be sent in response
149              * to a POST.  Worse still, according to (both HTTP 1.0
150              * and 1.1) spec, the user, if it is sent, the user agent
151              * is supposed to use the same method to fetch the
152              * redirected URI as the original.
153              *
154              * That means if we redirect from a POST, the user-agent
155              * supposed to generate another POST.  Not what we want.
156              * (We do this after a page save after all.)
157              *
158              * Fortunately, most/all browsers don't do that.
159              *
160              * "303 See Other" is what we really want.  But it only
161              * exists in HTTP/1.1
162              *
163              * FIXME: this is still not spec compliant for HTTP
164              * version < 1.1.
165              */
166             $status = $this->httpVersion() >= 1.1 ? 303 : 302;
167             $this->setStatus($status);
168         }
169
170         if ($noreturn) {
171             include_once('lib/Template.php');
172             $this->discardOutput();
173             $tmpl = new Template('redirect', $this, array('REDIRECT_URL' => $url));
174             $tmpl->printXML();
175             $this->finish();
176         }
177         else if ($bogus) {
178             return JavaScript("
179               function redirect(url) {
180                 if (typeof location.replace == 'function')
181                   location.replace(url);
182                 else if (typeof location.assign == 'function')
183                   location.assign(url);
184                 else
185                   window.location = url;
186               }
187               redirect('" . addslashes($url) . "')");
188         }
189     }
190
191     /** Set validators for this response.
192      *
193      * This sets a (possibly incomplete) set of validators
194      * for this response.
195      *
196      * The validator set can be extended using appendValidators().
197      *
198      * When you're all done setting and appending validators, you
199      * must call checkValidators() to check them and set the
200      * appropriate headers in the HTTP response.
201      *
202      * Example Usage:
203      *  ...
204      *  $request->setValidators(array('pagename' => $pagename,
205      *                                '%mtime' => $rev->get('mtime')));
206      *  ...
207      *  // Wups... response content depends on $otherpage, too...
208      *  $request->appendValidators(array('otherpage' => $otherpagerev->getPageName(),
209      *                                   '%mtime' => $otherpagerev->get('mtime')));
210      *  ...
211      *  // After all validators have been set:
212      *  $request->checkValidators();
213      */
214     function setValidators($validator_set) {
215         if (is_array($validator_set))
216             $validator_set = new HTTP_ValidatorSet($validator_set);
217         $this->_validators = $validator_set;
218     }
219     
220     /** Append more validators for this response. 
221      *  i.e dependencies on other pages mtimes
222      *  now it may be called in init also to simplify client code.
223      */ 
224     function appendValidators($validator_set) {
225         if (!isset($this->_validators)) {
226             $this->setValidators($validator_set);
227             return;
228         }
229         $this->_validators->append($validator_set);
230     }
231     
232     /** Check validators and set headers in HTTP response
233      *
234      * This sets the appropriate "Last-Modified" and "ETag"
235      * headers in the HTTP response.
236      *
237      * Additionally, if the validators match any(all) conditional
238      * headers in the HTTP request, this method will not return, but
239      * instead will send "304 Not Modified" or "412 Precondition
240      * Failed" (as appropriate) back to the client.
241      */
242     function checkValidators() {
243         $validators = &$this->_validators;
244         
245         // Set validator headers
246         if ($this->_is_buffering_output or !headers_sent()) {
247             if (($etag = $validators->getETag()) !== false)
248                 header("ETag: " . $etag->asString());
249             if (($mtime = $validators->getModificationTime()) !== false)
250                 header("Last-Modified: " . Rfc1123DateTime($mtime));
251
252             // Set cache control headers
253             $this->cacheControl();
254         }
255
256         if (CACHE_CONTROL == 'NO_CACHE')
257             return;             // don't check conditionals...
258         
259         // Check conditional headers in request
260         $status = $validators->checkConditionalRequest($this);
261         if ($status) {
262             // Return short response due to failed conditionals
263             $this->setStatus($status);
264             print "\n\n";
265             $this->discardOutput();
266             $this->finish();
267             exit();
268         }
269     }
270
271     /** Set the cache control headers in the HTTP response.
272      */
273     function cacheControl($strategy=CACHE_CONTROL, $max_age=CACHE_CONTROL_MAX_AGE) {
274         if ($strategy == 'NO_CACHE') {
275             $cache_control = "no-cache"; // better set private. See Pear HTTP_Header
276             $max_age = -20;
277         }
278         elseif ($strategy == 'ALLOW_STALE' && $max_age > 0) {
279             $cache_control = sprintf("max-age=%d", $max_age);
280         }
281         else {
282             $cache_control = "must-revalidate";
283             $max_age = -20;
284         }
285         header("Cache-Control: $cache_control");
286         header("Expires: " . Rfc1123DateTime(time() + $max_age));
287         header("Vary: Cookie"); // FIXME: add more here?
288     }
289     
290     function setStatus($status) {
291         if (preg_match('|^HTTP/.*?\s(\d+)|i', $status, $m)) {
292             header($status);
293             $status = $m[1];
294         }
295         else {
296             $status = (integer) $status;
297             $reason = array('200' => 'OK',
298                             '302' => 'Found',
299                             '303' => 'See Other',
300                             '304' => 'Not Modified',
301                             '400' => 'Bad Request',
302                             '401' => 'Unauthorized',
303                             '403' => 'Forbidden',
304                             '404' => 'Not Found',
305                             '412' => 'Precondition Failed');
306             // FIXME: is it always okay to send HTTP/1.1 here, even for older clients?
307             header(sprintf("HTTP/1.1 %d %s", $status, $reason[$status]));
308         }
309
310         if (isset($this->_log_entry))
311             $this->_log_entry->setStatus($status);
312     }
313
314     function buffer_output($compress = true) {
315         // USECACHE = false turns off ob buffering also for now. (sf.net)
316         // FIXME: disables sessions (some byte before all headers_sent())
317         /*if (defined('USECACHE') and !USECACHE) {
318             $this->_is_buffering_output = false;
319             return;
320         }*/
321         if (defined('COMPRESS_OUTPUT')) {
322             if (!COMPRESS_OUTPUT)
323                 $compress = false;
324         }
325         elseif (!check_php_version(4,2,3))
326             $compress = false;
327         elseif (isCGI()) // necessary?
328             $compress = false;
329             
330         if ($this->getArg('start_debug'))
331             $compress = false;
332         // Should we compress even when apache_note is not available?
333         // sf.net bug #933183 and http://bugs.php.net/17557
334         // This effectively eliminates CGI, but all other servers also. hmm.
335         if ($compress 
336             and (!function_exists('ob_gzhandler') 
337                  or !function_exists('apache_note'))) 
338             $compress = false;
339         // http://www.php.net/ob_gzhandler "output handler 'ob_gzhandler' cannot be used twice"
340         if ($compress and ini_get("zlib.output_compression"))
341             $compress = false;
342
343         // New: we check for the client Accept-Encoding: "gzip" presence also
344         // This should eliminate a lot or reported problems.
345         if ($compress
346             and (!$this->get("HTTP_ACCEPT_ENCODING")
347                  or !strstr($this->get("HTTP_ACCEPT_ENCODING"), "gzip")))
348             $compress = false;
349
350         // Most RSS clients are NOT(!) application/xml gzip compatible yet. 
351         // Even if they are sending the accept-encoding gzip header!
352         // wget is, Mozilla, and MSIE no.
353         // Of the RSS readers only MagpieRSS 0.5.2 is. http://www.rssgov.com/rssparsers.html
354         // See also http://phpwiki.sourceforge.net/phpwiki/KnownBugs
355         if ($compress 
356             and $this->getArg('format') 
357             and strstr($this->getArg('format'), 'rss'))
358             $compress = false;
359
360         if ($compress) {
361             ob_start('ob_gzhandler');
362             /*
363              * Attempt to prevent Apache from doing the dreaded double-gzip.
364              *
365              * It would be better if we could detect when apache was going
366              * to zip for us, and then let it ... but I have yet to figure
367              * out how to do that.
368              */
369             if (function_exists('apache_note'))
370                 @apache_note('no-gzip', 1);
371         }
372         else {
373             // Now we alway buffer output.
374             // This is so we can set HTTP headers (e.g. for redirect)
375             // at any point.
376             // FIXME: change the name of this method.
377             ob_start();
378         }
379         $this->_is_buffering_output = true;
380         $this->_ob_get_length = 0;
381     }
382
383     function discardOutput() {
384         if (!empty($this->_is_buffering_output)) {
385             ob_clean();
386             $this->_is_buffering_output = false;
387         } else {
388             trigger_error("Not buffering output", E_USER_NOTICE);
389         }
390     }
391
392     /** 
393      * Longer texts need too much memory on tiny or memory-limit=8MB systems.
394      * We might want to flush our buffer and restart again.
395      * (This would be fine if php would release its memory)
396      * Note that this must not be called inside Template expansion or other 
397      * sections with ob_buffering.
398      */
399     function chunkOutput() {
400         if (!empty($this->_is_buffering_output) or 
401             (function_exists('ob_get_level') and @ob_get_level())) {
402             $this->_do_chunked_output = true;
403             $this->_ob_get_length += ob_get_length();
404             while (@ob_end_flush());
405             ob_end_clean();
406             ob_start();
407         }
408     }
409
410     function finish() {
411         if (!empty($this->_accesslog)) {
412             $this->_accesslog->push($this);
413             if (empty($this->_do_chunked_output))
414                 $this->_ob_get_length = ob_get_length();
415             $this->_accesslog->setSize($this->_ob_get_length);
416             global $RUNTIMER;
417             if ($RUNTIMER) $this->_accesslog->setDuration($RUNTIMER->getTime());
418             // sql logging must be done before the db is closed.
419             $this->_accesslog->write_sql();
420         }
421         
422         session_write_close();
423         if (!empty($this->_dbi)) {
424             $this->_dbi->close();
425             unset($this->_dbi);
426         }
427
428         if (!empty($this->_is_buffering_output)) {
429             /* This cannot work because it might destroy xml markup */
430             /*
431             if (0 and $GLOBALS['SearchHighLightQuery'] and check_php_version(4,2)) {
432                 $html = str_replace($GLOBALS['SearchHighLightQuery'],
433                                     '<span class="search-term">'.$GLOBALS['SearchHighLightQuery'].'</span>',
434                                     ob_get_contents());
435                 ob_clean();
436                 header(sprintf("Content-Length: %d", strlen($html)));
437                 echo $html;
438             } else {
439             */
440             if (empty($this->_do_chunked_output)) {
441                 $this->_ob_get_length = ob_get_length();
442             }
443             header(sprintf("Content-Length: %d", $this->_ob_get_length));
444             //}
445             while (@ob_end_flush());
446             $this->_is_buffering_output = false;
447         }
448         exit;
449     }
450
451     function getSessionVar($key) {
452         return $this->session->get($key);
453     }
454     function setSessionVar($key, $val) {
455         if ($key == 'wiki_user') {
456             if (empty($val->page))
457                 $val->page = $this->getArg('pagename');
458             if (empty($val->action))
459                 $val->action = $this->getArg('action');
460             // avoid recursive objects and session resource handles
461             // avoid overlarge session data (max 4000 byte!)
462             if (isset($val->_group)) {
463                 unset($val->_group->_request);
464                 unset($val->_group->_user);
465             }
466             if (ENABLE_USER_NEW) {
467                 unset($val->_HomePagehandle);
468                 unset($val->_auth_dbi);
469             } else {
470                 unset($val->_dbi);
471                 unset($val->_authdbi);
472                 unset($val->_homepage);
473                 unset($val->_request);
474             }
475         }
476         return $this->session->set($key, $val);
477     }
478     function deleteSessionVar($key) {
479         return $this->session->delete($key);
480     }
481
482     function getCookieVar($key) {
483         return $this->cookies->get($key);
484     }
485     function setCookieVar($key, $val, $lifetime_in_days = false, $path = false) {
486         return $this->cookies->set($key, $val, $lifetime_in_days, $path);
487     }
488     function deleteCookieVar($key) {
489         return $this->cookies->delete($key);
490     }
491     
492     function getUploadedFile($key) {
493         return Request_UploadedFile::getUploadedFile($key);
494     }
495     
496
497     function _fix_magic_quotes_gpc() {
498         $needs_fix = array('HTTP_POST_VARS',
499                            'HTTP_GET_VARS',
500                            'HTTP_COOKIE_VARS',
501                            'HTTP_SERVER_VARS',
502                            'HTTP_POST_FILES');
503         
504         // Fix magic quotes.
505         if (get_magic_quotes_gpc()) {
506             foreach ($needs_fix as $vars)
507                 $this->_stripslashes($GLOBALS[$vars]);
508         }
509     }
510
511     function _stripslashes(&$var) {
512         if (is_array($var)) {
513             foreach ($var as $key => $val)
514                 $this->_stripslashes($var[$key]);
515         }
516         elseif (is_string($var))
517             $var = stripslashes($var);
518     }
519     
520     function _fix_multipart_form_data () {
521         if (preg_match('|^multipart/form-data|', $this->get('CONTENT_TYPE')))
522             $this->_strip_leading_nl($GLOBALS['HTTP_POST_VARS']);
523     }
524     
525     function _strip_leading_nl(&$var) {
526         if (is_array($var)) {
527             foreach ($var as $key => $val)
528                 $this->_strip_leading_nl($var[$key]);
529         }
530         elseif (is_string($var))
531             $var = preg_replace('|^\r?\n?|', '', $var);
532     }
533 }
534
535 class Request_SessionVars {
536     function Request_SessionVars() {
537         // Prevent cacheing problems with IE 5
538         session_cache_limiter('none');
539                                         
540         // Avoid to get a notice if session is already started,
541         // for example if session.auto_start is activated
542         if (!session_id())
543             session_start();
544     }
545     
546     function get($key) {
547         $vars = &$GLOBALS['HTTP_SESSION_VARS'];
548         if (isset($vars[$key]))
549             return $vars[$key];
550         return false;
551     }
552     
553     function set($key, $val) {
554         $vars = &$GLOBALS['HTTP_SESSION_VARS'];
555         if (!function_usable('get_cfg_var') or get_cfg_var('register_globals')) {
556             // This is funky but necessary, at least in some PHP's
557             $GLOBALS[$key] = $val;
558         }
559         $vars[$key] = $val;
560         if (isset($_SESSION))
561             $_SESSION[$key] = $val;
562         session_register($key);
563     }
564     
565     function delete($key) {
566         $vars = &$GLOBALS['HTTP_SESSION_VARS'];
567         if (!function_usable('ini_get') or ini_get('register_globals'))
568             unset($GLOBALS[$key]);
569         if (DEBUG) trigger_error("delete session $key",E_USER_WARNING);
570         unset($vars[$key]);
571         session_unregister($key);
572     }
573 }
574
575 class Request_CookieVars {
576     
577     function get($key) {
578         $vars = &$GLOBALS['HTTP_COOKIE_VARS'];
579         if (isset($vars[$key])) {
580             @$val = unserialize(base64_decode($vars[$key]));
581             if (!empty($val))
582                 return $val;
583             @$val = urldecode($vars[$key]);
584             if (!empty($val))
585                 return $val;
586         }
587         return false;
588     }
589
590     function get_old($key) {
591         $vars = &$GLOBALS['HTTP_COOKIE_VARS'];
592         if (isset($vars[$key])) {
593             @$val = unserialize(base64_decode($vars[$key]));
594             if (!empty($val))
595                 return $val;
596             @$val = unserialize($vars[$key]);
597             if (!empty($val))
598                 return $val;
599             @$val = $vars[$key];
600             if (!empty($val))
601                 return $val;
602         }
603         return false;
604     }
605
606     function set($key, $val, $persist_days = false, $path = false) {
607         // if already defined, ignore
608         if (defined('MAIN_setUser') and $key = 'WIKI_ID') return;
609         $vars = &$GLOBALS['HTTP_COOKIE_VARS'];
610         if (is_numeric($persist_days)) {
611             $expires = time() + (24 * 3600) * $persist_days;
612         }
613         else {
614             $expires = 0;
615         }
616         if (is_array($val) or is_object($val))
617             $packedval = base64_encode(serialize($val));
618         else
619             $packedval = urlencode($val);
620         $vars[$key] = $packedval;
621         if ($path)
622             @setcookie($key, $packedval, $expires, $path);
623         else
624             @setcookie($key, $packedval, $expires);
625     }
626     
627     function delete($key) {
628         static $deleted = array();
629         if (isset($deleted[$key])) return;
630         $vars = &$GLOBALS['HTTP_COOKIE_VARS'];
631         if (!defined('COOKIE_DOMAIN'))
632             @setcookie($key,'',0);
633         @setcookie($key,'',0,defined('COOKIE_DOMAIN') ? COOKIE_DOMAIN : '/');
634         unset($vars[$key]);
635         unset($GLOBALS['HTTP_COOKIE_VARS'][$key]);
636         $deleted[$key] = 1;
637     }
638 }
639
640 /* Win32 Note:
641    [\winnt\php.ini]
642    You must set "upload_tmp_dir" = "/tmp/" or "C:/tmp/"
643    Best on the same drive as apache, with forward slashes 
644    and with ending slash!
645    Otherwise "\\" => "" and the uploaded file will not be found.
646 */
647 class Request_UploadedFile {
648     function getUploadedFile($postname) {
649         global $HTTP_POST_FILES;
650         
651         if (!isset($HTTP_POST_FILES[$postname]))
652             return false;
653         
654         $fileinfo = &$HTTP_POST_FILES[$postname];
655         if ($fileinfo['error']) {
656             // errmsgs by Shilad Sen
657             switch ($HTTP_POST_FILES['userfile']['error']) {
658             case 1:
659                 trigger_error(_("Upload error: file too big"), E_USER_ERROR);
660                 break;
661             case 2:
662                 trigger_error(_("Upload error: file too big"), E_USER_ERROR);
663                 break;
664             case 3:
665                 trigger_error(_("Upload error: file only partially recieved"), E_USER_ERROR);
666                 break;
667             case 4:
668                 trigger_error(_("Upload error: no file selected"), E_USER_ERROR);
669                 break;
670             default:
671                 trigger_error(_("Upload error: unknown error #") . $fileinfo['error'], E_USER_ERROR);
672                 break;
673             }
674             return false;
675         }
676
677         // With windows/php 4.2.1 is_uploaded_file() always returns false.
678         // Be sure that upload_tmp_dir ends with a slash!
679         if (!is_uploaded_file($fileinfo['tmp_name'])) {
680             if (isWindows()) {
681                 if (!$tmp_file = get_cfg_var('upload_tmp_dir')) {
682                     $tmp_file = dirname(tempnam('', ''));
683                 }
684                 $tmp_file .= '/' . basename($fileinfo['tmp_name']);
685                 /* but ending slash in php.ini upload_tmp_dir is required. */
686                 if (ereg_replace('/+', '/', $tmp_file) != $fileinfo['tmp_name']) {
687                     trigger_error(sprintf("Uploaded tmpfile illegal: %s != %s.",$tmp_file, $fileinfo['tmp_name']).
688                                   "\n".
689                                   "Probably illegal TEMP environment or upload_tmp_dir setting.",
690                                   E_USER_ERROR);
691                     return false;
692                 } else {
693                     /*
694                     trigger_error(sprintf("Workaround for PHP/Windows is_uploaded_file() problem for %s.",
695                                           $fileinfo['tmp_name'])."\n".
696                                   "Probably illegal TEMP environment or upload_tmp_dir setting.", 
697                                   E_USER_NOTICE);
698                     */
699                     ;
700                 }
701             } else {
702               trigger_error(sprintf("Uploaded tmpfile %s not found.",$fileinfo['tmp_name'])."\n".
703                            " Probably illegal TEMP environment or upload_tmp_dir setting.",
704                           E_USER_WARNING);
705             }
706         }
707         return new Request_UploadedFile($fileinfo);
708     }
709     
710     function Request_UploadedFile($fileinfo) {
711         $this->_info = $fileinfo;
712     }
713
714     function getSize() {
715         return $this->_info['size'];
716     }
717
718     function getName() {
719         return $this->_info['name'];
720     }
721
722     function getType() {
723         return $this->_info['type'];
724     }
725
726     function getTmpName() {
727         return $this->_info['tmp_name'];
728     }
729
730     function open() {
731         if ( ($fd = fopen($this->_info['tmp_name'], "rb")) ) {
732             if ($this->getSize() < filesize($this->_info['tmp_name'])) {
733                 // FIXME: Some PHP's (or is it some browsers?) put
734                 //    HTTP/MIME headers in the file body, some don't.
735                 //
736                 // At least, I think that's the case.  I know I used
737                 // to need this code, now I don't.
738                 //
739                 // This code is more-or-less untested currently.
740                 //
741                 // Dump HTTP headers.
742                 while ( ($header = fgets($fd, 4096)) ) {
743                     if (trim($header) == '') {
744                         break;
745                     }
746                     else if (!preg_match('/^content-(length|type):/i', $header)) {
747                         rewind($fd);
748                         break;
749                     }
750                 }
751             }
752         }
753         return $fd;
754     }
755
756     function getContents() {
757         $fd = $this->open();
758         $data = fread($fd, $this->getSize());
759         fclose($fd);
760         return $data;
761     }
762 }
763
764 /**
765  * Create NCSA "combined" log entry for current request.
766  * Also needed for advanced spam prevention.
767  * global object holding global state (sql or file, entries, to dump)
768  */
769 class Request_AccessLog {
770     /**
771      * @param $logfile string  Log file name.
772      */
773     function Request_AccessLog ($logfile, $do_sql = false) {
774         //global $request; // request not yet initialized!
775
776         $this->logfile = $logfile;
777         if ($logfile and !is_writeable($logfile)) {
778             trigger_error
779                 (sprintf(_("%s is not writable."), _("The PhpWiki access log file"))
780                  . "\n"
781                  . sprintf(_("Please ensure that %s is writable, or redefine %s in config/config.ini."),
782                            sprintf(_("the file '%s'"), ACCESS_LOG),
783                            'ACCESS_LOG')
784                  , E_USER_NOTICE);
785         }
786         //$request->_accesslog =& $this;
787         //if (empty($request->_accesslog->entries))
788         register_shutdown_function("Request_AccessLogEntry_shutdown_function");
789         
790         if ($do_sql) {
791             global $DBParams;
792             if (!in_array($DBParams['dbtype'], array('SQL','ADODB'))) {
793                 trigger_error("Unsupported database backend for ACCESS_LOG_SQL.\nNeed DATABASE_TYPE=SQL or ADODB");
794             } else {
795                 //$this->_dbi =& $request->_dbi;
796                 $this->logtable = (!empty($DBParams['prefix']) ? $DBParams['prefix'] : '')."accesslog";
797             }
798         }
799         $this->entries = array();
800         $this->entries[] = & new Request_AccessLogEntry($this);
801     }
802
803     function _do($cmd, &$arg) {
804         if ($this->entries)
805             for ($i=0; $i < count($this->entries);$i++)
806                 $this->entries[$i]->$cmd($arg);
807     }
808     function push(&$request)   { $this->_do('push',$request); }
809     function setSize($arg)     { $this->_do('setSize',$arg); }
810     function setStatus($arg)   { $this->_do('setStatus',$arg); }
811     function setDuration($arg) { $this->_do('setDuration',$arg); }
812
813     /**
814      * Read sequentially all previous entries from the beginning.
815      * while ($logentry = Request_AccessLogEntry::read()) ;
816      * For internal log analyzers: RecentReferrers, WikiAccessRestrictions
817      */
818     function read() {
819         return $this->logtable ? $this->read_sql() : $this->read_file();
820     }
821
822     /**
823      * Return iterator of referer items reverse sorted (latest first).
824      */
825     function get_referer($limit=15, $external_only=false) {
826         if ($external_only) { // see stdlin.php:isExternalReferrer()
827             $base = SERVER_URL;
828             $blen = strlen($base);
829         }
830         if (!empty($this->_dbi)) {
831             // check same hosts in referer and request and remove them
832             $ext_where = " AND LEFT(referer,$blen) <> '$base'"
833                         ." AND LEFT(referer,$blen) <> LEFT(CONCAT('".SERVER_URL."',request_uri),$blen)";
834             return $this->_read_sql_query("(referer <>'' AND NOT(ISNULL(referer)))"
835                                           .($external_only ? $ext_where : '')
836                                           ." ORDER BY time_stamp DESC"
837                                           .($limit ? " LIMIT $limit" : ""));
838         } else {
839             $iter = new WikiDB_Array_generic_iter(0);
840             $logs =& $iter->_array;
841             while ($logentry = $this->read_file()) {
842                 if (!empty($logentry->referer)
843                     and (!$external_only or (substr($logentry->referer,0,$blen) != $base)))
844                 {
845                     $iter->_array[] = $logentry;
846                     if ($limit and count($logs) > $limit)
847                         array_shift($logs);
848                 }
849             }
850             $logs = array_reverse($logs);
851             $logs = array_slice($logs,0,min($limit,count($logs)));
852             return $iter;
853         }
854     }
855
856     /**
857      * Return iterator of matching host items reverse sorted (latest first).
858      */
859     function get_host($host, $since_minutes=20) {
860         if ($this->logtable) {
861             // mysql specific only:
862             return $this->read_sql("request_host=".$dbh->quote($host)." AND time_stamp > ". (time()-$since_minutes*60) 
863                             ." ORDER BY time_stamp DESC");
864         } else {
865             $iter = new WikiDB_Array_generic_iter();
866             $logs =& $iter->_array;
867             $logentry = new Request_AccessLogEntry($this);
868             while ($logentry->read_file()) {
869                 if (!empty($logentry->referer)) {
870                     $iter->_array[] = $logentry;
871                     if ($limit and count($logs) > $limit)
872                         array_shift($logs);
873                     $logentry = new Request_AccessLogEntry($this);
874                 }
875             }
876             $logs = array_reverse($logs);
877             $logs = array_slice($logs,0,min($limit,count($logs)));
878             return $iter;
879         }
880     }
881
882     /**
883      * Read sequentially all previous entries from log file.
884      */
885     function read_file() {
886         global $request;
887         if ($this->logfile) $this->logfile = ACCESS_LOG; // support Request_AccessLog::read
888
889         if (empty($this->reader))       // start at the beginning
890             $this->reader = fopen($this->logfile, "r");
891         if ($s = fgets($this->reader)) {
892             $entry = new Request_AccessLogEntry($this);
893             if (preg_match('/^(\S+)\s(\S+)\s(\S+)\s\[(.+?)\] "([^"]+)" (\d+) (\d+) "([^"]*)" "([^"]*)"$/',$s,$m)) {
894                 list(,$entry->host, $entry->ident, $entry->user, $entry->time,
895                      $entry->request, $entry->status, $entry->size,
896                      $entry->referer, $entry->user_agent) = $m;
897             }
898             return $entry;
899         } else { // until the end
900             fclose($this->reader);
901             return false;
902         }
903     }
904     function _read_sql_query($where='') {
905         $dbh =& $GLOBALS['request']->_dbi;
906         $log_tbl =& $this->logtable;
907         return $dbh->genericSqlIter("SELECT *,request_uri as request,request_time as time,remote_user as user,"
908                                     ."remote_host as host,agent as user_agent"
909                                     ." FROM $log_tbl"
910                                     . ($where ? " WHERE $where" : ""));
911     }
912     function read_sql($where='') {
913         if (empty($this->sqliter))
914             $this->sqliter = $this->_read_sql_query($where);
915         return $this->sqliter->next();
916     }
917
918     /* done in request->finish() before the db is closed */
919     function write_sql() {
920         $dbh =& $GLOBALS['request']->_dbi;
921         if (isset($this->entries) and $dbh and $dbh->isOpen())
922             foreach ($this->entries as $entry) {
923                 $entry->write_sql();
924             }
925     }
926     /* done in the shutdown callback */
927     function write_file() {
928         if (isset($this->entries) and $this->logfile)
929             foreach ($this->entries as $entry) {
930                 $entry->write_file();
931             }
932         unset($this->entries);
933     }
934     /* in an ideal world... */
935     function write() {
936         if ($this->logfile) $this->write_file();
937         if ($this->logtable) $this->write_sql();
938         unset($this->entries);
939     }
940 }
941
942 class Request_AccessLogEntry
943 {
944     /**
945      * Constructor.
946      *
947      * The log entry will be automatically appended to the log file or 
948      * SQL table when the current request terminates.
949      *
950      * If you want to modify a Request_AccessLogEntry before it gets
951      * written (e.g. via the setStatus and setSize methods) you should
952      * use an '&' on the constructor, so that you're working with the
953      * original (rather than a copy) object.
954      *
955      * <pre>
956      *    $log_entry = & new Request_AccessLogEntry("/tmp/wiki_access_log");
957      *    $log_entry->setStatus(401);
958      *    $log_entry->push($request);
959      * </pre>
960      *
961      *
962      */
963     function Request_AccessLogEntry (&$accesslog) {
964         $this->_accesslog = $accesslog;
965         $this->logfile = $accesslog->logfile;
966         $this->time = time();
967         $this->status = 200;    // see setStatus()
968         $this->size = 0;        // see setSize()
969     }
970
971     /**
972      * @param $request object  Request object for current request.
973      */
974     function push(&$request) {
975         $this->host  = $request->get('REMOTE_HOST');
976         $this->ident = $request->get('REMOTE_IDENT');
977         if (!$this->ident)
978             $this->ident = '-';
979         $user = $request->getUser();
980         if ($user->isAuthenticated())
981             $this->user = $user->UserName();
982         else
983             $this->user = '-';
984         $this->request = join(' ', array($request->get('REQUEST_METHOD'),
985                                          $request->get('REQUEST_URI'),
986                                          $request->get('SERVER_PROTOCOL')));
987         $this->referer = (string) $request->get('HTTP_REFERER');
988         $this->user_agent = (string) $request->get('HTTP_USER_AGENT');
989     }
990
991     /**
992      * Set result status code.
993      *
994      * @param $status integer  HTTP status code.
995      */
996     function setStatus ($status) {
997         $this->status = $status;
998     }
999     
1000     /**
1001      * Set response size.
1002      *
1003      * @param $size integer
1004      */
1005     function setSize ($size=0) {
1006         $this->size = $size;
1007     }
1008     function setDuration ($seconds) {
1009         $this->duration = $seconds;
1010     }
1011     
1012     /**
1013      * Get time zone offset.
1014      *
1015      * This is a static member function.
1016      *
1017      * @param $time integer Unix timestamp (defaults to current time).
1018      * @return string Zone offset, e.g. "-0800" for PST.
1019      */
1020     function _zone_offset ($time = false) {
1021         if (!$time)
1022             $time = time();
1023         $offset = date("Z", $time);
1024         $negoffset = "";
1025         if ($offset < 0) {
1026             $negoffset = "-";
1027             $offset = -$offset;
1028         }
1029         $offhours = floor($offset / 3600);
1030         $offmins  = $offset / 60 - $offhours * 60;
1031         return sprintf("%s%02d%02d", $negoffset, $offhours, $offmins);
1032     }
1033
1034     /**
1035      * Format time in NCSA format.
1036      *
1037      * This is a static member function.
1038      *
1039      * @param $time integer Unix timestamp (defaults to current time).
1040      * @return string Formatted date & time.
1041      */
1042     function _ncsa_time($time = false) {
1043         if (!$time)
1044             $time = time();
1045         return date("d/M/Y:H:i:s", $time) .
1046             " " . $this->_zone_offset();
1047     }
1048
1049     function write() {
1050         if ($this->_accesslog->logfile) $this->write_file();
1051         if ($this->_accesslog->logtable) $this->write_sql();
1052     }
1053
1054     /**
1055      * Write entry to log file.
1056      */
1057     function write_file() {
1058         $entry = sprintf('%s %s %s [%s] "%s" %d %d "%s" "%s"',
1059                          $this->host, $this->ident, $this->user,
1060                          $this->_ncsa_time($this->time),
1061                          $this->request, $this->status, $this->size,
1062                          $this->referer, $this->user_agent);
1063         if (!empty($this->_accesslog->reader)) {
1064             fclose($this->_accesslog->reader);
1065             unset($this->_accesslog->reader);
1066         }
1067         //Error log doesn't provide locking.
1068         //error_log("$entry\n", 3, $this->logfile);
1069         // Alternate method
1070         if (($fp = fopen($this->logfile, "a"))) {
1071             flock($fp, LOCK_EX);
1072             fputs($fp, "$entry\n");
1073             fclose($fp);
1074         }
1075     }
1076
1077     /* This is better been done by apache mod_log_sql */
1078     /* If ACCESS_LOG_SQL & 2 we do write it by our own */
1079     function write_sql() {
1080         $dbh =& $GLOBALS['request']->_dbi;
1081         if ($dbh and $dbh->isOpen() and $this->_accesslog->logtable) {
1082             $log_tbl =& $this->_accesslog->logtable;
1083             if ($GLOBALS['request']->get('REQUEST_METHOD') == "POST") {
1084                 if (check_php_version(4,2))
1085                   // strangely HTTP_POST_VARS doesn't contain all posted vars.
1086                   $this->request_args = substr(serialize($_POST),0,254); // if VARCHAR(255) is used.
1087                 else
1088                   $this->request_args = substr(serialize($GLOBALS['HTTP_POST_VARS']),0,254);
1089             } else { 
1090                 $this->request_args = $GLOBALS['request']->get('QUERY_STRING'); 
1091             }
1092             $dbh->genericSqlQuery
1093                 (
1094                  sprintf("INSERT DELAYED INTO $log_tbl"
1095                          . " (time_stamp,remote_host,remote_user,request_method,request_line,request_uri,"
1096                          .   "request_args,request_time,status,bytes_sent,referer,agent,request_duration)"
1097                          . " VALUES(%d,%s,%s,%s,%s,%s,%s,%s,%d,%d,%s,%s,%f)",
1098                      $this->time,
1099                      $dbh->quote($this->host), $dbh->quote($this->user),
1100                      $dbh->quote($GLOBALS['request']->get('REQUEST_METHOD')), $dbh->quote($this->request), 
1101                      $dbh->quote($GLOBALS['request']->get('REQUEST_URI')), $dbh->quote($this->request_args),
1102                      $dbh->quote($this->_ncsa_time($this->time)), $this->status, $this->size,
1103                      $dbh->quote($this->referer),
1104                      $dbh->quote($this->user_agent),
1105                      $this->duration));
1106         }
1107     }
1108
1109 }
1110
1111 /**
1112  * Shutdown callback.
1113  *
1114  * @access private
1115  * @see Request_AccessLogEntry
1116  */
1117 function Request_AccessLogEntry_shutdown_function () {
1118     global $request;
1119     
1120     if (isset($request->_accesslog->entries) and $request->_accesslog->logfile)
1121       foreach ($request->_accesslog->entries as $entry) {
1122           $entry->write_file();
1123       }
1124     unset($request->_accesslog->entries);
1125 }
1126
1127
1128 class HTTP_ETag {
1129     function HTTP_ETag($val, $is_weak=false) {
1130         $this->_val = hash($val);
1131         $this->_weak = $is_weak;
1132     }
1133
1134     /** Comparison
1135      *
1136      * Strong comparison: If either (or both) tag is weak, they
1137      *  are not equal.
1138      */
1139     function equals($that, $strong_match=false) {
1140         if ($this->_val != $that->_val)
1141             return false;
1142         if ($strong_match and ($this->_weak or $that->_weak))
1143             return false;
1144         return true;
1145     }
1146
1147
1148     function asString() {
1149         $quoted = '"' . addslashes($this->_val) . '"';
1150         return $this->_weak ? "W/$quoted" : $quoted;
1151     }
1152
1153     /** Parse tag from header.
1154      *
1155      * This is a static member function.
1156      */
1157     function parse($strval) {
1158         if (!preg_match(':^(W/)?"(.+)"$:i', trim($strval), $m))
1159             return false;       // parse failed
1160         list(,$weak,$str) = $m;
1161         return new HTTP_ETag(stripslashes($str), $weak);
1162     }
1163
1164     function matches($taglist, $strong_match=false) {
1165         $taglist = trim($taglist);
1166
1167         if ($taglist == '*') {
1168             if ($strong_match)
1169                 return ! $this->_weak;
1170             else
1171                 return true;
1172         }
1173
1174         while (preg_match('@^(W/)?"((?:\\\\.|[^"])*)"\s*,?\s*@i',
1175                           $taglist, $m)) {
1176             list($match, $weak, $str) = $m;
1177             $taglist = substr($taglist, strlen($match));
1178             $tag = new HTTP_ETag(stripslashes($str), $weak);
1179             if ($this->equals($tag, $strong_match)) {
1180                 return true;
1181             }
1182         }
1183         return false;
1184     }
1185 }
1186
1187 // Possible results from the HTTP_ValidatorSet::_check*() methods.
1188 // (Higher numerical values take precedence.)
1189 define ('_HTTP_VAL_PASS', 0);           // Test is irrelevant
1190 define ('_HTTP_VAL_NOT_MODIFIED', 1);   // Test passed, content not changed
1191 define ('_HTTP_VAL_MODIFIED', 2);       // Test failed, content changed
1192 define ('_HTTP_VAL_FAILED', 3);         // Precondition failed.
1193
1194 class HTTP_ValidatorSet {
1195     function HTTP_ValidatorSet($validators) {
1196         $this->_mtime = $this->_weak = false;
1197         $this->_tag = array();
1198         
1199         foreach ($validators as $key => $val) {
1200             if ($key == '%mtime') {
1201                 $this->_mtime = $val;
1202             }
1203             elseif ($key == '%weak') {
1204                 if ($val)
1205                     $this->_weak = true;
1206             }
1207             else {
1208                 $this->_tag[$key] = $val;
1209             }
1210         }
1211     }
1212
1213     function append($that) {
1214         if (is_array($that))
1215             $that = new HTTP_ValidatorSet($that);
1216
1217         // Pick the most recent mtime
1218         if (isset($that->_mtime))
1219             if (!isset($this->_mtime) || $that->_mtime > $this->_mtime)
1220                 $this->_mtime = $that->_mtime;
1221
1222         // If either is weak, we're weak
1223         if (!empty($that->_weak))
1224             $this->_weak = true;
1225         if (is_array($this->_tag))
1226             $this->_tag = array_merge($this->_tag, $that->_tag);
1227         else
1228             $this->_tag = $that->_tag;
1229     }
1230
1231     function getETag() {
1232         if (! $this->_tag)
1233             return false;
1234         return new HTTP_ETag($this->_tag, $this->_weak);
1235     }
1236
1237     function getModificationTime() {
1238         return $this->_mtime;
1239     }
1240     
1241     function checkConditionalRequest (&$request) {
1242         $result = max($this->_checkIfUnmodifiedSince($request),
1243                       $this->_checkIfModifiedSince($request),
1244                       $this->_checkIfMatch($request),
1245                       $this->_checkIfNoneMatch($request));
1246
1247         if ($result == _HTTP_VAL_PASS || $result == _HTTP_VAL_MODIFIED)
1248             return false;       // "please proceed with normal processing"
1249         elseif ($result == _HTTP_VAL_FAILED)
1250             return 412;         // "412 Precondition Failed"
1251         elseif ($result == _HTTP_VAL_NOT_MODIFIED)
1252             return 304;         // "304 Not Modified"
1253
1254         trigger_error("Ack, shouldn't get here", E_USER_ERROR);
1255         return false;
1256     }
1257
1258     function _checkIfUnmodifiedSince(&$request) {
1259         if ($this->_mtime !== false) {
1260             $since = ParseRfc1123DateTime($request->get("HTTP_IF_UNMODIFIED_SINCE"));
1261             if ($since !== false && $this->_mtime > $since)
1262                 return _HTTP_VAL_FAILED;
1263         }
1264         return _HTTP_VAL_PASS;
1265     }
1266
1267     function _checkIfModifiedSince(&$request) {
1268         if ($this->_mtime !== false and $request->isGetOrHead()) {
1269             $since = ParseRfc1123DateTime($request->get("HTTP_IF_MODIFIED_SINCE"));
1270             if ($since !== false) {
1271                 if ($this->_mtime <= $since)
1272                     return _HTTP_VAL_NOT_MODIFIED;
1273                 return _HTTP_VAL_MODIFIED;
1274             }
1275         }
1276         return _HTTP_VAL_PASS;
1277     }
1278
1279     function _checkIfMatch(&$request) {
1280         if ($this->_tag && ($taglist = $request->get("HTTP_IF_MATCH"))) {
1281             $tag = $this->getETag();
1282             if (!$tag->matches($taglist, 'strong'))
1283                 return _HTTP_VAL_FAILED;
1284         }
1285         return _HTTP_VAL_PASS;
1286     }
1287
1288     function _checkIfNoneMatch(&$request) {
1289         if ($this->_tag && ($taglist = $request->get("HTTP_IF_NONE_MATCH"))) {
1290             $tag = $this->getETag();
1291             $strong_compare = ! $request->isGetOrHead();
1292             if ($taglist) {
1293                 if ($tag->matches($taglist, $strong_compare)) {
1294                     if ($request->isGetOrHead())
1295                         return _HTTP_VAL_NOT_MODIFIED;
1296                     else
1297                         return _HTTP_VAL_FAILED;
1298                 }
1299                 return _HTTP_VAL_MODIFIED;
1300             }
1301         }
1302         return _HTTP_VAL_PASS;
1303     }
1304 }
1305
1306
1307 // $Log: not supported by cvs2svn $
1308 // Revision 1.79  2004/11/11 18:29:44  rurban
1309 // (write_sql) isOpen really is useless in non-SQL, do more explicit check
1310 //
1311 // Revision 1.78  2004/11/10 15:29:20  rurban
1312 // * requires newer Pear_DB (as the internal one): quote() uses now escapeSimple for strings
1313 // * ACCESS_LOG_SQL: fix cause request not yet initialized
1314 // * WikiDB: moved SQL specific methods upwards
1315 // * new Pear_DB quoting: same as ADODB and as newer Pear_DB.
1316 //   fixes all around: WikiGroup, WikiUserNew SQL methods, SQL logging
1317 //
1318 // Revision 1.77  2004/11/09 17:11:04  rurban
1319 // * revert to the wikidb ref passing. there's no memory abuse there.
1320 // * use new wikidb->_cache->_id_cache[] instead of wikidb->_iwpcache, to effectively
1321 //   store page ids with getPageLinks (GleanDescription) of all existing pages, which
1322 //   are also needed at the rendering for linkExistingWikiWord().
1323 //   pass options to pageiterator.
1324 //   use this cache also for _get_pageid()
1325 //   This saves about 8 SELECT count per page (num all pagelinks).
1326 // * fix passing of all page fields to the pageiterator.
1327 // * fix overlarge session data which got broken with the latest ACCESS_LOG_SQL changes
1328 //
1329 // Revision 1.76  2004/11/09 08:15:18  rurban
1330 // fix ADODB quoting style
1331 //
1332 // Revision 1.75  2004/11/07 18:34:28  rurban
1333 // more logging fixes
1334 //
1335 // Revision 1.74  2004/11/07 16:02:51  rurban
1336 // new sql access log (for spam prevention), and restructured access log class
1337 // dbh->quote (generic)
1338 // pear_db: mysql specific parts seperated (using replace)
1339 //
1340 // Revision 1.73  2004/11/06 04:51:25  rurban
1341 // readable ACCESS_LOG support: RecentReferrers, WikiAccessRestrictions
1342 //
1343 // Revision 1.72  2004/11/01 10:43:55  rurban
1344 // seperate PassUser methods into seperate dir (memory usage)
1345 // fix WikiUser (old) overlarge data session
1346 // remove wikidb arg from various page class methods, use global ->_dbi instead
1347 // ...
1348 //
1349 // Revision 1.71  2004/10/22 09:20:36  rurban
1350 // fix for USECACHE=false
1351 //
1352 // Revision 1.70  2004/10/21 19:59:18  rurban
1353 // Patch #991494 (ppo): Avoid notice in PHP >= 4.3.3 if session already started
1354 //
1355 // Revision 1.69  2004/10/21 19:00:37  rurban
1356 // upload errmsgs by Shilad Sen.
1357 // chunkOutput support: flush the buffer piecewise (dumphtml, large pagelists)
1358 //   doesn't gain much because ob_end_clean() doesn't release its
1359 //   memory properly yet.
1360 //
1361 // Revision 1.68  2004/10/12 13:13:19  rurban
1362 // php5 compatibility (5.0.1 ok)
1363 //
1364 // Revision 1.67  2004/09/25 18:56:54  rurban
1365 // make start_debug logic work
1366 //
1367 // Revision 1.66  2004/09/25 16:24:52  rurban
1368 // dont compress on debugging
1369 //
1370 // Revision 1.65  2004/09/17 14:13:49  rurban
1371 // We check for the client Accept-Encoding: "gzip" presence also
1372 // This should eliminate a lot or reported problems.
1373 //
1374 // Note that this doesn#t fix RSS ssues:
1375 // Most RSS clients are NOT(!) application/xml gzip compatible yet.
1376 // Even if they are sending the accept-encoding gzip header!
1377 // wget is, Mozilla, and MSIE no.
1378 // Of the RSS readers only MagpieRSS 0.5.2 is. http://www.rssgov.com/rssparsers.html
1379 //
1380 // Revision 1.64  2004/09/17 13:32:36  rurban
1381 // Disable server-side gzip encoding for RSS (RDF encoding), even if the client says it
1382 // supports it. Mozilla has this error, wget works fine. IE not checked.
1383 //
1384 // Revision 1.63  2004/07/01 09:29:40  rurban
1385 // fixed another DbSession crash: wrong WikiGroup vars
1386 //
1387 // Revision 1.62  2004/06/27 10:26:02  rurban
1388 // oci8 patch by Philippe Vanhaesendonck + some ADODB notes+fixes
1389 //
1390 // Revision 1.61  2004/06/25 14:29:17  rurban
1391 // WikiGroup refactoring:
1392 //   global group attached to user, code for not_current user.
1393 //   improved helpers for special groups (avoid double invocations)
1394 // new experimental config option ENABLE_XHTML_XML (fails with IE, and document.write())
1395 // fixed a XHTML validation error on userprefs.tmpl
1396 //
1397 // Revision 1.60  2004/06/19 11:51:13  rurban
1398 // CACHE_CONTROL: NONE => NO_CACHE
1399 //
1400 // Revision 1.59  2004/06/13 11:34:22  rurban
1401 // fixed bug #969532 (space in uploaded filenames)
1402 // improved upload error messages
1403 //
1404 // Revision 1.58  2004/06/04 20:32:53  rurban
1405 // Several locale related improvements suggested by Pierrick Meignen
1406 // LDAP fix by John Cole
1407 // reanable admin check without ENABLE_PAGEPERM in the admin plugins
1408 //
1409 // Revision 1.57  2004/06/03 18:54:25  rurban
1410 // fixed "lost level in session" warning, now that signout sets level = 0 (before -1)
1411 //
1412 // Revision 1.56  2004/05/17 17:43:29  rurban
1413 // CGI: no PATH_INFO fix
1414 //
1415 // Revision 1.55  2004/05/15 18:31:00  rurban
1416 // some action=pdf Request fixes: With MSIE it works now. Now the work with the page formatting begins.
1417 //
1418 // Revision 1.54  2004/05/04 22:34:25  rurban
1419 // more pdf support
1420 //
1421 // Revision 1.53  2004/05/03 21:57:47  rurban
1422 // locale updates: we previously lost some words because of wrong strings in
1423 //   PhotoAlbum, german rewording.
1424 // fixed $_SESSION registering (lost session vars, esp. prefs)
1425 // fixed ending slash in listAvailableLanguages/Themes
1426 //
1427 // Revision 1.52  2004/05/03 13:16:47  rurban
1428 // fixed UserPreferences update, esp for boolean and int
1429 //
1430 // Revision 1.51  2004/05/02 21:26:38  rurban
1431 // limit user session data (HomePageHandle and auth_dbi have to invalidated anyway)
1432 //   because they will not survive db sessions, if too large.
1433 // extended action=upgrade
1434 // some WikiTranslation button work
1435 // revert WIKIAUTH_UNOBTAINABLE (need it for main.php)
1436 // some temp. session debug statements
1437 //
1438 // Revision 1.50  2004/04/29 19:39:44  rurban
1439 // special support for formatted plugins (one-liners)
1440 //   like <small><plugin BlaBla ></small>
1441 // iter->asArray() helper for PopularNearby
1442 // db_session for older php's (no &func() allowed)
1443 //
1444 // Revision 1.49  2004/04/26 20:44:34  rurban
1445 // locking table specific for better databases
1446 //
1447 // Revision 1.48  2004/04/13 09:13:50  rurban
1448 // sf.net bug #933183 and http://bugs.php.net/17557
1449 // disable ob_gzhandler if apache_note cannot be used.
1450 //   (conservative until we find why)
1451 //
1452 // Revision 1.47  2004/04/02 15:06:55  rurban
1453 // fixed a nasty ADODB_mysql session update bug
1454 // improved UserPreferences layout (tabled hints)
1455 // fixed UserPreferences auth handling
1456 // improved auth stability
1457 // improved old cookie handling: fixed deletion of old cookies with paths
1458 //
1459 // Revision 1.46  2004/03/30 02:14:03  rurban
1460 // fixed yet another Prefs bug
1461 // added generic PearDb_iter
1462 // $request->appendValidators no so strict as before
1463 // added some box plugin methods
1464 // PageList commalist for condensed output
1465 //
1466 // Revision 1.45  2004/03/24 19:39:02  rurban
1467 // php5 workaround code (plus some interim debugging code in XmlElement)
1468 //   php5 doesn't work yet with the current XmlElement class constructors,
1469 //   WikiUserNew does work better than php4.
1470 // rewrote WikiUserNew user upgrading to ease php5 update
1471 // fixed pref handling in WikiUserNew
1472 // added Email Notification
1473 // added simple Email verification
1474 // removed emailVerify userpref subclass: just a email property
1475 // changed pref binary storage layout: numarray => hash of non default values
1476 // print optimize message only if really done.
1477 // forced new cookie policy: delete pref cookies, use only WIKI_ID as plain string.
1478 //   prefs should be stored in db or homepage, besides the current session.
1479 //
1480 // Revision 1.44  2004/03/14 16:26:22  rurban
1481 // copyright line
1482 //
1483 // Revision 1.43  2004/03/12 20:59:17  rurban
1484 // important cookie fix by Konstantin Zadorozhny
1485 // new editpage feature: JS_SEARCHREPLACE
1486 //
1487 // Revision 1.42  2004/03/10 15:38:48  rurban
1488 // store current user->page and ->action in session for WhoIsOnline
1489 // better WhoIsOnline icon
1490 // fixed WhoIsOnline warnings
1491 //
1492 // Revision 1.41  2004/02/27 01:25:14  rurban
1493 // Workarounds for upload handling
1494 //
1495 // Revision 1.40  2004/02/26 01:39:51  rurban
1496 // safer code
1497 //
1498 // Revision 1.39  2004/02/24 15:14:57  rurban
1499 // fixed action=upload problems on Win32, and remove Merge Edit buttons: file does not exist anymore
1500 //
1501 // Revision 1.38  2004/01/25 10:26:02  rurban
1502 // fixed bug [ 541193 ] HTTP_SERVER_VARS are Apache specific
1503 // http://sourceforge.net/tracker/index.php?func=detail&aid=541193&group_id=6121&atid=106121
1504 // CGI and other servers than apache populate _ENV and not _SERVER
1505 //
1506 // Revision 1.37  2003/12/26 06:41:16  carstenklapp
1507 // Bugfix: Try to defer OS errors about session.save_path and ACCESS_LOG,
1508 // so they don't prevent IE from partially (or not at all) rendering the
1509 // page. This should help a little for the IE user who encounters trouble
1510 // when setting up a new PhpWiki for the first time.
1511 //
1512
1513 // Local Variables:
1514 // mode: php
1515 // tab-width: 8
1516 // c-basic-offset: 4
1517 // c-hanging-comment-ender-p: nil
1518 // indent-tabs-mode: nil
1519 // End:   
1520 ?>