]> CyberLeo.Net >> Repos - SourceForge/phpwiki.git/blob - lib/stdlib.php
dumphtml: added exclude, print pagename before processing
[SourceForge/phpwiki.git] / lib / stdlib.php
1 <?php //rcs_id('$Id: stdlib.php,v 1.196 2004-07-01 08:51:22 rurban Exp $');
2
3 /*
4   Standard functions for Wiki functionality
5     WikiURL($pagename, $args, $get_abs_url)
6     IconForLink($protocol_or_url)
7     LinkURL($url, $linktext)
8     LinkImage($url, $alt)
9
10     SplitQueryArgs ($query_args)
11     LinkPhpwikiURL($url, $text)
12     ConvertOldMarkup($content)
13     
14     class Stack { push($item), pop(), cnt(), top() }
15
16     SplitPagename ($page)
17     NoSuchRevision ($request, $page, $version)
18     TimezoneOffset ($time, $no_colon)
19     Iso8601DateTime ($time)
20     Rfc2822DateTime ($time)
21     CTime ($time)
22     __printf ($fmt)
23     __sprintf ($fmt)
24     __vsprintf ($fmt, $args)
25     better_srand($seed = '')
26     count_all($arg)
27     isSubPage($pagename)
28     subPageSlice($pagename, $pos)
29     explodePageList($input, $perm = false)
30
31   function: LinkInterWikiLink($link, $linktext)
32   moved to: lib/interwiki.php
33   function: linkExistingWikiWord($wikiword, $linktext, $version)
34   moved to: lib/Theme.php
35   function: LinkUnknownWikiWord($wikiword, $linktext)
36   moved to: lib/Theme.php
37   function: UpdateRecentChanges($dbi, $pagename, $isnewpage) 
38   gone see: lib/plugin/RecentChanges.php
39 */
40 if (defined('_PHPWIKI_STDLIB_LOADED')) return;
41 else define('_PHPWIKI_STDLIB_LOADED',true);
42
43 define('MAX_PAGENAME_LENGTH', 100);
44
45             
46 /**
47  * Convert string to a valid XML identifier.
48  *
49  * XML 1.0 identifiers are of the form: [A-Za-z][A-Za-z0-9:_.-]*
50  *
51  * We would like to have, e.g. named anchors within wiki pages
52  * names like "Table of Contents" --- clearly not a valid XML
53  * fragment identifier.
54  *
55  * This function implements a one-to-one map from {any string}
56  * to {valid XML identifiers}.
57  *
58  * It does this by
59  * converting all bytes not in [A-Za-z0-9:_-],
60  * and any leading byte not in [A-Za-z] to 'xbb.',
61  * where 'bb' is the hexadecimal representation of the
62  * character.
63  *
64  * As a special case, the empty string is converted to 'empty.'
65  *
66  * @param string $str
67  * @return string
68  */
69 function MangleXmlIdentifier($str) {
70     if (!$str)
71         return 'empty.';
72     
73     return preg_replace('/[^-_:A-Za-z0-9]|(?<=^)[^A-Za-z]/e',
74                         "'x' . sprintf('%02x', ord('\\0')) . '.'",
75                         $str);
76 }
77
78 function UnMangleXmlIdentifier($str) {
79     if ($str == 'empty.')
80         return '';
81     return preg_replace('/x(\w\w)\./e',
82                         "sprintf('%c', hex('\\0'))",
83                         $str);
84 }
85
86 /**
87  * Generates a valid URL for a given Wiki pagename.
88  * @param mixed $pagename If a string this will be the name of the Wiki page to link to.
89  *                        If a WikiDB_Page object function will extract the name to link to.
90  *                        If a WikiDB_PageRevision object function will extract the name to link to.
91  * @param array $args 
92  * @param boolean $get_abs_url Default value is false.
93  * @return string The absolute URL to the page passed as $pagename.
94  */
95 function WikiURL($pagename, $args = '', $get_abs_url = false) {
96     $anchor = false;
97     
98     if (is_object($pagename)) {
99         if (isa($pagename, 'WikiDB_Page')) {
100             $pagename = $pagename->getName();
101         }
102         elseif (isa($pagename, 'WikiDB_PageRevision')) {
103             $page = $pagename->getPage();
104             $args['version'] = $pagename->getVersion();
105             $pagename = $page->getName();
106         }
107         elseif (isa($pagename, 'WikiPageName')) {
108             $anchor = $pagename->anchor;
109             $pagename = $pagename->name;
110         } else { // php5
111             $anchor = $pagename->anchor;
112             $pagename = $pagename->name;
113         }
114     }
115     
116     if (is_array($args)) {
117         $enc_args = array();
118         foreach  ($args as $key => $val) {
119             if (!is_array($val)) // ugly hack for getURLtoSelf() which also takes POST vars
120               $enc_args[] = urlencode($key) . '=' . urlencode($val);
121         }
122         $args = join('&', $enc_args);
123     }
124
125     if (USE_PATH_INFO) {
126         $url = $get_abs_url ? SERVER_URL . VIRTUAL_PATH . "/" : "";
127         $url .= preg_replace('/%2f/i', '/', rawurlencode($pagename));
128         if ($args)
129             $url .= "?$args";
130     }
131     else {
132         $url = $get_abs_url ? SERVER_URL . SCRIPT_NAME : basename(SCRIPT_NAME);
133         $url .= "?pagename=" . rawurlencode($pagename);
134         if ($args)
135             $url .= "&$args";
136     }
137     if ($anchor)
138         $url .= "#" . MangleXmlIdentifier($anchor);
139     return $url;
140 }
141
142 /** Convert relative URL to absolute URL.
143  *
144  * This converts a relative URL to one of PhpWiki's support files
145  * to an absolute one.
146  *
147  * @param string $url
148  * @return string Absolute URL
149  */
150 function AbsoluteURL ($url) {
151     if (preg_match('/^https?:/', $url))
152         return $url;
153     if ($url[0] != '/') {
154         $base = USE_PATH_INFO ? VIRTUAL_PATH : dirname(SCRIPT_NAME);
155         while ($base != '/' and substr($url, 0, 3) == "../") {
156             $url = substr($url, 3);
157             $base = dirname($base);
158         }
159         if ($base != '/')
160             $base .= '/';
161         $url = $base . $url;
162     }
163     return SERVER_URL . $url;
164 }
165
166 /**
167  * Generates icon in front of links.
168  *
169  * @param string $protocol_or_url URL or protocol to determine which icon to use.
170  *
171  * @return HtmlElement HtmlElement object that contains data to create img link to
172  * icon for use with url or protocol passed to the function. False if no img to be
173  * displayed.
174  */
175 function IconForLink($protocol_or_url) {
176     global $WikiTheme;
177     if (0 and $filename_suffix == false) {
178         // display apache style icon for file type instead of protocol icon
179         // - archive: unix:gz,bz2,tgz,tar,z; mac:dmg,dmgz,bin,img,cpt,sit; pc:zip;
180         // - document: html, htm, text, txt, rtf, pdf, doc
181         // - non-inlined image: jpg,jpeg,png,gif,tiff,tif,swf,pict,psd,eps,ps
182         // - audio: mp3,mp2,aiff,aif,au
183         // - multimedia: mpeg,mpg,mov,qt
184     } else {
185         list ($proto) = explode(':', $protocol_or_url, 2);
186         $src = $WikiTheme->getLinkIconURL($proto);
187         if ($src)
188             return HTML::img(array('src' => $src, 'alt' => "", 'class' => 'linkicon', 'border' => 0));
189         else
190             return false;
191     }
192 }
193
194 /**
195  * Glue icon in front of or after text.
196  * Pref: 'noLinkIcons'  - ignore icon if set
197  * Theme: 'LinkIcons'   - 'yes'   at front
198  *                      - 'no'    display no icon
199  *                      - 'front' display at left
200  *                      - 'after' display at right
201  *
202  * @param string $protocol_or_url Protocol or URL.  Used to determine the
203  * proper icon.
204  * @param string $text The text.
205  * @return XmlContent.
206  */
207 function PossiblyGlueIconToText($proto_or_url, $text) {
208     global $request, $WikiTheme;
209     if ($request->getPref('noLinkIcons'))
210         return $text;
211     $icon = IconForLink($proto_or_url);
212     if (!$icon)
213         return $text;
214     if ($where = $WikiTheme->getLinkIconAttr()) {
215         if ($where == 'no') return $text;
216         if ($where != 'after') $where = 'front';
217     } else {
218         $where = 'front';
219     }
220     if ($where == 'after') {
221         // span the icon only to the last word (tie them together), 
222         // to let the previous words wrap on line breaks.
223         if (!is_object($text)) {
224             preg_match('/^(\s*\S*)(\s*)$/', $text, $m);
225             list (, $prefix, $last_word) = $m;
226         }
227         else {
228             $last_word = $text;
229             $prefix = false;
230         }
231         $text = HTML::span(array('style' => 'white-space: nowrap'),
232                            $last_word, HTML::Raw('&nbsp;'), $icon);
233         if ($prefix)
234             $text = HTML($prefix, $text);
235         return $text;
236     }
237     // span the icon only to the first word (tie them together), 
238     // to let the next words wrap on line breaks
239     if (!is_object($text)) {
240         preg_match('/^\s*(\S*)(.*?)\s*$/', $text, $m);
241         list (, $first_word, $tail) = $m;
242     }
243     else {
244         $first_word = $text;
245         $tail = false;
246     }
247     $text = HTML::span(array('style' => 'white-space: nowrap'),
248                        $icon, $first_word);
249     if ($tail)
250         $text = HTML($text, $tail);
251     return $text;
252 }
253
254 /**
255  * Determines if the url passed to function is safe, by detecting if the characters
256  * '<', '>', or '"' are present.
257  *
258  * @param string $url URL to check for unsafe characters.
259  * @return boolean True if same, false else.
260  */
261 function IsSafeURL($url) {
262     return !ereg('[<>"]', $url);
263 }
264
265 /**
266  * Generates an HtmlElement object to store data for a link.
267  *
268  * @param string $url URL that the link will point to.
269  * @param string $linktext Text to be displayed as link.
270  * @return HtmlElement HtmlElement object that contains data to construct an html link.
271  */
272 function LinkURL($url, $linktext = '') {
273     // FIXME: Is this needed (or sufficient?)
274     if(! IsSafeURL($url)) {
275         $link = HTML::strong(HTML::u(array('class' => 'baduri'),
276                                      _("BAD URL -- remove all of <, >, \"")));
277     }
278     else {
279         if (!$linktext)
280             $linktext = preg_replace("/mailto:/A", "", $url);
281         
282         $link = HTML::a(array('href' => $url),
283                         PossiblyGlueIconToText($url, $linktext));
284         
285     }
286     $link->setAttr('class', $linktext ? 'namedurl' : 'rawurl');
287     return $link;
288 }
289
290 /**
291  * FIXME: disallow sizes which are too small. 
292  * Spammers may use such (typically invisible) image attributes to higher their GoogleRank.
293  */
294 function LinkImage($url, $alt = false) {
295     // FIXME: Is this needed (or sufficient?)
296     if(! IsSafeURL($url)) {
297         $link = HTML::strong(HTML::u(array('class' => 'baduri'),
298                                      _("BAD URL -- remove all of <, >, \"")));
299     } else {
300         // support new syntax: [image.jpg size=50% border=n]
301         $arr = split(' ',$url);
302         if (count($arr) > 1) {
303             $url = $arr[0];
304         }
305         if (empty($alt)) $alt = basename($url);
306         $link = HTML::img(array('src' => $url, 'alt' => $alt));
307         if (count($arr) > 1) {
308             array_shift($arr);
309             foreach ($arr as $attr) {
310                 if (preg_match('/^size=(\d+%)$/',$attr,$m)) {
311                     $link->setAttr('width',$m[1]);
312                     $link->setAttr('height',$m[1]);
313                 }
314                 if (preg_match('/^size=(\d+)x(\d+)$/',$attr,$m)) {
315                     $link->setAttr('width',$m[1]);
316                     $link->setAttr('height',$m[2]);
317                 }
318                 if (preg_match('/^border=(\d+)$/',$attr,$m))
319                     $link->setAttr('border',$m[1]);
320                 if (preg_match('/^align=(\w+)$/',$attr,$m))
321                     $link->setAttr('align',$m[1]);
322                 if (preg_match('/^hspace=(\d+)$/',$attr,$m))
323                     $link->setAttr('hspace',$m[1]);
324                 if (preg_match('/^vspace=(\d+)$/',$attr,$m))
325                     $link->setAttr('vspace',$m[1]);
326             }
327         }
328         // check width and height as spam countermeasure
329         if (($width = $link->getAttr('width')) and ($height = $link->getAttr('height'))) {
330             $width  = (integer) $width; // px or % or other suffix
331             $height = (integer) $height;
332             if (($width < 3 and $height < 10) or 
333                 ($height < 3 and $width < 20) or 
334                 ($height < 7 and $width < 7))
335             {
336                 trigger_error(_("Invalid image size"), E_USER_NOTICE);
337                 return '';
338             }
339         } elseif ($size = @getimagesize($url)) {
340             $width = $size[0];
341             $height = $size[1];
342             if (($width < 3 and $height < 10) or 
343                 ($height < 3 and $width < 20) or 
344                 ($height < 7 and $width < 7))
345             {
346                 trigger_error(_("Invalid image size"), E_USER_NOTICE);
347                 return '';
348             }
349         }
350     }
351     $link->setAttr('class', 'inlineimage');
352     return $link;
353 }
354
355
356
357 class Stack {
358     var $items = array();
359     var $size = 0;
360     // var in php5.0.0.rc1 deprecated
361
362     function push($item) {
363         $this->items[$this->size] = $item;
364         $this->size++;
365         return true;
366     }  
367     
368     function pop() {
369         if ($this->size == 0) {
370             return false; // stack is empty
371         }  
372         $this->size--;
373         return $this->items[$this->size];
374     }  
375     
376     function cnt() {
377         return $this->size;
378     }  
379     
380     function top() {
381         if($this->size)
382             return $this->items[$this->size - 1];
383         else
384             return '';
385     }
386     
387 }  
388 // end class definition
389
390 function SplitQueryArgs ($query_args = '') 
391 {
392     $split_args = split('&', $query_args);
393     $args = array();
394     while (list($key, $val) = each($split_args))
395         if (preg_match('/^ ([^=]+) =? (.*) /x', $val, $m))
396             $args[$m[1]] = $m[2];
397     return $args;
398 }
399
400 function LinkPhpwikiURL($url, $text = '', $basepage) {
401     $args = array();
402     
403     if (!preg_match('/^ phpwiki: ([^?]*) [?]? (.*) $/x', $url, $m)) {
404         return HTML::strong(array('class' => 'rawurl'),
405                             HTML::u(array('class' => 'baduri'),
406                                     _("BAD phpwiki: URL")));
407     }
408
409     if ($m[1])
410         $pagename = urldecode($m[1]);
411     $qargs = $m[2];
412     
413     if (empty($pagename) &&
414         preg_match('/^(diff|edit|links|info)=([^&]+)$/', $qargs, $m)) {
415         // Convert old style links (to not break diff links in
416         // RecentChanges).
417         $pagename = urldecode($m[2]);
418         $args = array("action" => $m[1]);
419     }
420     else {
421         $args = SplitQueryArgs($qargs);
422     }
423
424     if (empty($pagename))
425         $pagename = $GLOBALS['request']->getArg('pagename');
426
427     if (isset($args['action']) && $args['action'] == 'browse')
428         unset($args['action']);
429     
430     /*FIXME:
431       if (empty($args['action']))
432       $class = 'wikilink';
433       else if (is_safe_action($args['action']))
434       $class = 'wikiaction';
435     */
436     if (empty($args['action']) || is_safe_action($args['action']))
437         $class = 'wikiaction';
438     else {
439         // Don't allow administrative links on unlocked pages.
440         $dbi = $GLOBALS['request']->getDbh();
441         $page = $dbi->getPage($basepage);
442         if (!$page->get('locked'))
443             return HTML::span(array('class' => 'wikiunsafe'),
444                               HTML::u(_("Lock page to enable link")));
445         $class = 'wikiadmin';
446     }
447     
448     if (!$text)
449         $text = HTML::span(array('class' => 'rawurl'), $url);
450
451     $wikipage = new WikiPageName($pagename);
452     if (!$wikipage->isValid()) {
453         global $WikiTheme;
454         return $WikiTheme->linkBadWikiWord($wikipage, $url);
455     }
456     
457     return HTML::a(array('href'  => WikiURL($pagename, $args),
458                          'class' => $class),
459                    $text);
460 }
461
462 /**
463  * A class to assist in parsing wiki pagenames.
464  *
465  * Now with subpages and anchors, parsing and passing around
466  * pagenames is more complicated.  This should help.
467  */
468 class WikiPageName
469 {
470     /** Short name for page.
471      *
472      * This is the value of $name passed to the constructor.
473      * (For use, e.g. as a default label for links to the page.)
474      */
475     var $shortName;
476
477     /** The full page name.
478      *
479      * This is the full name of the page (without anchor).
480      */
481     var $name;
482     
483     /** The anchor.
484      *
485      * This is the referenced anchor within the page, or the empty string.
486      */
487     var $anchor;
488     
489     /** Constructor
490      *
491      * @param mixed $name Page name.
492      * WikiDB_Page, WikiDB_PageRevision, or string.
493      * This can be a relative subpage name (like '/SubPage'),
494      * or can be the empty string to refer to the $basename.
495      *
496      * @param string $anchor For links to anchors in page.
497      *
498      * @param mixed $basename Page name from which to interpret
499      * relative or other non-fully-specified page names.
500      */
501     function WikiPageName($name, $basename=false, $anchor=false) {
502         if (is_string($name)) {
503             $this->shortName = $name;
504         
505             if ($name == '' or $name[0] == SUBPAGE_SEPARATOR) {
506                 if ($basename)
507                     $name = $this->_pagename($basename) . $name;
508                 else
509                     $name = $this->_normalize_bad_pagename($name);
510             }
511         }
512         else {
513             $name = $this->_pagename($name);
514             $this->shortName = $name;
515         }
516
517         $this->name = $this->_check($name);
518         $this->anchor = (string)$anchor;
519     }
520
521     function getParent() {
522         $name = $this->name;
523         if (!($tail = strrchr($name, SUBPAGE_SEPARATOR)))
524             return false;
525         return substr($name, 0, -strlen($tail));
526     }
527
528     function isValid($strict = false) {
529         if ($strict)
530             return !isset($this->_errors);
531         return (is_string($this->name) and $this->name != '');
532     }
533
534     function getWarnings() {
535         $warnings = array();
536         if (isset($this->_warnings))
537             $warnings = array_merge($warnings, $this->_warnings);
538         if (isset($this->_errors))
539             $warnings = array_merge($warnings, $this->_errors);
540         if (!$warnings)
541             return false;
542         
543         return sprintf(_("'%s': Bad page name: %s"),
544                        $this->shortName, join(', ', $warnings));
545     }
546     
547     function _pagename($page) {
548         if (isa($page, 'WikiDB_Page'))
549             return $page->getName();
550         elseif (isa($page, 'WikiDB_PageRevision'))
551             return $page->getPageName();
552         elseif (isa($page, 'WikiPageName'))
553             return $page->name;
554         if (!is_string($page)) {
555             trigger_error(sprintf("Non-string pagename '%s' (%s)(%s)",
556                                   $page, gettype($page), get_class($page)),
557                           E_USER_NOTICE);
558         }
559         //assert(is_string($page));
560         return $page;
561     }
562
563     function _normalize_bad_pagename($name) {
564         trigger_error("Bad pagename: " . $name, E_USER_WARNING);
565
566         // Punt...  You really shouldn't get here.
567         if (empty($name)) {
568             global $request;
569             return $request->getArg('pagename');
570         }
571         assert($name[0] == SUBPAGE_SEPARATOR);
572         return substr($name, 1);
573     }
574
575
576     function _check($pagename) {
577         // Compress internal white-space to single space character.
578         $pagename = preg_replace('/[\s\xa0]+/', ' ', $orig = $pagename);
579         if ($pagename != $orig)
580             $this->_warnings[] = _("White space converted to single space");
581     
582         // Delete any control characters.
583         $pagename = preg_replace('/[\x00-\x1f\x7f\x80-\x9f]/', '', $orig = $pagename);
584         if ($pagename != $orig)
585             $this->_errors[] = _("Control characters not allowed");
586
587         // Strip leading and trailing white-space.
588         $pagename = trim($pagename);
589
590         $orig = $pagename;
591         while ($pagename and $pagename[0] == SUBPAGE_SEPARATOR)
592             $pagename = substr($pagename, 1);
593         if ($pagename != $orig)
594             $this->_errors[] = sprintf(_("Leading %s not allowed"), SUBPAGE_SEPARATOR);
595
596         if (preg_match('/[:;]/', $pagename))
597             $this->_warnings[] = _("';' and ':' in pagenames are deprecated");
598         
599         if (strlen($pagename) > MAX_PAGENAME_LENGTH) {
600             $pagename = substr($pagename, 0, MAX_PAGENAME_LENGTH);
601             $this->_errors[] = _("too long");
602         }
603         
604
605         if ($pagename == '.' or $pagename == '..') {
606             $this->_errors[] = sprintf(_("illegal pagename"), $pagename);
607             $pagename = '';
608         }
609         
610         return $pagename;
611     }
612 }
613
614 /**
615  * Convert old page markup to new-style markup.
616  *
617  * @param string $text Old-style wiki markup.
618  *
619  * @param string $markup_type
620  * One of: <dl>
621  * <dt><code>"block"</code>  <dd>Convert all markup.
622  * <dt><code>"inline"</code> <dd>Convert only inline markup.
623  * <dt><code>"links"</code>  <dd>Convert only link markup.
624  * </dl>
625  *
626  * @return string New-style wiki markup.
627  *
628  * @bugs Footnotes don't work quite as before (esp if there are
629  *   multiple references to the same footnote.  But close enough,
630  *   probably for now....
631  * @bugs  Apache2 and IIS crash with OldTextFormattingRules or
632  *   AnciennesR%E8glesDeFormatage. ( at the 2nd attempt to do the anchored block regex )
633  *   It only crashes with CreateToc so far, but other pages (not in pgsrc) are 
634  *   also known to crash, even with Apache1.
635  */
636 function ConvertOldMarkup ($text, $markup_type = "block") {
637
638     static $subs;
639     static $block_re;
640     
641     // FIXME:
642     // Trying to detect why the 2nd paragraph of OldTextFormattingRules or
643     // AnciennesR%E8glesDeFormatage crashes. 
644     // It only crashes with CreateToc so far, but other pages (not in pgsrc) are 
645     // also known to crash, even with Apache1.
646     $debug_skip = false;
647     // I suspect this only to crash with Apache2 and IIS.
648     if (in_array(php_sapi_name(),array('apache2handler','apache2filter','isapi'))
649         and preg_match("/plugin CreateToc/", $text)) 
650     {
651         trigger_error(_("The CreateTocPlugin is not yet old markup compatible! ")
652                      ._("Please remove the CreateToc line to be able to reformat this page to old markup. ")
653                      ._("Skipped."), E_USER_WARNING);
654         $debug_skip = true;
655         //if (!DEBUG) return $text;
656         return $text;
657     }
658
659     if (empty($subs)) {
660         /*****************************************************************
661          * Conversions for inline markup:
662          */
663
664         // escape tilde's
665         $orig[] = '/~/';
666         $repl[] = '~~';
667
668         // escape escaped brackets
669         $orig[] = '/\[\[/';
670         $repl[] = '~[';
671
672         // change ! escapes to ~'s.
673         global $WikiNameRegexp, $request;
674         $bang_esc[] = "(?:" . ALLOWED_PROTOCOLS . "):[^\s<>\[\]\"'()]*[^\s<>\[\]\"'(),.?]";
675         $map = getInterwikiMap();
676         if ($map_regex = $map->getRegexp())
677             $bang_esc[] = $map_regex . ":[^\\s.,;?()]+"; // FIXME: is this really needed?
678         $bang_esc[] = $WikiNameRegexp;
679         $orig[] = '/!((?:' . join(')|(', $bang_esc) . '))/';
680         $repl[] = '~\\1';
681
682         $subs["links"] = array($orig, $repl);
683
684         // Escape '<'s
685         //$orig[] = '/<(?!\?plugin)|(?<!^)</m';
686         //$repl[] = '~<';
687         
688         // Convert footnote references.
689         $orig[] = '/(?<=.)(?<!~)\[\s*(\d+)\s*\]/m';
690         $repl[] = '#[|ftnt_ref_\\1]<sup>~[[\\1|#ftnt_\\1]~]</sup>';
691
692         // Convert old style emphases to HTML style emphasis.
693         $orig[] = '/__(.*?)__/';
694         $repl[] = '<strong>\\1</strong>';
695         $orig[] = "/''(.*?)''/";
696         $repl[] = '<em>\\1</em>';
697
698         // Escape nestled markup.
699         $orig[] = '/^(?<=^|\s)[=_](?=\S)|(?<=\S)[=_*](?=\s|$)/m';
700         $repl[] = '~\\0';
701         
702         // in old markup headings only allowed at beginning of line
703         $orig[] = '/!/';
704         $repl[] = '~!';
705
706         $subs["inline"] = array($orig, $repl);
707
708         /*****************************************************************
709          * Patterns which match block markup constructs which take
710          * special handling...
711          */
712
713         // Indented blocks
714         $blockpats[] = '[ \t]+\S(?:.*\s*\n[ \t]+\S)*';
715         // Tables
716         $blockpats[] = '\|(?:.*\n\|)*';
717
718         // List items
719         $blockpats[] = '[#*;]*(?:[*#]|;.*?:)';
720
721         // Footnote definitions
722         $blockpats[] = '\[\s*(\d+)\s*\]';
723
724         if (!$debug_skip) {
725         // Plugins
726         $blockpats[] = '<\?plugin(?:-form)?\b.*\?>\s*$';
727         }
728
729         // Section Title
730         $blockpats[] = '!{1,3}[^!]';
731
732         $block_re = ( '/\A((?:.|\n)*?)(^(?:'
733                       . join("|", $blockpats)
734                       . ').*$)\n?/m' );
735         
736     }
737     
738     if ($markup_type != "block") {
739         list ($orig, $repl) = $subs[$markup_type];
740         return preg_replace($orig, $repl, $text);
741     }
742     else {
743         list ($orig, $repl) = $subs['inline'];
744         $out = '';
745         //FIXME:
746         // php crashes here in the 2nd paragraph of OldTextFormattingRules, 
747         // AnciennesR%E8glesDeFormatage and more 
748          while (preg_match($block_re, $text, $m)) {
749             $text = substr($text, strlen($m[0]));
750             list (,$leading_text, $block) = $m;
751             $suffix = "\n";
752             
753             if (strchr(" \t", $block[0])) {
754                 // Indented block
755                 $prefix = "<pre>\n";
756                 $suffix = "\n</pre>\n";
757             }
758             elseif ($block[0] == '|') {
759                 // Old-style table
760                 $prefix = "<?plugin OldStyleTable\n";
761                 $suffix = "\n?>\n";
762             }
763             elseif (strchr("#*;", $block[0])) {
764                 // Old-style list item
765                 preg_match('/^([#*;]*)([*#]|;.*?:) */', $block, $m);
766                 list (,$ind,$bullet) = $m;
767                 $block = substr($block, strlen($m[0]));
768                 
769                 $indent = str_repeat('     ', strlen($ind));
770                 if ($bullet[0] == ';') {
771                     //$term = ltrim(substr($bullet, 1));
772                     //return $indent . $term . "\n" . $indent . '     ';
773                     $prefix = $ind . $bullet;
774                 }
775                 else
776                     $prefix = $indent . $bullet . ' ';
777             }
778             elseif ($block[0] == '[') {
779                 // Footnote definition
780                 preg_match('/^\[\s*(\d+)\s*\]/', $block, $m);
781                 $footnum = $m[1];
782                 $block = substr($block, strlen($m[0]));
783                 $prefix = "#[|ftnt_${footnum}]~[[${footnum}|#ftnt_ref_${footnum}]~] ";
784             }
785             elseif ($block[0] == '<') {
786                 // Plugin.
787                 // HACK: no inline markup...
788                 $prefix = $block;
789                 $block = '';
790             }
791             elseif ($block[0] == '!') {
792                 // Section heading
793                 preg_match('/^!{1,3}/', $block, $m);
794                 $prefix = $m[0];
795                 $block = substr($block, strlen($m[0]));
796             }
797             else {
798                 // AAck!
799                 assert(0);
800             }
801             if ($leading_text) $leading_text = preg_replace($orig, $repl, $leading_text);
802             if ($block) $block = preg_replace($orig, $repl, $block);
803             $out .= $leading_text;
804             $out .= $prefix;
805             $out .= $block;
806             $out .= $suffix;
807         }
808         return $out . preg_replace($orig, $repl, $text);
809     }
810 }
811
812
813 /**
814  * Expand tabs in string.
815  *
816  * Converts all tabs to (the appropriate number of) spaces.
817  *
818  * @param string $str
819  * @param integer $tab_width
820  * @return string
821  */
822 function expand_tabs($str, $tab_width = 8) {
823     $split = split("\t", $str);
824     $tail = array_pop($split);
825     $expanded = "\n";
826     foreach ($split as $hunk) {
827         $expanded .= $hunk;
828         $pos = strlen(strrchr($expanded, "\n")) - 1;
829         $expanded .= str_repeat(" ", ($tab_width - $pos % $tab_width));
830     }
831     return substr($expanded, 1) . $tail;
832 }
833
834 /**
835  * Split WikiWords in page names.
836  *
837  * It has been deemed useful to split WikiWords (into "Wiki Words") in
838  * places like page titles. This is rumored to help search engines
839  * quite a bit.
840  *
841  * @param $page string The page name.
842  *
843  * @return string The split name.
844  */
845 function SplitPagename ($page) {
846     
847     if (preg_match("/\s/", $page))
848         return $page;           // Already split --- don't split any more.
849     
850     // This algorithm is specialized for several languages.
851     // (Thanks to Pierrick MEIGNEN)
852     // Improvements for other languages welcome.
853     static $RE;
854     if (!isset($RE)) {
855         // This mess splits between a lower-case letter followed by
856         // either an upper-case or a numeral; except that it wont
857         // split the prefixes 'Mc', 'De', or 'Di' off of their tails.
858         switch ($GLOBALS['LANG']) {
859         case 'en':
860         case 'it':
861         case 'es': 
862         case 'de':
863             $RE[] = '/([[:lower:]])((?<!Mc|De|Di)[[:upper:]]|\d)/';
864             break;
865         case 'fr': 
866             $RE[] = '/([[:lower:]])((?<!Mc|Di)[[:upper:]]|\d)/';
867             break;
868         }
869         $sep = preg_quote(SUBPAGE_SEPARATOR, '/');
870         // This the single-letter words 'I' and 'A' from any following
871         // capitalized words.
872         switch ($GLOBALS['LANG']) {
873         case 'en': 
874             $RE[] = "/(?<= |${sep}|^)([AI])([[:upper:]][[:lower:]])/";
875             break;
876         case 'fr': 
877             $RE[] = "/(?<= |${sep}|^)([À])([[:upper:]][[:lower:]])/";
878             break;
879         }
880         // Split numerals from following letters.
881         $RE[] = '/(\d)([[:alpha:]])/';
882         // Split at subpage seperators. TBD in Theme.php
883         $RE[] = "/([^${sep}]+)(${sep})/";
884         
885         foreach ($RE as $key)
886             $RE[$key] = pcre_fix_posix_classes($key);
887     }
888
889     foreach ($RE as $regexp) {
890         $page = preg_replace($regexp, '\\1 \\2', $page);
891     }
892     return $page;
893 }
894
895 function NoSuchRevision (&$request, $page, $version) {
896     $html = HTML(HTML::h2(_("Revision Not Found")),
897                  HTML::p(fmt("I'm sorry.  Version %d of %s is not in the database.",
898                              $version, WikiLink($page, 'auto'))));
899     include_once('lib/Template.php');
900     GeneratePage($html, _("Bad Version"), $page->getCurrentRevision());
901     $request->finish();
902 }
903
904
905 /**
906  * Get time offset for local time zone.
907  *
908  * @param $time time_t Get offset for this time. Default: now.
909  * @param $no_colon boolean Don't put colon between hours and minutes.
910  * @return string Offset as a string in the format +HH:MM.
911  */
912 function TimezoneOffset ($time = false, $no_colon = false) {
913     if ($time === false)
914         $time = time();
915     $secs = date('Z', $time);
916
917     if ($secs < 0) {
918         $sign = '-';
919         $secs = -$secs;
920     }
921     else {
922         $sign = '+';
923     }
924     $colon = $no_colon ? '' : ':';
925     $mins = intval(($secs + 30) / 60);
926     return sprintf("%s%02d%s%02d",
927                    $sign, $mins / 60, $colon, $mins % 60);
928 }
929
930
931 /**
932  * Format time in ISO-8601 format.
933  *
934  * @param $time time_t Time.  Default: now.
935  * @return string Date and time in ISO-8601 format.
936  */
937 function Iso8601DateTime ($time = false) {
938     if ($time === false)
939         $time = time();
940     $tzoff = TimezoneOffset($time);
941     $date  = date('Y-m-d', $time);
942     $time  = date('H:i:s', $time);
943     return $date . 'T' . $time . $tzoff;
944 }
945
946 /**
947  * Format time in RFC-2822 format.
948  *
949  * @param $time time_t Time.  Default: now.
950  * @return string Date and time in RFC-2822 format.
951  */
952 function Rfc2822DateTime ($time = false) {
953     if ($time === false)
954         $time = time();
955     return date('D, j M Y H:i:s ', $time) . TimezoneOffset($time, 'no colon');
956 }
957
958 /**
959  * Format time in RFC-1123 format.
960  *
961  * @param $time time_t Time.  Default: now.
962  * @return string Date and time in RFC-1123 format.
963  */
964 function Rfc1123DateTime ($time = false) {
965     if ($time === false)
966         $time = time();
967     return gmdate('D, d M Y H:i:s \G\M\T', $time);
968 }
969
970 /** Parse date in RFC-1123 format.
971  *
972  * According to RFC 1123 we must accept dates in the following
973  * formats:
974  *
975  *   Sun, 06 Nov 1994 08:49:37 GMT  ; RFC 822, updated by RFC 1123
976  *   Sunday, 06-Nov-94 08:49:37 GMT ; RFC 850, obsoleted by RFC 1036
977  *   Sun Nov  6 08:49:37 1994       ; ANSI C's asctime() format
978  *
979  * (Though we're only allowed to generate dates in the first format.)
980  */
981 function ParseRfc1123DateTime ($timestr) {
982     $timestr = trim($timestr);
983     if (preg_match('/^ \w{3},\s* (\d{1,2}) \s* (\w{3}) \s* (\d{4}) \s*'
984                    .'(\d\d):(\d\d):(\d\d) \s* GMT $/ix',
985                    $timestr, $m)) {
986         list(, $mday, $mon, $year, $hh, $mm, $ss) = $m;
987     }
988     elseif (preg_match('/^ \w+,\s* (\d{1,2})-(\w{3})-(\d{2}|\d{4}) \s*'
989                        .'(\d\d):(\d\d):(\d\d) \s* GMT $/ix',
990                        $timestr, $m)) {
991         list(, $mday, $mon, $year, $hh, $mm, $ss) = $m;
992         if ($year < 70) $year += 2000;
993         elseif ($year < 100) $year += 1900;
994     }
995     elseif (preg_match('/^\w+\s* (\w{3}) \s* (\d{1,2}) \s*'
996                        .'(\d\d):(\d\d):(\d\d) \s* (\d{4})$/ix',
997                        $timestr, $m)) {
998         list(, $mon, $mday, $hh, $mm, $ss, $year) = $m;
999     }
1000     else {
1001         // Parse failed.
1002         return false;
1003     }
1004
1005     $time = strtotime("$mday $mon $year ${hh}:${mm}:${ss} GMT");
1006     if ($time == -1)
1007         return false;           // failed
1008     return $time;
1009 }
1010
1011 /**
1012  * Format time to standard 'ctime' format.
1013  *
1014  * @param $time time_t Time.  Default: now.
1015  * @return string Date and time.
1016  */
1017 function CTime ($time = false)
1018 {
1019     if ($time === false)
1020         $time = time();
1021     return date("D M j H:i:s Y", $time);
1022 }
1023
1024
1025 /**
1026  * Format number as kilobytes or bytes.
1027  * Short format is used for PageList
1028  * Long format is used in PageInfo
1029  *
1030  * @param $bytes       int.  Default: 0.
1031  * @param $longformat  bool. Default: false.
1032  * @return class FormattedText (XmlElement.php).
1033  */
1034 function ByteFormatter ($bytes = 0, $longformat = false) {
1035     if ($bytes < 0)
1036         return fmt("-???");
1037     if ($bytes < 1024) {
1038         if (! $longformat)
1039             $size = fmt("%s b", $bytes);
1040         else
1041             $size = fmt("%s bytes", $bytes);
1042     }
1043     else {
1044         $kb = round($bytes / 1024, 1);
1045         if (! $longformat)
1046             $size = fmt("%s k", $kb);
1047         else
1048             $size = fmt("%s Kb (%s bytes)", $kb, $bytes);
1049     }
1050     return $size;
1051 }
1052
1053 /**
1054  * Internationalized printf.
1055  *
1056  * This is essentially the same as PHP's built-in printf
1057  * with the following exceptions:
1058  * <ol>
1059  * <li> It passes the format string through gettext().
1060  * <li> It supports the argument reordering extensions.
1061  * </ol>
1062  *
1063  * Example:
1064  *
1065  * In php code, use:
1066  * <pre>
1067  *    __printf("Differences between versions %s and %s of %s",
1068  *             $new_link, $old_link, $page_link);
1069  * </pre>
1070  *
1071  * Then in locale/po/de.po, one can reorder the printf arguments:
1072  *
1073  * <pre>
1074  *    msgid "Differences between %s and %s of %s."
1075  *    msgstr "Der Unterschiedsergebnis von %3$s, zwischen %1$s und %2$s."
1076  * </pre>
1077  *
1078  * (Note that while PHP tries to expand $vars within double-quotes,
1079  * the values in msgstr undergo no such expansion, so the '$'s
1080  * okay...)
1081  *
1082  * One shouldn't use reordered arguments in the default format string.
1083  * Backslashes in the default string would be necessary to escape the
1084  * '$'s, and they'll cause all kinds of trouble....
1085  */ 
1086 function __printf ($fmt) {
1087     $args = func_get_args();
1088     array_shift($args);
1089     echo __vsprintf($fmt, $args);
1090 }
1091
1092 /**
1093  * Internationalized sprintf.
1094  *
1095  * This is essentially the same as PHP's built-in printf with the
1096  * following exceptions:
1097  *
1098  * <ol>
1099  * <li> It passes the format string through gettext().
1100  * <li> It supports the argument reordering extensions.
1101  * </ol>
1102  *
1103  * @see __printf
1104  */ 
1105 function __sprintf ($fmt) {
1106     $args = func_get_args();
1107     array_shift($args);
1108     return __vsprintf($fmt, $args);
1109 }
1110
1111 /**
1112  * Internationalized vsprintf.
1113  *
1114  * This is essentially the same as PHP's built-in printf with the
1115  * following exceptions:
1116  *
1117  * <ol>
1118  * <li> It passes the format string through gettext().
1119  * <li> It supports the argument reordering extensions.
1120  * </ol>
1121  *
1122  * @see __printf
1123  */ 
1124 function __vsprintf ($fmt, $args) {
1125     $fmt = gettext($fmt);
1126     // PHP's sprintf doesn't support variable with specifiers,
1127     // like sprintf("%*s", 10, "x"); --- so we won't either.
1128     
1129     if (preg_match_all('/(?<!%)%(\d+)\$/x', $fmt, $m)) {
1130         // Format string has '%2$s' style argument reordering.
1131         // PHP doesn't support this.
1132         if (preg_match('/(?<!%)%[- ]?\d*[^- \d$]/x', $fmt))
1133             // literal variable name substitution only to keep locale
1134             // strings uncluttered
1135             trigger_error(sprintf(_("Can't mix '%s' with '%s' type format strings"),
1136                                   '%1\$s','%s'), E_USER_WARNING); //php+locale error
1137         
1138         $fmt = preg_replace('/(?<!%)%\d+\$/x', '%', $fmt);
1139         $newargs = array();
1140         
1141         // Reorder arguments appropriately.
1142         foreach($m[1] as $argnum) {
1143             if ($argnum < 1 || $argnum > count($args))
1144                 trigger_error(sprintf(_("%s: argument index out of range"), 
1145                                       $argnum), E_USER_WARNING);
1146             $newargs[] = $args[$argnum - 1];
1147         }
1148         $args = $newargs;
1149     }
1150     
1151     // Not all PHP's have vsprintf, so...
1152     array_unshift($args, $fmt);
1153     return call_user_func_array('sprintf', $args);
1154 }
1155
1156 function file_mtime ($filename) {
1157     if ($stat = @stat($filename))
1158         return $stat[9];
1159     else 
1160         return false;
1161 }
1162
1163 function sort_file_mtime ($a, $b) {
1164     $ma = file_mtime($a);
1165     $mb = file_mtime($b);
1166     if (!$ma or !$mb or $ma == $mb) return 0;
1167     return ($ma > $mb) ? -1 : 1;
1168 }
1169
1170 class fileSet {
1171     /**
1172      * Build an array in $this->_fileList of files from $dirname.
1173      * Subdirectories are not traversed.
1174      *
1175      * (This was a function LoadDir in lib/loadsave.php)
1176      * See also http://www.php.net/manual/en/function.readdir.php
1177      */
1178     function getFiles($exclude=false,$sortby=false,$limit=false) {
1179         $list = $this->_fileList;
1180         if ($sortby) {
1181             switch (Pagelist::sortby($sortby,'db')) {
1182             case 'pagename ASC': break;
1183             case 'pagename DESC': 
1184                 $list = array_reverse($list); 
1185                 break;
1186             case 'mtime ASC': 
1187                 usort($list,'sort_file_mtime'); 
1188                 break;
1189             case 'mtime DESC': 
1190                 usort($list,'sort_file_mtime');
1191                 $list = array_reverse($list); 
1192                 break;
1193             }
1194         }
1195         if ($limit)
1196             return array_splice($list,0,$limit);
1197         return $list;
1198     }
1199
1200     function _filenameSelector($filename) {
1201         if (! $this->_pattern)
1202             return true;
1203         else {
1204             return glob_match ($this->_pattern, $filename, $this->_case);
1205         }
1206     }
1207
1208     function fileSet($directory, $filepattern = false) {
1209         $this->_fileList = array();
1210         $this->_pattern = $filepattern;
1211         $this->_case = !isWindows();
1212         $this->_pathsep = '/';
1213
1214         if (empty($directory)) {
1215             trigger_error(sprintf(_("%s is empty."), 'directoryname'),
1216                           E_USER_NOTICE);
1217             return; // early return
1218         }
1219
1220         @ $dir_handle = opendir($dir=$directory);
1221         if (empty($dir_handle)) {
1222             trigger_error(sprintf(_("Unable to open directory '%s' for reading"),
1223                                   $dir), E_USER_NOTICE);
1224             return; // early return
1225         }
1226
1227         while ($filename = readdir($dir_handle)) {
1228             if ($filename[0] == '.' || filetype($dir . $this->_pathsep . $filename) != 'file')
1229                 continue;
1230             if ($this->_filenameSelector($filename)) {
1231                 array_push($this->_fileList, "$filename");
1232                 //trigger_error(sprintf(_("found file %s"), $filename),
1233                 //                      E_USER_NOTICE); //debugging
1234             }
1235         }
1236         closedir($dir_handle);
1237     }
1238 };
1239
1240 // File globbing
1241
1242 // expands a list containing regex's to its matching entries
1243 class ListRegexExpand {
1244     var $match, $list, $index, $case_sensitive;
1245     function ListRegexExpand (&$list, $match, $case_sensitive = true) {
1246         $this->match = str_replace('/','\/',$match);
1247         $this->list = &$list;
1248         $this->case_sensitive = $case_sensitive;        
1249         //$this->index = false;
1250     }
1251     function listMatchCallback ($item, $key) {
1252         if (preg_match('/' . $this->match . ($this->case_sensitive ? '/' : '/i'), $item)) {
1253             unset($this->list[$this->index]);
1254             $this->list[] = $item;
1255         }
1256     }
1257     function expandRegex ($index, &$pages) {
1258         $this->index = $index;
1259         array_walk($pages, array($this, 'listMatchCallback'));
1260         return $this->list;
1261     }
1262 }
1263
1264 // convert fileglob to regex style
1265 function glob_to_pcre ($glob) {
1266     $re = preg_replace('/\./', '\\.', $glob);
1267     $re = preg_replace(array('/\*/','/\?/'), array('.*','.'), $glob);
1268     if (!preg_match('/^[\?\*]/',$glob))
1269         $re = '^' . $re;
1270     if (!preg_match('/[\?\*]$/',$glob))
1271         $re = $re . '$';
1272     return $re;
1273 }
1274
1275 function glob_match ($glob, $against, $case_sensitive = true) {
1276     return preg_match('/' . glob_to_pcre($glob) . ($case_sensitive ? '/' : '/i'), $against);
1277 }
1278
1279 function explodeList($input, $allnames, $glob_style = true, $case_sensitive = true) {
1280     $list = explode(',',$input);
1281     // expand wildcards from list of $allnames
1282     if (preg_match('/[\?\*]/',$input)) {
1283         // Optimizing loop invariants:
1284         // http://phplens.com/lens/php-book/optimizing-debugging-php.php
1285         for ($i = 0, $max = sizeof($list); $i < $max; $i++) {
1286             $f = $list[$i];
1287             if (preg_match('/[\?\*]/',$f)) {
1288                 reset($allnames);
1289                 $expand = new ListRegexExpand($list, $glob_style ? glob_to_pcre($f) : $f, $case_sensitive);
1290                 $expand->expandRegex($i, $allnames);
1291             }
1292         }
1293     }
1294     return $list;
1295 }
1296
1297 // echo implode(":",explodeList("Test*",array("xx","Test1","Test2")));
1298 function explodePageList($input, $perm=false, $sortby='pagename', $limit=false) {
1299     include_once("lib/PageList.php");
1300     return PageList::explodePageList($input,$perm,$sortby,$limit);
1301 }
1302
1303 // Class introspections
1304
1305 /** 
1306  * Determine whether object is of a specified type.
1307  * In PHP builtin since 4.2.0 as is_a()
1308  *
1309  * @param $object object An object.
1310  * @param $class string Class name.
1311  * @return bool True iff $object is a $class
1312  * or a sub-type of $class. 
1313  */
1314 function isa ($object, $class) {
1315     $lclass = strtolower($class);
1316
1317     return is_object($object)
1318         && ( strtolower(get_class($object)) == $lclass
1319              || is_subclass_of($object, $lclass) );
1320 }
1321
1322 /** Determine whether (possible) object has method.
1323  *
1324  * @param $object mixed Object
1325  * @param $method string Method name
1326  * @return bool True iff $object is an object with has method $method.
1327  */
1328 function can ($object, $method) {
1329     return is_object($object) && method_exists($object, strtolower($method));
1330 }
1331
1332 /** Determine whether a function is okay to use.
1333  *
1334  * Some providers (e.g. Lycos) disable some of PHP functions for
1335  * "security reasons."  This makes those functions, of course,
1336  * unusable, despite the fact the function_exists() says they
1337  * exist.
1338  *
1339  * This function test to see if a function exists and is not
1340  * disallowed by PHP's disable_functions config setting.
1341  *
1342  * @param string $function_name  Function name
1343  * @return bool  True iff function can be used.
1344  */
1345 function function_usable($function_name) {
1346     static $disabled;
1347     if (!is_array($disabled)) {
1348         $disabled = array();
1349         // Use get_cfg_var since ini_get() is one of the disabled functions
1350         // (on Lycos, at least.)
1351         $split = preg_split('/\s*,\s*/', trim(get_cfg_var('disable_functions')));
1352         foreach ($split as $f)
1353             $disabled[strtolower($f)] = true;
1354     }
1355
1356     return ( function_exists($function_name)
1357              and ! isset($disabled[strtolower($function_name)])
1358              );
1359 }
1360     
1361     
1362 /** Hash a value.
1363  *
1364  * This is used for generating ETags.
1365  */
1366 function hash ($x) {
1367     if (is_scalar($x)) {
1368         return $x;
1369     }
1370     elseif (is_array($x)) {            
1371         ksort($x);
1372         return md5(serialize($x));
1373     }
1374     elseif (is_object($x)) {
1375         return $x->hash();
1376     }
1377     trigger_error("Can't hash $x", E_USER_ERROR);
1378 }
1379
1380     
1381 /**
1382  * Seed the random number generator.
1383  *
1384  * better_srand() ensures the randomizer is seeded only once.
1385  * 
1386  * How random do you want it? See:
1387  * http://www.php.net/manual/en/function.srand.php
1388  * http://www.php.net/manual/en/function.mt-srand.php
1389  */
1390 function better_srand($seed = '') {
1391     static $wascalled = FALSE;
1392     if (!$wascalled) {
1393         $seed = $seed === '' ? (double) microtime() * 1000000 : $seed;
1394         srand($seed);
1395         $wascalled = TRUE;
1396         //trigger_error("new random seed", E_USER_NOTICE); //debugging
1397     }
1398 }
1399
1400 /**
1401  * Recursively count all non-empty elements 
1402  * in array of any dimension or mixed - i.e. 
1403  * array('1' => 2, '2' => array('1' => 3, '2' => 4))
1404  * See http://www.php.net/manual/en/function.count.php
1405  */
1406 function count_all($arg) {
1407     // skip if argument is empty
1408     if ($arg) {
1409         //print_r($arg); //debugging
1410         $count = 0;
1411         // not an array, return 1 (base case) 
1412         if(!is_array($arg))
1413             return 1;
1414         // else call recursively for all elements $arg
1415         foreach($arg as $key => $val)
1416             $count += count_all($val);
1417         return $count;
1418     }
1419 }
1420
1421 function isSubPage($pagename) {
1422     return (strstr($pagename, SUBPAGE_SEPARATOR));
1423 }
1424
1425 function subPageSlice($pagename, $pos) {
1426     $pages = explode(SUBPAGE_SEPARATOR,$pagename);
1427     $pages = array_slice($pages,$pos,1);
1428     return $pages[0];
1429 }
1430
1431 /**
1432  * Alert
1433  *
1434  * Class for "popping up" and alert box.  (Except that right now, it doesn't
1435  * pop up...)
1436  *
1437  * FIXME:
1438  * This is a hackish and needs to be refactored.  However it would be nice to
1439  * unify all the different methods we use for showing Alerts and Dialogs.
1440  * (E.g. "Page deleted", login form, ...)
1441  */
1442 class Alert {
1443     /** Constructor
1444      *
1445      * @param object $request
1446      * @param mixed $head  Header ("title") for alert box.
1447      * @param mixed $body  The text in the alert box.
1448      * @param hash $buttons  An array mapping button labels to URLs.
1449      *    The default is a single "Okay" button pointing to $request->getURLtoSelf().
1450      */
1451     function Alert($head, $body, $buttons=false) {
1452         if ($buttons === false)
1453             $buttons = array();
1454
1455         $this->_tokens = array('HEADER' => $head, 'CONTENT' => $body);
1456         $this->_buttons = $buttons;
1457     }
1458
1459     /**
1460      * Show the alert box.
1461      */
1462     function show(&$request) {
1463         global $request;
1464
1465         $tokens = $this->_tokens;
1466         $tokens['BUTTONS'] = $this->_getButtons();
1467         
1468         $request->discardOutput();
1469         $tmpl = new Template('dialog', $request, $tokens);
1470         $tmpl->printXML();
1471         $request->finish();
1472     }
1473
1474
1475     function _getButtons() {
1476         global $request;
1477
1478         $buttons = $this->_buttons;
1479         if (!$buttons)
1480             $buttons = array(_("Okay") => $request->getURLtoSelf());
1481         
1482         global $WikiTheme;
1483         foreach ($buttons as $label => $url)
1484             print "$label $url\n";
1485             $out[] = $WikiTheme->makeButton($label, $url, 'wikiaction');
1486         return new XmlContent($out);
1487     }
1488 }
1489
1490 // 1.3.8     => 1030.08
1491 // 1.3.9-p1  => 1030.091
1492 // 1.3.10pre => 1030.099
1493 function phpwiki_version() {
1494     static $PHPWIKI_VERSION;
1495     if (!isset($PHPWIKI_VERSION)) {
1496         $arr = explode('.',preg_replace('/\D+$/','', PHPWIKI_VERSION)); // remove the pre
1497         $arr[2] = preg_replace('/\.+/','.',preg_replace('/\D/','.',$arr[2]));
1498         $PHPWIKI_VERSION = $arr[0]*1000 + $arr[1]*10 + 0.01*$arr[2];
1499         if (substr(PHPWIKI_VERSION,-3,3) == 'pre')
1500             $PHPWIKI_VERSION -= 0.001;
1501     }
1502     return $PHPWIKI_VERSION;
1503 }
1504
1505 function isWikiWord($word) {
1506     global $WikiNameRegexp;
1507     //or preg_match('/\A' . $WikiNameRegexp . '\z/', $word) ??
1508     return preg_match("/^$WikiNameRegexp\$/",$word);
1509 }
1510
1511 // needed to store serialized objects-values only (perm, pref)
1512 function obj2hash ($obj, $exclude = false, $fields = false) {
1513     $a = array();
1514     if (! $fields ) $fields = get_object_vars($obj);
1515     foreach ($fields as $key => $val) {
1516         if (is_array($exclude)) {
1517             if (in_array($key,$exclude)) continue;
1518         }
1519         $a[$key] = $val;
1520     }
1521     return $a;
1522 }
1523
1524 /**
1525  * isUtf8String($string) - cheap utf-8 detection
1526  *
1527  * segfaults for strings longer than 10kb!
1528  * Use http://www.phpdiscuss.com/article.php?id=565&group=php.i18n or
1529  * checkTitleEncoding() at http://cvs.sourceforge.net/viewcvs.py/wikipedia/phase3/languages/Language.php
1530  */
1531 function isUtf8String( $s ) {
1532     $ptrASCII  = '[\x00-\x7F]';
1533     $ptr2Octet = '[\xC2-\xDF][\x80-\xBF]';
1534     $ptr3Octet = '[\xE0-\xEF][\x80-\xBF]{2}';
1535     $ptr4Octet = '[\xF0-\xF4][\x80-\xBF]{3}';
1536     $ptr5Octet = '[\xF8-\xFB][\x80-\xBF]{4}';
1537     $ptr6Octet = '[\xFC-\xFD][\x80-\xBF]{5}';
1538     return preg_match("/^($ptrASCII|$ptr2Octet|$ptr3Octet|$ptr4Octet|$ptr5Octet|$ptr6Octet)*$/s", $s);
1539 }
1540
1541 /** 
1542  * Check for UTF-8 URLs; Internet Explorer produces these if you
1543  * type non-ASCII chars in the URL bar or follow unescaped links.
1544  * Requires urldecoded pagename.
1545  * Fixes sf.net bug #953949
1546  *
1547  * src: languages/Language.php:checkTitleEncoding() from mediawiki
1548  */
1549 function fixTitleEncoding( $s ) {
1550     global $charset;
1551
1552     $s = trim($s);
1553     // print a warning?
1554     if (empty($s)) return $s;
1555
1556     $ishigh = preg_match( '/[\x80-\xff]/', $s);
1557     /*
1558     $isutf = ($ishigh ? preg_match( '/^([\x00-\x7f]|[\xc0-\xdf][\x80-\xbf]|' .
1559                                     '[\xe0-\xef][\x80-\xbf]{2}|[\xf0-\xf7][\x80-\xbf]{3})+$/', $s ) : true );
1560     */
1561     $isutf = ($ishigh ? isUtf8String($s) : true);
1562     $locharset = strtolower($charset);
1563
1564     if( $locharset != "utf-8" and $ishigh and $isutf )
1565         // if charset == 'iso-8859-1' then simply use utf8_decode()
1566         if ($locharset == 'iso-8859-1')
1567             return utf8_decode( $s );
1568         else
1569             // TODO: check for iconv support
1570             return iconv( "UTF-8", $charset, $s );
1571
1572     if ($locharset == "utf-8" and $ishigh and !$isutf )
1573         return utf8_encode( $s );
1574
1575     // Other languages can safely leave this function, or replace
1576     // it with one to detect and convert another legacy encoding.
1577     return $s;
1578 }
1579
1580 /** 
1581  * MySQL fulltext index doesn't grok utf-8, so we
1582  * need to fold cases and convert to hex.
1583  * src: languages/Language.php:stripForSearch() from mediawiki
1584  */
1585 /*
1586 function stripForSearch( $string ) {
1587     global $wikiLowerChars; 
1588     // '/(?:[a-z]|\xc3[\x9f-\xbf]|\xc4[\x81\x83\x85\x87])/' => "a-z\xdf-\xf6\xf8-\xff"
1589     return preg_replace(
1590                         "/([\\xc0-\\xff][\\x80-\\xbf]*)/e",
1591                         "'U8' . bin2hex( strtr( \"\$1\", \$wikiLowerChars ) )",
1592                         $string );
1593 }
1594 */
1595
1596 /** 
1597  * Workaround for allow_url_fopen, to get the content of an external URI.
1598  * It returns the contents in one slurp. Parsers might want to check for allow_url_fopen
1599  * and use fopen, fread chunkwise. (see lib/XmlParser.php)
1600  */
1601 function url_get_contents( $uri ) {
1602     if (get_cfg_var('allow_url_fopen')) { // was ini_get('allow_url_fopen'))
1603         return @file_get_contents($uri);
1604     } else {
1605         require_once("lib/HttpClient.php");
1606         $bits = parse_url($uri);
1607         $host = $bits['host'];
1608         $port = isset($bits['port']) ? $bits['port'] : 80;
1609         $path = isset($bits['path']) ? $bits['path'] : '/';
1610         if (isset($bits['query'])) {
1611             $path .= '?'.$bits['query'];
1612         }
1613         $client = new HttpClient($host, $port);
1614         $client->use_gzip = false;
1615         if (!$client->get($path)) {
1616             return false;
1617         } else {
1618             return $client->getContent();
1619         }
1620     }
1621 }
1622
1623
1624 // $Log: not supported by cvs2svn $
1625 // Revision 1.195  2004/06/29 08:52:22  rurban
1626 // Use ...version() $need_content argument in WikiDB also:
1627 // To reduce the memory footprint for larger sets of pagelists,
1628 // we don't cache the content (only true or false) and
1629 // we purge the pagedata (_cached_html) also.
1630 // _cached_html is only cached for the current pagename.
1631 // => Vastly improved page existance check, ACL check, ...
1632 //
1633 // Now only PagedList info=content or size needs the whole content, esp. if sortable.
1634 //
1635 // Revision 1.194  2004/06/29 06:48:04  rurban
1636 // Improve LDAP auth and GROUP_LDAP membership:
1637 //   no error message on false password,
1638 //   added two new config vars: LDAP_OU_USERS and LDAP_OU_GROUP with GROUP_METHOD=LDAP
1639 //   fixed two group queries (this -> user)
1640 // stdlib: ConvertOldMarkup still flawed
1641 //
1642 // Revision 1.193  2004/06/28 13:27:03  rurban
1643 // CreateToc disabled for old markup and Apache2 only
1644 //
1645 // Revision 1.192  2004/06/28 12:47:43  rurban
1646 // skip if non-DEBUG and old markup with CreateToc
1647 //
1648 // Revision 1.191  2004/06/25 14:31:56  rurban
1649 // avoid debug_skip warning
1650 //
1651 // Revision 1.190  2004/06/25 14:29:20  rurban
1652 // WikiGroup refactoring:
1653 //   global group attached to user, code for not_current user.
1654 //   improved helpers for special groups (avoid double invocations)
1655 // new experimental config option ENABLE_XHTML_XML (fails with IE, and document.write())
1656 // fixed a XHTML validation error on userprefs.tmpl
1657 //
1658 // Revision 1.189  2004/06/20 09:45:35  rurban
1659 // php5 isa fix (wrong strtolower)
1660 //
1661 // Revision 1.188  2004/06/16 10:38:58  rurban
1662 // Disallow refernces in calls if the declaration is a reference
1663 // ("allow_call_time_pass_reference clean").
1664 //   PhpWiki is now allow_call_time_pass_reference = Off clean,
1665 //   but several external libraries may not.
1666 //   In detail these libs look to be affected (not tested):
1667 //   * Pear_DB odbc
1668 //   * adodb oracle
1669 //
1670 // Revision 1.187  2004/06/14 11:31:37  rurban
1671 // renamed global $Theme to $WikiTheme (gforge nameclash)
1672 // inherit PageList default options from PageList
1673 //   default sortby=pagename
1674 // use options in PageList_Selectable (limit, sortby, ...)
1675 // added action revert, with button at action=diff
1676 // added option regex to WikiAdminSearchReplace
1677 //
1678 // Revision 1.186  2004/06/13 13:54:25  rurban
1679 // Catch fatals on the four dump calls (as file and zip, as html and mimified)
1680 // FoafViewer: Check against external requirements, instead of fatal.
1681 // Change output for xhtmldumps: using file:// urls to the local fs.
1682 // Catch SOAP fatal by checking for GOOGLE_LICENSE_KEY
1683 // Import GOOGLE_LICENSE_KEY and FORTUNE_DIR from config.ini.
1684 //
1685 // Revision 1.185  2004/06/11 09:07:30  rurban
1686 // support theme-specific LinkIconAttr: front or after or none
1687 //
1688 // Revision 1.184  2004/06/04 20:32:53  rurban
1689 // Several locale related improvements suggested by Pierrick Meignen
1690 // LDAP fix by John Cole
1691 // reanable admin check without ENABLE_PAGEPERM in the admin plugins
1692 //
1693 // Revision 1.183  2004/06/01 10:22:56  rurban
1694 // added url_get_contents() used in XmlParser and elsewhere
1695 //
1696 // Revision 1.182  2004/05/25 12:40:48  rurban
1697 // trim the pagename
1698 //
1699 // Revision 1.181  2004/05/25 10:18:44  rurban
1700 // Check for UTF-8 URLs; Internet Explorer produces these if you
1701 // type non-ASCII chars in the URL bar or follow unescaped links.
1702 // Fixes sf.net bug #953949
1703 // src: languages/Language.php:checkTitleEncoding() from mediawiki
1704 //
1705 // Revision 1.180  2004/05/18 16:23:39  rurban
1706 // rename split_pagename to SplitPagename
1707 //
1708 // Revision 1.179  2004/05/18 16:18:37  rurban
1709 // AutoSplit at subpage seperators
1710 // RssFeed stability fix for empty feeds or broken connections
1711 //
1712 // Revision 1.178  2004/05/12 10:49:55  rurban
1713 // require_once fix for those libs which are loaded before FileFinder and
1714 //   its automatic include_path fix, and where require_once doesn't grok
1715 //   dirname(__FILE__) != './lib'
1716 // upgrade fix with PearDB
1717 // navbar.tmpl: remove spaces for IE &nbsp; button alignment
1718 //
1719 // Revision 1.177  2004/05/08 14:06:12  rurban
1720 // new support for inlined image attributes: [image.jpg size=50x30 align=right]
1721 // minor stability and portability fixes
1722 //
1723 // Revision 1.176  2004/05/08 11:25:15  rurban
1724 // php-4.0.4 fixes
1725 //
1726 // Revision 1.175  2004/05/06 17:30:38  rurban
1727 // CategoryGroup: oops, dos2unix eol
1728 // improved phpwiki_version:
1729 //   pre -= .0001 (1.3.10pre: 1030.099)
1730 //   -p1 += .001 (1.3.9-p1: 1030.091)
1731 // improved InstallTable for mysql and generic SQL versions and all newer tables so far.
1732 // abstracted more ADODB/PearDB methods for action=upgrade stuff:
1733 //   backend->backendType(), backend->database(),
1734 //   backend->listOfFields(),
1735 //   backend->listOfTables(),
1736 //
1737 // Revision 1.174  2004/05/06 12:02:05  rurban
1738 // fix sf.net bug#949002: [ Link | ] assertion
1739 //
1740 // Revision 1.173  2004/05/03 15:00:31  rurban
1741 // added more database upgrading: session.sess_ip, page.id autp_increment
1742 //
1743 // Revision 1.172  2004/04/26 20:44:34  rurban
1744 // locking table specific for better databases
1745 //
1746 // Revision 1.171  2004/04/19 23:13:03  zorloc
1747 // Connect the rest of PhpWiki to the IniConfig system.  Also the keyword regular expression is not a config setting
1748 //
1749 // Revision 1.170  2004/04/19 18:27:45  rurban
1750 // Prevent from some PHP5 warnings (ref args, no :: object init)
1751 //   php5 runs now through, just one wrong XmlElement object init missing
1752 // Removed unneccesary UpgradeUser lines
1753 // Changed WikiLink to omit version if current (RecentChanges)
1754 //
1755 // Revision 1.169  2004/04/15 21:29:48  rurban
1756 // allow [0] with new markup: link to page "0"
1757 //
1758 // Revision 1.168  2004/04/10 02:30:49  rurban
1759 // Fixed gettext problem with VIRTUAL_PATH scripts (Windows only probably)
1760 // Fixed "cannot setlocale..." (sf.net problem)
1761 //
1762 // Revision 1.167  2004/04/02 15:06:55  rurban
1763 // fixed a nasty ADODB_mysql session update bug
1764 // improved UserPreferences layout (tabled hints)
1765 // fixed UserPreferences auth handling
1766 // improved auth stability
1767 // improved old cookie handling: fixed deletion of old cookies with paths
1768 //
1769 // Revision 1.166  2004/04/01 15:57:10  rurban
1770 // simplified Sidebar theme: table, not absolute css positioning
1771 // added the new box methods.
1772 // remaining problems: large left margin, how to override _autosplitWikiWords in Template only
1773 //
1774 // Revision 1.165  2004/03/24 19:39:03  rurban
1775 // php5 workaround code (plus some interim debugging code in XmlElement)
1776 //   php5 doesn't work yet with the current XmlElement class constructors,
1777 //   WikiUserNew does work better than php4.
1778 // rewrote WikiUserNew user upgrading to ease php5 update
1779 // fixed pref handling in WikiUserNew
1780 // added Email Notification
1781 // added simple Email verification
1782 // removed emailVerify userpref subclass: just a email property
1783 // changed pref binary storage layout: numarray => hash of non default values
1784 // print optimize message only if really done.
1785 // forced new cookie policy: delete pref cookies, use only WIKI_ID as plain string.
1786 //   prefs should be stored in db or homepage, besides the current session.
1787 //
1788 // Revision 1.164  2004/03/18 21:41:09  rurban
1789 // fixed sqlite support
1790 // WikiUserNew: PHP5 fixes: don't assign $this (untested)
1791 //
1792 // Revision 1.163  2004/03/17 18:41:49  rurban
1793 // just reformatting
1794 //
1795 // Revision 1.162  2004/03/16 15:43:08  rurban
1796 // make fileSet sortable to please PageList
1797 //
1798 // Revision 1.161  2004/03/12 15:48:07  rurban
1799 // fixed explodePageList: wrong sortby argument order in UnfoldSubpages
1800 // simplified lib/stdlib.php:explodePageList
1801 //
1802 // Revision 1.160  2004/02/28 21:14:08  rurban
1803 // generally more PHPDOC docs
1804 //   see http://xarch.tu-graz.ac.at/home/rurban/phpwiki/xref/
1805 // fxied WikiUserNew pref handling: empty theme not stored, save only
1806 //   changed prefs, sql prefs improved, fixed password update,
1807 //   removed REPLACE sql (dangerous)
1808 // moved gettext init after the locale was guessed
1809 // + some minor changes
1810 //
1811 // Revision 1.158  2004/02/19 21:54:17  rurban
1812 // moved initerwiki code to PageType.php
1813 // re-enabled and fixed InlineImages support, now also for InterWiki Urls
1814 //      * [File:my_image.gif] inlines the image,
1815 //      * File:my_image.gif shows a plain inter-wiki link,
1816 //      * [what a pic|File:my_image.gif] shows a named inter-wiki link to the gif
1817 //      * [File:my_image.gif|what a pic] shows a inlimed image linked to the page "what a pic"
1818 //
1819 // Revision 1.157  2004/02/09 03:58:12  rurban
1820 // for now default DB_SESSION to false
1821 // PagePerm:
1822 //   * not existing perms will now query the parent, and not
1823 //     return the default perm
1824 //   * added pagePermissions func which returns the object per page
1825 //   * added getAccessDescription
1826 // WikiUserNew:
1827 //   * added global ->prepare (not yet used) with smart user/pref/member table prefixing.
1828 //   * force init of authdbh in the 2 db classes
1829 // main:
1830 //   * fixed session handling (not triple auth request anymore)
1831 //   * don't store cookie prefs with sessions
1832 // stdlib: global obj2hash helper from _AuthInfo, also needed for PagePerm
1833 //
1834 // Revision 1.156  2004/01/26 09:17:49  rurban
1835 // * changed stored pref representation as before.
1836 //   the array of objects is 1) bigger and 2)
1837 //   less portable. If we would import packed pref
1838 //   objects and the object definition was changed, PHP would fail.
1839 //   This doesn't happen with an simple array of non-default values.
1840 // * use $prefs->retrieve and $prefs->store methods, where retrieve
1841 //   understands the interim format of array of objects also.
1842 // * simplified $prefs->get() and fixed $prefs->set()
1843 // * added $user->_userid and class '_WikiUser' portability functions
1844 // * fixed $user object ->_level upgrading, mostly using sessions.
1845 //   this fixes yesterdays problems with loosing authorization level.
1846 // * fixed WikiUserNew::checkPass to return the _level
1847 // * fixed WikiUserNew::isSignedIn
1848 // * added explodePageList to class PageList, support sortby arg
1849 // * fixed UserPreferences for WikiUserNew
1850 // * fixed WikiPlugin for empty defaults array
1851 // * UnfoldSubpages: added pagename arg, renamed pages arg,
1852 //   removed sort arg, support sortby arg
1853 //
1854 // Revision 1.155  2004/01/25 10:52:22  rurban
1855 // added sortby support to explodePageList() and UnfoldSubpages
1856 // fixes [ 758044 ] Plugin UnfoldSubpages does not sort (includes fix)
1857 //
1858 // Revision 1.154  2004/01/25 03:49:03  rurban
1859 // added isWikiWord() to avoid redundancy
1860 // added check_php_version() to check for older php versions.
1861 //   e.g. object::method calls, ...
1862 //
1863 // Revision 1.153  2003/11/30 18:43:18  carstenklapp
1864 // Fixed careless mistakes in my last optimization commit.
1865 //
1866 // Revision 1.152  2003/11/30 18:20:34  carstenklapp
1867 // Minor code optimization: reduce invariant loops
1868 //
1869 // Revision 1.151  2003/11/29 19:30:01  carstenklapp
1870 // New function ByteFormatter.
1871 //
1872 // Revision 1.150  2003/09/13 22:43:00  carstenklapp
1873 // New preference to hide LinkIcons.
1874 //
1875 // Revision 1.149  2003/03/26 19:37:08  dairiki
1876 // Fix "object to string conversion" bug with external image links.
1877 //
1878 // Revision 1.148  2003/03/25 21:03:02  dairiki
1879 // Cleanup debugging output.
1880 //
1881 // Revision 1.147  2003/03/13 20:17:05  dairiki
1882 // Bug fix: Fix linking of pages whose names contain a hash ('#').
1883 //
1884 // Revision 1.146  2003/03/07 02:46:24  dairiki
1885 // function_usable(): New function.
1886 //
1887 // Revision 1.145  2003/03/04 01:55:05  dairiki
1888 // Fix to ensure absolute URL for logo in RSS recent changes.
1889 //
1890 // Revision 1.144  2003/02/26 00:39:30  dairiki
1891 // Bug fix: for magic PhpWiki URLs, "lock page to enable link" message was
1892 // being displayed at incorrect times.
1893 //
1894 // Revision 1.143  2003/02/26 00:10:26  dairiki
1895 // More/better/different checks for bad page names.
1896 //
1897 // Revision 1.142  2003/02/25 22:19:46  dairiki
1898 // Add some sanity checking for pagenames.
1899 //
1900 // Revision 1.141  2003/02/22 20:49:55  dairiki
1901 // Fixes for "Call-time pass by reference has been deprecated" errors.
1902 //
1903 // Revision 1.140  2003/02/21 23:33:29  dairiki
1904 // Set alt="" on the link icon image tags.
1905 // (See SF bug #675141.)
1906 //
1907 // Revision 1.139  2003/02/21 22:16:27  dairiki
1908 // Get rid of MakeWikiForm, and form-style MagicPhpWikiURLs.
1909 // These have been obsolete for quite awhile (I hope).
1910 //
1911 // Revision 1.138  2003/02/21 04:12:36  dairiki
1912 // WikiPageName: fixes for new cached links.
1913 //
1914 // Alert: new class for displaying alerts.
1915 //
1916 // ExtractWikiPageLinks and friends are now gone.
1917 //
1918 // LinkBracketLink moved to InlineParser.php
1919 //
1920 // Revision 1.137  2003/02/18 23:13:40  dairiki
1921 // Wups again.  Typo fix.
1922 //
1923 // Revision 1.136  2003/02/18 21:52:07  dairiki
1924 // Fix so that one can still link to wiki pages with # in their names.
1925 // (This was made difficult by the introduction of named tags, since
1926 // '[Page #1]' is now a link to anchor '1' in page 'Page'.
1927 //
1928 // Now the ~ escape for page names should work: [Page ~#1].
1929 //
1930 // Revision 1.135  2003/02/18 19:17:04  dairiki
1931 // SplitPagename():
1932 //     Bug fix. 'ThisIsABug' was being split to 'This IsA Bug'.
1933 //     Cleanup up subpage splitting code.
1934 //
1935 // Revision 1.134  2003/02/16 19:44:20  dairiki
1936 // New function hash().  This is a helper, primarily for generating
1937 // HTTP ETags.
1938 //
1939 // Revision 1.133  2003/02/16 04:50:09  dairiki
1940 // New functions:
1941 // Rfc1123DateTime(), ParseRfc1123DateTime()
1942 // for converting unix timestamps to and from strings.
1943 //
1944 // These functions produce and grok the time strings
1945 // in the format specified by RFC 2616 for use in HTTP headers
1946 // (like Last-Modified).
1947 //
1948 // Revision 1.132  2003/01/04 22:19:43  carstenklapp
1949 // Bugfix UnfoldSubpages: "Undefined offset: 1" error when plugin invoked
1950 // on a page with no subpages (explodeList(): array 0-based, sizeof 1-based).
1951 //
1952
1953 // (c-file-style: "gnu")
1954 // Local Variables:
1955 // mode: php
1956 // tab-width: 8
1957 // c-basic-offset: 4
1958 // c-hanging-comment-ender-p: nil
1959 // indent-tabs-mode: nil
1960 // End:   
1961 ?>