]> CyberLeo.Net >> Repos - SourceForge/phpwiki.git/blob - lib/stdlib.php
Remove CVS backend
[SourceForge/phpwiki.git] / lib / stdlib.php
1 <?php
2 /*
3  * Copyright 1999-2008 $ThePhpWikiProgrammingTeam
4  * Copyright 2008-2009 Marc-Etienne Vargenau, Alcatel-Lucent
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 along
19  * with PhpWiki; if not, write to the Free Software Foundation, Inc.,
20  * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
21  */
22
23 /*
24   Standard functions for Wiki functionality
25     WikiURL ($pagename, $args, $get_abs_url)
26     AbsoluteURL ($url)
27     IconForLink ($protocol_or_url)
28     PossiblyGlueIconToText($proto_or_url, $text)
29     IsSafeURL($url)
30     LinkURL ($url, $linktext)
31     LinkImage ($url, $alt)
32     ImgObject ($img, $url)
33
34     SplitQueryArgs ($query_args)
35     LinkPhpwikiURL ($url, $text, $basepage)
36     MangleXmlIdentifier($str)
37
38     class Stack { push($item), pop(), cnt(), top() }
39     class Alert { show() }
40     class WikiPageName {getParent(),isValid(),getWarnings() }
41
42     expand_tabs($str, $tab_width = 8)
43     SplitPagename ($page)
44     NoSuchRevision ($request, $page, $version)
45     TimezoneOffset ($time, $no_colon)
46     Iso8601DateTime ($time)
47     Rfc2822DateTime ($time)
48     ParseRfc1123DateTime ($timestr)
49     CTime ($time)
50     ByteFormatter ($bytes = 0, $longformat = false)
51     __printf ($fmt)
52     __sprintf ($fmt)
53     __vsprintf ($fmt, $args)
54
55     file_mtime ($filename)
56     sort_file_mtime ($a, $b)
57     class fileSet {fileSet($directory, $filepattern = false),
58                    getFiles($exclude='', $sortby='', $limit='') }
59     class imageSet extends fileSet
60     class imageOrVideoSet extends fileSet
61
62     glob_to_pcre ($glob)
63     glob_match ($glob, $against, $case_sensitive = true)
64     explodePageList ($input, $perm = false)
65     function_usable ($function_name)
66     wikihash ($x)
67     count_all ($arg)
68     isSubPage ($pagename)
69     subPageSlice ($pagename, $pos)
70     isActionPage ($filename)
71
72     phpwiki_version ()
73     isWikiWord ($word)
74     url_get_contents ($uri)
75     GenerateId ($name)
76     firstNWordsOfContent ($n, $content)
77     extractSection ($section, $content, $page, $quiet = false, $sectionhead = false)
78     isExternalReferrer()
79
80     string_starts_with($string, $prefix)
81     string_ends_with($string, $suffix)
82     array_remove($arr,$value)
83     longer_timeout($secs=30)
84     printSimpleTrace($bt)
85     binary_search($needle, $haystack)
86     is_localhost()
87     javascript_quote_string($s)
88     isSerialized($s)
89     is_whole_number($var)
90     parse_attributes($line)
91     is_image ($filename)
92     is_video ($filename)
93
94   function: linkExistingWikiWord($wikiword, $linktext, $version)
95   moved to: lib/WikiTheme.php
96 */
97 if (defined('_PHPWIKI_STDLIB_LOADED')) return;
98 else define('_PHPWIKI_STDLIB_LOADED', true);
99
100 if (!defined('MAX_PAGENAME_LENGTH')) {
101     define('MAX_PAGENAME_LENGTH', 100);
102 }
103
104 /**
105  * Convert string to a valid XML identifier.
106  *
107  * XML 1.0 identifiers are of the form: [A-Za-z][A-Za-z0-9:_.-]*
108  *
109  * We would like to have, e.g. named anchors within wiki pages
110  * names like "Table of Contents" --- clearly not a valid XML
111  * fragment identifier.
112  *
113  * This function implements a one-to-one map from {any string}
114  * to {valid XML identifiers}.
115  *
116  * It does this by
117  * converting all bytes not in [A-Za-z0-9:_-],
118  * and any leading byte not in [A-Za-z] to '.bb',
119  * where 'bb' is the hexadecimal representation of the
120  * character.
121  *
122  * As a special case, the empty string is converted to 'empty.'
123  *
124  * @param string $str
125  * @return string
126  */
127 function MangleXmlIdentifier($str)
128 {
129     if (!$str) {
130         return 'empty.';
131     }
132     return preg_replace_callback(
133         '/[^-_:A-Za-z0-9]|(?<=^)[^A-Za-z]/',
134         function ($m) {
135             return '.' . sprintf('%02x', ord('$m'));
136         },
137         $str);
138 }
139
140 /**
141  * Returns a name for the WIKI_ID cookie that should be unique on the host.
142  * But for it to be unique you must have set a unique WIKI_NAME in your
143  * configuration file.
144  * @return string The name of the WIKI_ID cookie to use for this wiki.
145  */
146 function getCookieName()
147 {
148     return preg_replace("/[^\d\w]/", "_", WIKI_NAME) . "_WIKI_ID";
149 }
150
151 /**
152  * Generates a valid URL for a given Wiki pagename.
153  * @param mixed $pagename If a string this will be the name of the Wiki page to link to.
154  *               If a WikiDB_Page object function will extract the name to link to.
155  *               If a WikiDB_PageRevision object function will extract the name to link to.
156  * @param array $args
157  * @param bool $get_abs_url Default value is false.
158  * @return string The absolute URL to the page passed as $pagename.
159  */
160 function WikiURL($pagename, $args = array(), $get_abs_url = false)
161 {
162     global $request, $WikiTheme;
163     $anchor = false;
164
165     if (is_object($pagename)) {
166         if (is_a($pagename, 'WikiDB_Page')) {
167             $pagename = $pagename->getName();
168         } elseif (is_a($pagename, 'WikiDB_PageRevision')) {
169             $page = $pagename->getPage();
170             $args['version'] = $pagename->getVersion();
171             $pagename = $page->getName();
172         } elseif (is_a($pagename, 'WikiPageName')) {
173             $anchor = $pagename->anchor;
174             $pagename = $pagename->name;
175         } else { // php5
176             $anchor = $pagename->anchor;
177             $pagename = $pagename->name;
178         }
179     }
180     if (!$get_abs_url and DEBUG and $request->getArg('start_debug')) {
181         if (!$args)
182             $args = 'start_debug=' . $request->getArg('start_debug');
183         elseif (is_array($args))
184             $args['start_debug'] = $request->getArg('start_debug'); else
185             $args .= '&start_debug=' . $request->getArg('start_debug');
186     }
187     if (is_array($args)) {
188         $enc_args = array();
189         foreach ($args as $key => $val) {
190             // avoid default args
191             if (USE_PATH_INFO and $key == 'pagename')
192                 ;
193             elseif ($key == 'action' and $val == 'browse')
194                 ; elseif (!is_array($val)) // ugly hack for getURLtoSelf() which also takes POST vars
195                 $enc_args[] = urlencode($key) . '=' . urlencode($val);
196         }
197         $args = join('&', $enc_args);
198     }
199
200     if (USE_PATH_INFO or !empty($WikiTheme->HTML_DUMP_SUFFIX)) {
201         $url = $get_abs_url ? (SERVER_URL . VIRTUAL_PATH . "/") : "";
202         $base = preg_replace('/%2f/i', '/', rawurlencode($pagename));
203         $url .= $base;
204         if (!empty($WikiTheme->HTML_DUMP_SUFFIX)) {
205             if (!empty($WikiTheme->VALID_LINKS) and $request->getArg('action') == 'pdf') {
206                 if (!in_array($pagename, $WikiTheme->VALID_LINKS))
207                     $url = '';
208                 else
209                     $url = $base . $WikiTheme->HTML_DUMP_SUFFIX;
210             } else {
211                 $url .= $WikiTheme->HTML_DUMP_SUFFIX;
212                 if ($args)
213                     $url .= "?$args";
214             }
215         } else {
216             if ($args)
217                 $url .= "?$args";
218         }
219     } else {
220         $url = $get_abs_url ? SERVER_URL . SCRIPT_NAME : basename(SCRIPT_NAME);
221         $url .= "?pagename=" . rawurlencode($pagename);
222         if ($args)
223             $url .= "&$args";
224     }
225     if ($anchor)
226         $url .= "#" . MangleXmlIdentifier($anchor);
227     return $url;
228 }
229
230 /** Convert relative URL to absolute URL.
231  *
232  * This converts a relative URL to one of PhpWiki's support files
233  * to an absolute one.
234  *
235  * @param string $url
236  * @return string Absolute URL
237  */
238 function AbsoluteURL($url)
239 {
240     if (preg_match('/^https?:/', $url))
241         return $url;
242     if ($url[0] != '/') {
243         $base = USE_PATH_INFO ? VIRTUAL_PATH : dirname(SCRIPT_NAME);
244         while ($base != '/' and substr($url, 0, 3) == "../") {
245             $url = substr($url, 3);
246             $base = dirname($base);
247         }
248         if ($base != '/')
249             $base .= '/';
250         $url = $base . $url;
251     }
252     return SERVER_URL . $url;
253 }
254
255 /**
256  * Generates icon in front of links.
257  *
258  * @param string $protocol_or_url URL or protocol to determine which icon to use.
259  *
260  * @return HtmlElement HtmlElement object that contains data to create img link to
261  * icon for use with url or protocol passed to the function. False if no img to be
262  * displayed.
263  */
264 function IconForLink($protocol_or_url)
265 {
266     global $WikiTheme;
267 /*
268     if (0 and $filename_suffix == false) {
269         // display apache style icon for file type instead of protocol icon
270         // - archive: unix:gz,bz2,tgz,tar,z; mac:dmg,dmgz,bin,img,cpt,sit; pc:zip;
271         // - document: html, htm, text, txt, rtf, pdf, doc
272         // - non-inlined image: jpg,jpeg,png,gif,tiff,tif,swf,pict,psd,eps,ps
273         // - audio: mp3,mp2,aiff,aif,au
274         // - multimedia: mpeg,mpg,mov,qt
275     } else {
276 */
277         list ($proto) = explode(':', $protocol_or_url, 2);
278         $src = $WikiTheme->getLinkIconURL($proto);
279         if ($src)
280             return HTML::img(array('src' => $src, 'alt' => "", 'class' => 'linkicon'));
281         else
282             return false;
283 /*    } */
284 }
285
286 /**
287  * Glue icon in front of or after text.
288  * Pref: 'noLinkIcons'      - ignore icon if set
289  * WikiTheme: 'LinkIcons'   - 'yes'   at front
290  *                          - 'no'    display no icon
291  *                          - 'front' display at left
292  *                          - 'after' display at right
293  *
294  * @param string $proto_or_url Protocol or URL.  Used to determine the
295  * proper icon.
296  * @param string $text The text.
297  * @return XmlContent.
298  */
299 function PossiblyGlueIconToText($proto_or_url, $text)
300 {
301     global $request, $WikiTheme;
302     if ($request->getPref('noLinkIcons'))
303         return $text;
304     $icon = IconForLink($proto_or_url);
305     if (!$icon)
306         return $text;
307     if ($where = $WikiTheme->getLinkIconAttr()) {
308         if ($where == 'no') return $text;
309         if ($where != 'after') $where = 'front';
310     } else {
311         $where = 'front';
312     }
313     if ($where == 'after') {
314         // span the icon only to the last word (tie them together),
315         // to let the previous words wrap on line breaks.
316         if (!is_object($text)) {
317             preg_match('/^(\s*\S*)(\s*)$/', $text, $m);
318             list (, $prefix, $last_word) = $m;
319         } else {
320             $last_word = $text;
321             $prefix = false;
322         }
323         $text = HTML::span(array('style' => 'white-space: nowrap'),
324             $last_word, HTML::raw('&nbsp;'), $icon);
325         if ($prefix)
326             $text = HTML($prefix, $text);
327         return $text;
328     }
329     // span the icon only to the first word (tie them together),
330     // to let the next words wrap on line breaks
331     if (!is_object($text)) {
332         preg_match('/^\s*(\S*)(.*?)\s*$/', $text, $m);
333         list (, $first_word, $tail) = $m;
334     } else {
335         $first_word = $text;
336         $tail = false;
337     }
338     $text = HTML::span(array('style' => 'white-space: nowrap'),
339         $icon, $first_word);
340     if ($tail)
341         $text = HTML($text, $tail);
342     return $text;
343 }
344
345 /**
346  * Determines if the url passed to function is safe, by detecting if the characters
347  * '<', '>', or '"' are present.
348  * Check against their urlencoded values also.
349  *
350  * @param string $url URL to check for unsafe characters.
351  * @return boolean True if same, false else.
352  */
353 function IsSafeURL($url)
354 {
355     return !preg_match('/([<>"])|(%3C)|(%3E)|(%22)/', $url);
356 }
357
358 /**
359  * Generates an HtmlElement object to store data for a link.
360  *
361  * @param string $url URL that the link will point to.
362  * @param string $linktext Text to be displayed as link.
363  * @return HtmlElement HtmlElement object that contains data to construct an html link.
364  */
365 function LinkURL($url, $linktext = '')
366 {
367     // FIXME: Is this needed (or sufficient?)
368     if (!IsSafeURL($url)) {
369         $link = HTML::span(array('class' => 'error'), _('Bad URL -- remove all of <, >, "'));
370         return $link;
371     } else {
372         if (!$linktext)
373             $linktext = preg_replace("/mailto:/A", "", $url);
374         $args = array('href' => $url);
375         if (defined('EXTERNAL_LINK_TARGET')) // can also be set in the css
376             $args['target'] = (is_string(EXTERNAL_LINK_TARGET) and (EXTERNAL_LINK_TARGET != "")) ? EXTERNAL_LINK_TARGET : "_blank";
377         $link = HTML::a($args, PossiblyGlueIconToText($url, $linktext));
378     }
379     $link->setAttr('class', $linktext ? 'namedurl' : 'rawurl');
380     return $link;
381 }
382
383 /**
384  * Inline Images
385  *
386  * Syntax: [image.png size=50% border=n align= hspace= vspace= width= height=]
387  * Disallows sizes which are too small.
388  * Spammers may use such (typically invisible) image attributes to raise their GoogleRank.
389  *
390  * Handle embeddable objects, like svg, class, vrml, swf, svgz, pdf, avi, wmv especially.
391  */
392 function LinkImage($url, $alt = "")
393 {
394     $force_img = "png|jpg|gif|jpeg|bmp|pl|cgi";
395     // Disallow tags in img src urls. Typical CSS attacks.
396     // FIXME: Is this needed (or sufficient?)
397     // FIXED: This was broken for moniker:TP30 test/image.png => url="moniker:TP30" attr="test/image.png"
398     $ori_url = $url;
399     // support new syntax: [prefix/image.jpg size=50% border=n]
400     if (empty($alt)) {
401         $alt = "";
402     }
403     // Extract URL
404     $arr = explode(' ', $url);
405     if (!empty($arr)) $url = $arr[0];
406     if (!IsSafeURL($url)) {
407         $link = HTML::span(array('class' => 'error'), _('Bad URL for image -- remove all of <, >, "'));
408         return $link;
409     }
410     // spaces in inline images must be %20 encoded!
411     $link = HTML::img(array('src' => $url));
412
413     // Extract attributes
414     $arr = parse_attributes(strstr($ori_url, " "));
415     foreach ($arr as $attr => $value) {
416         // These attributes take strings: lang, id, title, alt
417         if (($attr == "lang")
418             || ($attr == "id")
419             || ($attr == "title")
420             || ($attr == "alt")
421         ) {
422             $link->setAttr($attr, $value);
423         } // align = bottom|middle|top|left|right
424         // we allow "center" as synonym for "middle"
425         elseif (($attr == "align")
426             && (($value == "bottom")
427                 || ($value == "middle")
428                 || ($value == "center")
429                 || ($value == "top")
430                 || ($value == "left")
431                 || ($value == "right"))
432         ) {
433             if ($value == "center") {
434                 $value = "middle";
435             }
436             $link->setAttr($attr, $value);
437         } // These attributes take a number (pixels): border, hspace, vspace
438         elseif ((($attr == "border") || ($attr == "hspace") || ($attr == "vspace"))
439             && (is_numeric($value))
440         ) {
441             $link->setAttr($attr, (int)$value);
442         } // These attributes take a number (pixels) or a percentage: height, width
443         elseif ((($attr == "height") || ($attr == "width"))
444             && (preg_match('/\d+[%p]?x?/', $value))
445         ) {
446             $link->setAttr($attr, $value);
447         } // We allow size=50% and size=20x30
448         // We replace this with "width" and "height" HTML attributes
449         elseif ($attr == "size") {
450             if (preg_match('/(\d+%)/', $value, $m)) {
451                 $link->setAttr('width', $m[1]);
452                 $link->setAttr('height', $m[1]);
453             } elseif (preg_match('/(\d+)x(\d+)/', $value, $m)) {
454                 $link->setAttr('width', $m[1]);
455                 $link->setAttr('height', $m[2]);
456             }
457         } else {
458             $url = substr(strrchr($ori_url, "/"), 1);
459             $link = HTML::span(array('class' => 'error'),
460                 sprintf(_("Invalid attribute %s=%s for image %s"),
461                     $attr, $value, $url));
462             return $link;
463         }
464     }
465     // Correct silently the most common error
466     if ($url != $ori_url and empty($arr) and !preg_match("/^http/", $url)) {
467         // space belongs to the path
468         $file = NormalizeLocalFileName($ori_url);
469         if (file_exists($file)) {
470             $link = HTML::img(array('src' => $ori_url));
471             trigger_error(
472                 sprintf(_("Invalid image link fixed “%s” => “%s”. Spaces must be quoted with %%20."),
473                     $url, $ori_url), E_USER_WARNING);
474         } elseif (string_starts_with($ori_url, getUploadDataPath())) {
475             $file = substr($file, strlen(getUploadDataPath()));
476             $path = getUploadFilePath() . $file;
477             if (file_exists($path)) {
478                 trigger_error(sprintf(_("Invalid image link fixed “%s” => “%s”. Spaces must be quoted with %%20."),
479                     $url, $ori_url), E_USER_WARNING);
480                 $link->setAttr('src', getUploadDataPath() . $file);
481                 $url = $ori_url;
482             }
483         }
484     }
485     if (!$link->getAttr('alt')) {
486         $link->setAttr('alt', $alt);
487     }
488     // Check width and height as spam countermeasure
489     if (($width = $link->getAttr('width')) and ($height = $link->getAttr('height'))) {
490         //$width  = (int) $width; // px or % or other suffix
491         //$height = (int) $height;
492         if (($width < 3 and $height < 10) or
493             ($height < 3 and $width < 20) or
494             ($height < 7 and $width < 7)
495         ) {
496             $link = HTML::span(array('class' => 'error'),
497                 _("Invalid image size"));
498             return $link;
499         }
500     } else {
501         $size = 0;
502         // Prepare for getimagesize($url)
503         // $url only valid for external urls, otherwise local path
504         if (DISABLE_GETIMAGESIZE)
505             ;
506         elseif (!preg_match("/\.$force_img$/i", $url))
507             ; // only valid image extensions or scripts assumed to generate images
508         elseif (preg_match("/^http/", $url)) { // external url
509             $size = @getimagesize($url);
510         } else { // local file
511             if (file_exists($file = NormalizeLocalFileName($url))) { // here
512                 $size = @getimagesize($file);
513             } elseif (file_exists(NormalizeLocalFileName(urldecode($url)))) {
514                 $size = @getimagesize($file);
515                 $link->setAttr('src', rawurldecode($url));
516             } elseif (string_starts_with($url, getUploadDataPath())) { // there
517                 $file = substr($file, strlen(getUploadDataPath()));
518                 $path = getUploadFilePath() . rawurldecode($file);
519                 $size = @getimagesize($path);
520                 $link->setAttr('src', getUploadDataPath() . rawurldecode($file));
521             } else { // elsewhere
522                 global $request;
523                 $size = @getimagesize($request->get('DOCUMENT_ROOT') . urldecode($url));
524             }
525         }
526         if ($size) {
527             $width = $size[0];
528             $height = $size[1];
529             if (($width < 3 and $height < 10)
530                 or ($height < 3 and $width < 20)
531                 or ($height < 7 and $width < 7)
532             ) {
533                 $link = HTML::span(array('class' => 'error'),
534                     _("Invalid image size"));
535                 return $link;
536             }
537         }
538     }
539     $link->setAttr('class', 'inlineimage');
540
541     /* Check for inlined objects. Everything allowed in INLINE_IMAGES besides
542      * png|jpg|gif|jpeg|bmp|pl|cgi.  If no image it is an object to embed.
543      * Note: Allow cgi's (pl,cgi) returning images.
544      */
545     if (!preg_match("/\.(" . $force_img . ")/i", $ori_url)) {
546         // HTML::img(array('src' => $url, 'alt' => $alt, 'title' => $alt));
547         // => HTML::object(array('src' => $url)) ...;
548         return ImgObject($link, $ori_url);
549     }
550     return $link;
551 }
552
553 /**
554  * <object> / <embed> tags instead of <img> for all non-image extensions
555  * in INLINE_IMAGES.
556  * Called by LinkImage(), not directly.
557  * Syntax:  [image.svg size=50% alt=image.gif border=n align= hspace= vspace= width= height=]
558  * Samples: [Upload:song.mp3 type=audio/mpeg width=200 height=10]
559  *   $alt may be an alternate img
560  * TODO: Need to unify with WikiPluginCached::embedObject()
561  *
562  * Note that Safari 1.0 will crash with <object>, so use only <embed>
563  *   http://www.alleged.org.uk/pdc/2002/svg-object.html
564  *
565  * Allowed object tags:
566  *   ID
567  *   DATA=URI (object data)
568  *   CLASSID=URI (location of implementation)
569  *   ARCHIVE=CDATA (archive files)
570  *   CODEBASE=URI (base URI for CLASSID, DATA, ARCHIVE)
571  *   WIDTH=Length (object width)
572  *   HEIGHT=Length (object height)
573  *   NAME=CDATA (name for form submission)
574  *   USEMAP=URI (client-side image map)
575  *   TYPE=ContentType (content-type of object)
576  *   CODETYPE=ContentType (content-type of code)
577  *   STANDBY=Text (message to show while loading)
578  *   TABINDEX=NUMBER (position in tabbing order)
579  *   DECLARE (do not instantiate object)
580  * The rest is added as <param name="" value="" /> tags
581  */
582 function ImgObject($img, $url)
583 {
584     // get the url args: data="sample.svgz" type="image/svg+xml" width="400" height="300"
585     $params = explode(",", "id,width,height,data,classid,archive,codebase,name,usemap,type," .
586         "codetype,standby,tabindex,declare");
587     if (is_array($url)) {
588         $args = $url;
589         $found = array();
590         foreach ($args as $attr => $value) {
591             foreach ($params as $param) {
592                 if ($param == $attr) {
593                     $img->setAttr($param, $value);
594                     if (isset($found[$param])) $found[$param]++;
595                     else $found[$param] = 1;
596                     break;
597                 }
598             }
599         }
600         // now all remaining args are added as <param> to the object
601         $params = array();
602         foreach ($args as $attr => $value) {
603             if (!isset($found[$attr])) {
604                 $params[] = HTML::param(array('name' => $attr,
605                     'value' => $value));
606             }
607         }
608         $url = $img->getAttr('src');
609         $force_img = "png|jpg|gif|jpeg|bmp";
610         if (!preg_match("/\.(" . $force_img . ")/i", $url)) {
611             $img->setAttr('src', false);
612         }
613     } else {
614         $args = explode(' ', $url);
615         if (count($args) >= 1) {
616             $url = array_shift($args);
617             $found = array();
618             foreach ($args as $attr) {
619                 foreach ($params as $param) {
620                     if (preg_match("/^$param=(\S+)$/i", $attr, $m)) {
621                         $img->setAttr($param, $m[1]);
622                         if (isset($found[$param])) $found[$param]++;
623                         else $found[$param] = 1;
624                         break;
625                     }
626                 }
627             }
628             // now all remaining args are added as <param> to the object
629             $params = array();
630             foreach ($args as $attr) {
631                 if (!isset($found[$attr]) and preg_match("/^(\S+)=(\S+)$/i", $attr, $m)) {
632                     $params[] = HTML::param(array('name' => $m[1],
633                         'value' => $m[2]));
634                 }
635             }
636         }
637     }
638     $type = $img->getAttr('type');
639     if (!$type) {
640         if (file_exists($url)) {
641             $type = mime_content_type($url);
642         }
643     }
644     $object = HTML::object(array_merge($img->_attr,
645             array('type' => $type)), //'src' => $url
646         $img->_content);
647     $object->setAttr('class', 'inlineobject');
648     if ($params) {
649         foreach ($params as $param) $object->pushContent($param);
650     }
651     if (isBrowserSafari() and !isBrowserSafari(532)) { // recent chrome can do OBJECT
652         return HTML::embed($object->_attr, $object->_content);
653     }
654     $object->pushContent(HTML::embed($object->_attr));
655     return $object;
656 }
657
658 class Stack
659 {
660     function __construct()
661     {
662         $this->items = array();
663         $this->size = 0;
664     }
665
666     public function push($item)
667     {
668         $this->items[$this->size] = $item;
669         $this->size++;
670         return true;
671     }
672
673     public function pop()
674     {
675         if ($this->size == 0) {
676             return false; // stack is empty
677         }
678         $this->size--;
679         return $this->items[$this->size];
680     }
681
682     public function cnt()
683     {
684         return $this->size;
685     }
686
687     public function top()
688     {
689         if ($this->size)
690             return $this->items[$this->size - 1];
691         else
692             return '';
693     }
694
695 }
696
697 // end class definition
698
699 function SplitQueryArgs($query_args = '')
700 {
701     // FIXME: use the arg-separator which might not be &
702     $split_args = explode('&', $query_args);
703     $args = array();
704     while (list($key, $val) = each($split_args))
705         if (preg_match('/^ ([^=]+) =? (.*) /x', $val, $m))
706             $args[$m[1]] = $m[2];
707     return $args;
708 }
709
710 function LinkPhpwikiURL($url, $text = '', $basepage = false)
711 {
712     /**
713      * @var WikiRequest $request
714      */
715     global $request;
716
717     $args = array();
718
719     if (!preg_match('/^ phpwiki: ([^?]*) [?]? (.*) $/x', $url, $m)) {
720         return HTML::span(array('class' => 'error'), _("BAD phpwiki: URL"));
721     }
722
723     if ($m[1])
724         $pagename = urldecode($m[1]);
725     $qargs = $m[2];
726
727     if (empty($pagename) &&
728         preg_match('/^(diff|edit|links|info)=([^&]+)$/', $qargs, $m)
729     ) {
730         // Convert old style links (to not break diff links in
731         // RecentChanges).
732         $pagename = urldecode($m[2]);
733         $args = array("action" => $m[1]);
734     } else {
735         $args = SplitQueryArgs($qargs);
736     }
737
738     if (empty($pagename))
739         $pagename = $request->getArg('pagename');
740
741     if (isset($args['action']) && $args['action'] == 'browse')
742         unset($args['action']);
743
744     /*FIXME:
745       if (empty($args['action']))
746       $class = 'wikilink';
747       else if (is_safe_action($args['action']))
748       $class = 'wikiaction';
749     */
750     if (empty($args['action']) || is_safe_action($args['action']))
751         $class = 'wikiaction';
752     else {
753         // Don't allow administrative links on unlocked pages.
754         $dbi = $request->getDbh();
755         $page = $dbi->getPage($basepage ? $basepage : $pagename);
756         if (!$page->get('locked'))
757             return HTML::span(array('class' => 'wikiunsafe'),
758                 HTML::u(_("Lock page to enable link")));
759         $class = 'wikiadmin';
760     }
761
762     if (!$text)
763         $text = HTML::span(array('class' => 'rawurl'), $url);
764
765     $wikipage = new WikiPageName($pagename);
766     if (!$wikipage->isValid()) {
767         global $WikiTheme;
768         return $WikiTheme->linkBadWikiWord($wikipage, $url);
769     }
770
771     return HTML::a(array('href' => WikiURL($pagename, $args), 'class' => $class), $text);
772 }
773
774 /**
775  * A class to assist in parsing wiki pagenames.
776  *
777  * Now with subpages and anchors, parsing and passing around
778  * pagenames is more complicated.  This should help.
779  */
780 class WikiPageName
781 {
782     /** Short name for page.
783      *
784      * This is the value of $name passed to the constructor.
785      * (For use, e.g. as a default label for links to the page.)
786      */
787     public $shortName;
788
789     /** The full page name.
790      *
791      * This is the full name of the page (without anchor).
792      */
793     public $name;
794
795     /** The anchor.
796      *
797      * This is the referenced anchor within the page, or the empty string.
798      */
799     public $anchor;
800
801     public $_errors;
802     public $_warnings;
803
804     /**
805      * @param mixed $name Page name.
806      * WikiDB_Page, WikiDB_PageRevision, or string.
807      * This can be a relative subpage name (like '/SubPage'),
808      * or can be the empty string to refer to the $basename.
809      *
810      * @param mixed $basename Page name from which to interpret
811      * relative or other non-fully-specified page names.
812      *
813      * @param mixed $anchor For links to anchors in page.
814      */
815     function __construct($name, $basename = false, $anchor = false)
816     {
817         if (is_string($name)) {
818             $this->shortName = $name;
819             if (strstr($name, ':')) {
820                 list($moniker, $shortName) = explode(":", $name, 2);
821                 $map = getInterwikiMap(); // allow overrides to custom maps
822                 if (isset($map->_map[$moniker])) {
823                     $url = $map->_map[$moniker];
824                     if (strstr($url, '%s'))
825                         $url = sprintf($url, $shortName);
826                     else
827                         $url .= $shortName;
828                     $this->url = $url;
829                     // expand Talk or User, but not to absolute urls!
830                     if (strstr($url, '//')) {
831                         if ($moniker == 'Talk')
832                             $name = $name . '/' . _("Discussion");
833                     } else {
834                         $name = $url;
835                     }
836                     $this->shortName = $shortName;
837                 }
838             }
839             // FIXME: We should really fix the cause for "/PageName" in the WikiDB
840             if ($name == '' or $name[0] == '/') {
841                 if ($basename)
842                     $name = $this->_pagename($basename) . $name;
843                 else {
844                     $name = $this->_normalize_bad_pagename($name);
845                     $this->shortName = $name;
846                 }
847             }
848         } else {
849             $name = $this->_pagename($name);
850             $this->shortName = $name;
851         }
852
853         $this->name = $this->_check($name);
854         $this->anchor = (string)$anchor;
855     }
856
857     function getName()
858     {
859         return $this->name;
860     }
861
862     function getParent()
863     {
864         $name = $this->name;
865         if (!($tail = strrchr($name, '/')))
866             return false;
867         return substr($name, 0, -strlen($tail));
868     }
869
870     function isValid($strict = false)
871     {
872         if ($strict)
873             return !isset($this->_errors);
874         return (is_string($this->name) and $this->name != '');
875     }
876
877     function getWarnings()
878     {
879         $warnings = array();
880         if (isset($this->_warnings))
881             $warnings = array_merge($warnings, $this->_warnings);
882         if (isset($this->_errors))
883             $warnings = array_merge($warnings, $this->_errors);
884         if (!$warnings)
885             return false;
886
887         return sprintf(_("“%s”: Bad page name: %s"),
888             $this->shortName, join(', ', $warnings));
889     }
890
891     private function _pagename($page)
892     {
893         if (is_a($page, 'WikiDB_Page'))
894             return $page->getName();
895         elseif (is_a($page, 'WikiDB_PageRevision'))
896             return $page->getPageName();
897         elseif (is_a($page, 'WikiPageName'))
898             return $page->name;
899         return $page;
900     }
901
902     private function _normalize_bad_pagename($name)
903     {
904         trigger_error("Bad pagename: " . $name, E_USER_WARNING);
905
906         // Punt...  You really shouldn't get here.
907         if (empty($name)) {
908             global $request;
909             return $request->getArg('pagename');
910         }
911         assert($name[0] == '/');
912         $this->_errors[] = _("Leading “/” not allowed");
913         return substr($name, 1);
914     }
915
916     /**
917      * Compress internal white-space to single space character.
918      *
919      * This leads to problems with loading a foreign charset pagename,
920      * which cannot be deleted anymore, because unknown chars are compressed.
921      * So BEFORE importing a file _check must be done !!!
922      */
923     private function _check($pagename)
924     {
925         // Compress internal white-space to single space character.
926         $pagename = preg_replace('/[\s\xa0]+/', ' ', $orig = $pagename);
927         if ($pagename != $orig)
928             $this->_warnings[] = _("White space converted to single space");
929
930         // Delete any control characters.
931         if (DATABASE_TYPE == 'file' or DATABASE_TYPE == 'flatfile') {
932             $pagename = preg_replace('/[\x00-\x1f\x7f\x80-\x9f]/', '', $orig = $pagename);
933             if ($pagename != $orig)
934                 $this->_errors[] = _("Control characters not allowed");
935         }
936
937         // Strip leading and trailing white-space.
938         $pagename = trim($pagename);
939
940         $orig = $pagename;
941         while ($pagename and $pagename[0] == '/')
942             $pagename = substr($pagename, 1);
943         if ($pagename != $orig)
944             $this->_errors[] = _("Leading “/” not allowed");
945
946         // not only for SQL, also to restrict url length
947         if (strlen($pagename) > MAX_PAGENAME_LENGTH) {
948             $pagename = substr($pagename, 0, MAX_PAGENAME_LENGTH);
949             $this->_errors[] = _("Page name too long");
950         }
951
952         // disallow some chars only on file
953         if ((DATABASE_TYPE == 'file'
954             or DATABASE_TYPE == 'flatfile')
955             and preg_match('/(:|\.\.)/', $pagename, $m)
956         ) {
957             $this->_warnings[] = sprintf(_("Illegal chars %s removed"), $m[1]);
958             $pagename = str_replace('..', '', $pagename);
959             $pagename = str_replace(':', '', $pagename);
960         }
961
962         return $pagename;
963     }
964 }
965
966 /**
967  * Expand tabs in string.
968  *
969  * Converts all tabs to (the appropriate number of) spaces.
970  *
971  * @param string $str
972  * @param int $tab_width
973  * @return string
974  */
975 function expand_tabs($str, $tab_width = 8)
976 {
977     $split = explode("\t", $str);
978     $tail = array_pop($split);
979     $expanded = "\n";
980     foreach ($split as $hunk) {
981         $expanded .= $hunk;
982         $pos = strlen(strrchr($expanded, "\n")) - 1;
983         $expanded .= str_repeat(" ", ($tab_width - $pos % $tab_width));
984     }
985     return substr($expanded, 1) . $tail;
986 }
987
988 /**
989  * Split WikiWords in page names.
990  *
991  * It has been deemed useful to split WikiWords (into "Wiki Words") in
992  * places like page titles. This is rumored to help search engines
993  * quite a bit.
994  *
995  * @param $page string The page name.
996  *
997  * @return string The split name.
998  */
999 function SplitPagename($page)
1000 {
1001
1002     if (preg_match("/\s/", $page))
1003         return $page; // Already split --- don't split any more.
1004
1005     // This algorithm is specialized for several languages.
1006     // (Thanks to Pierrick MEIGNEN)
1007     // Improvements for other languages welcome.
1008     static $RE;
1009     if (!isset($RE)) {
1010         // This mess splits between a lower-case letter followed by
1011         // either an upper-case or a numeral; except that it wont
1012         // split the prefixes 'Mc', 'De', or 'Di' off of their tails.
1013         switch ($GLOBALS['LANG']) {
1014             case 'en':
1015             case 'it':
1016             case 'es':
1017             case 'de':
1018                 $RE[] = '/([[:lower:]])((?<!Mc|De|Di)[[:upper:]]|\d)/';
1019                 break;
1020             case 'fr':
1021                 $RE[] = '/([[:lower:]])((?<!Mc|Di)[[:upper:]]|\d)/';
1022                 break;
1023         }
1024         $sep = preg_quote('/', '/');
1025         // This the single-letter words 'I' and 'A' from any following
1026         // capitalized words.
1027         switch ($GLOBALS['LANG']) {
1028             case 'en':
1029                 $RE[] = "/(?<= |${sep}|^)([AI])([[:upper:]][[:lower:]])/";
1030                 break;
1031             case 'fr':
1032                 $RE[] = "/(?<= |${sep}|^)([À])([[:upper:]][[:lower:]])/";
1033                 break;
1034         }
1035         // Split at underscore
1036         $RE[] = '/(_)([[:alpha:]])/';
1037         $RE[] = '/([[:alpha:]])(_)/';
1038         // Split numerals from following letters.
1039         $RE[] = '/(\d)([[:alpha:]])/';
1040         // Split at subpage separators. TBD in WikiTheme.php
1041         $RE[] = "/([^${sep}]+)(${sep})/";
1042         $RE[] = "/(${sep})([^${sep}]+)/";
1043
1044         foreach ($RE as $key)
1045             $RE[$key] = $key;
1046     }
1047
1048     foreach ($RE as $regexp) {
1049         $page = preg_replace($regexp, '\\1 \\2', $page);
1050     }
1051     return $page;
1052 }
1053
1054 function NoSuchRevision(&$request, $page, $version)
1055 {
1056     $html = HTML(HTML::h2(_("Revision Not Found")),
1057         HTML::p(fmt("I'm sorry.  Version %d of %s is not in the database.",
1058             $version, WikiLink($page, 'auto'))));
1059     include_once 'lib/Template.php';
1060     GeneratePage($html, _("Bad Version"), $page->getCurrentRevision());
1061     $request->finish();
1062 }
1063
1064 /**
1065  * Get time offset for local time zone.
1066  *
1067  * @param int $time Get offset for this time. Default: now.
1068  * @param bool $no_colon Don't put colon between hours and minutes.
1069  * @return string Offset as a string in the format +HH:MM.
1070  */
1071 function TimezoneOffset($time = 0, $no_colon = false)
1072 {
1073     if ($time == 0)
1074         $time = time();
1075     $secs = date('Z', $time);
1076
1077     if ($secs < 0) {
1078         $sign = '-';
1079         $secs = -$secs;
1080     } else {
1081         $sign = '+';
1082     }
1083     $colon = $no_colon ? '' : ':';
1084     $mins = intval(($secs + 30) / 60);
1085     return sprintf("%s%02d%s%02d",
1086         $sign, $mins / 60, $colon, $mins % 60);
1087 }
1088
1089 /**
1090  * Format time in ISO-8601 format.
1091  *
1092  * @param int $time Time.  Default: now.
1093  * @return string Date and time in ISO-8601 format.
1094  */
1095 function Iso8601DateTime($time = 0)
1096 {
1097     if ($time == 0)
1098         $time = time();
1099     $tzoff = TimezoneOffset($time);
1100     $date = date('Y-m-d', $time);
1101     $time = date('H:i:s', $time);
1102     return $date . 'T' . $time . $tzoff;
1103 }
1104
1105 /**
1106  * Format time in RFC-2822 format.
1107  *
1108  * @param int $time Time.  Default: now.
1109  * @return string Date and time in RFC-2822 format.
1110  */
1111 function Rfc2822DateTime($time = 0)
1112 {
1113     if ($time == 0)
1114         $time = time();
1115     return date('D, j M Y H:i:s ', $time) . TimezoneOffset($time, 'no colon');
1116 }
1117
1118 /**
1119  * Format time in RFC-1123 format.
1120  *
1121  * @param int $time Time.  Default: now.
1122  * @return string Date and time in RFC-1123 format.
1123  */
1124 function Rfc1123DateTime($time = 0)
1125 {
1126     if ($time == 0)
1127         $time = time();
1128     return gmdate('D, d M Y H:i:s \G\M\T', $time);
1129 }
1130
1131 /** Parse date in RFC-1123 format.
1132  *
1133  * According to RFC 1123 we must accept dates in the following
1134  * formats:
1135  *
1136  *   Sun, 06 Nov 1994 08:49:37 GMT  ; RFC 822, updated by RFC 1123
1137  *   Sunday, 06-Nov-94 08:49:37 GMT ; RFC 850, obsoleted by RFC 1036
1138  *   Sun Nov  6 08:49:37 1994       ; ANSI C's asctime() format
1139  *
1140  * (Though we're only allowed to generate dates in the first format.)
1141  */
1142 function ParseRfc1123DateTime($timestr)
1143 {
1144     $timestr = trim($timestr);
1145     if (preg_match('/^ \w{3},\s* (\d{1,2}) \s* (\w{3}) \s* (\d{4}) \s*'
1146             . '(\d\d):(\d\d):(\d\d) \s* GMT $/ix',
1147         $timestr, $m)
1148     ) {
1149         list(, $mday, $mon, $year, $hh, $mm, $ss) = $m;
1150     } elseif (preg_match('/^ \w+,\s* (\d{1,2})-(\w{3})-(\d{2}|\d{4}) \s*'
1151             . '(\d\d):(\d\d):(\d\d) \s* GMT $/ix',
1152         $timestr, $m)
1153     ) {
1154         list(, $mday, $mon, $year, $hh, $mm, $ss) = $m;
1155         if ($year < 70) $year += 2000;
1156         elseif ($year < 100) $year += 1900;
1157     } elseif (preg_match('/^\w+\s* (\w{3}) \s* (\d{1,2}) \s*'
1158             . '(\d\d):(\d\d):(\d\d) \s* (\d{4})$/ix',
1159         $timestr, $m)
1160     ) {
1161         list(, $mon, $mday, $hh, $mm, $ss, $year) = $m;
1162     } else {
1163         // Parse failed.
1164         return false;
1165     }
1166
1167     $time = strtotime("$mday $mon $year ${hh}:${mm}:${ss} GMT");
1168     if ($time == -1)
1169         return false; // failed
1170     return $time;
1171 }
1172
1173 /**
1174  * Format time to standard 'ctime' format.
1175  *
1176  * @param int $time Time.  Default: now.
1177  * @return string Date and time.
1178  */
1179 function CTime($time = 0)
1180 {
1181     if ($time == 0)
1182         $time = time();
1183     return date("D M j H:i:s Y", $time);
1184 }
1185
1186 /**
1187  * Format number as kibibytes or bytes.
1188  * Short format is used for PageList
1189  * Long format is used in PageInfo
1190  *
1191  * @param $bytes       int.  Default: 0.
1192  * @param $longformat  bool. Default: false.
1193  * @return FormattedText (XmlElement.php).
1194  */
1195 function ByteFormatter($bytes = 0, $longformat = false)
1196 {
1197     if ($bytes < 0)
1198         return fmt("-???");
1199     if ($bytes < 1024) {
1200         if (!$longformat)
1201             $size = fmt("%s B", $bytes);
1202         else
1203             $size = fmt("%s bytes", $bytes);
1204     } else {
1205         $kb = round($bytes / 1024, 1);
1206         if (!$longformat)
1207             $size = fmt("%s KiB", $kb);
1208         else
1209             $size = fmt("%s KiB (%s bytes)", $kb, $bytes);
1210     }
1211     return $size;
1212 }
1213
1214 /**
1215  * Internationalized printf.
1216  *
1217  * This is essentially the same as PHP's built-in printf
1218  * with the following exceptions:
1219  * <ol>
1220  * <li> It passes the format string through gettext().
1221  * <li> It supports the argument reordering extensions.
1222  * </ol>
1223  *
1224  * Example:
1225  *
1226  * In php code, use:
1227  * <pre>
1228  *    __printf("Differences between versions %s and %s of %s",
1229  *             $new_link, $old_link, $page_link);
1230  * </pre>
1231  *
1232  * Then in locale/po/de.po, one can reorder the printf arguments:
1233  *
1234  * <pre>
1235  *    msgid "Differences between %s and %s of %s."
1236  *    msgstr "Der Unterschiedsergebnis von %3$s, zwischen %1$s und %2$s."
1237  * </pre>
1238  *
1239  * (Note that while PHP tries to expand $vars within double-quotes,
1240  * the values in msgstr undergo no such expansion, so the '$'s
1241  * okay...)
1242  *
1243  * One shouldn't use reordered arguments in the default format string.
1244  * Backslashes in the default string would be necessary to escape the
1245  * '$'s, and they'll cause all kinds of trouble....
1246  */
1247 function __printf($fmt)
1248 {
1249     $args = func_get_args();
1250     array_shift($args);
1251     echo __vsprintf($fmt, $args);
1252 }
1253
1254 /**
1255  * Internationalized sprintf.
1256  *
1257  * This is essentially the same as PHP's built-in printf with the
1258  * following exceptions:
1259  *
1260  * <ol>
1261  * <li> It passes the format string through gettext().
1262  * <li> It supports the argument reordering extensions.
1263  * </ol>
1264  *
1265  * @see __printf
1266  */
1267 function __sprintf($fmt)
1268 {
1269     $args = func_get_args();
1270     array_shift($args);
1271     return __vsprintf($fmt, $args);
1272 }
1273
1274 /**
1275  * Internationalized vsprintf.
1276  *
1277  * This is essentially the same as PHP's built-in printf with the
1278  * following exceptions:
1279  *
1280  * <ol>
1281  * <li> It passes the format string through gettext().
1282  * <li> It supports the argument reordering extensions.
1283  * </ol>
1284  *
1285  * @see __printf
1286  */
1287 function __vsprintf($fmt, $args)
1288 {
1289     $fmt = gettext($fmt);
1290     // PHP's sprintf doesn't support variable with specifiers,
1291     // like sprintf("%*s", 10, "x"); --- so we won't either.
1292
1293     if (preg_match_all('/(?<!%)%(\d+)\$/x', $fmt, $m)) {
1294         // Format string has '%2$s' style argument reordering.
1295         // PHP doesn't support this.
1296         if (preg_match('/(?<!%)%[- ]?\d*[^- \d$]/x', $fmt))
1297             // literal variable name substitution only to keep locale
1298             // strings uncluttered
1299             trigger_error(sprintf(_("Can't mix “%s” with “%s” type format strings"),
1300                 '%1\$s', '%s'), E_USER_WARNING); //php+locale error
1301
1302         $fmt = preg_replace('/(?<!%)%\d+\$/x', '%', $fmt);
1303         $newargs = array();
1304
1305         // Reorder arguments appropriately.
1306         foreach ($m[1] as $argnum) {
1307             if ($argnum < 1 || $argnum > count($args))
1308                 trigger_error(sprintf(_("%s: argument index out of range"),
1309                     $argnum), E_USER_WARNING);
1310             $newargs[] = $args[$argnum - 1];
1311         }
1312         $args = $newargs;
1313     }
1314
1315     // Not all PHP's have vsprintf, so...
1316     array_unshift($args, $fmt);
1317     return call_user_func_array('sprintf', $args);
1318 }
1319
1320 function file_mtime($filename)
1321 {
1322     if ($stat = @stat($filename))
1323         return $stat[9];
1324     else
1325         return false;
1326 }
1327
1328 function sort_file_mtime($a, $b)
1329 {
1330     $ma = file_mtime($a);
1331     $mb = file_mtime($b);
1332     if (!$ma or !$mb or $ma == $mb) return 0;
1333     return ($ma > $mb) ? -1 : 1;
1334 }
1335
1336 class fileSet
1337 {
1338     function __construct($directory, $filepattern = false)
1339     {
1340         $this->_fileList = array();
1341         $this->_pattern = $filepattern;
1342         if ($filepattern) {
1343             $this->_pcre_pattern = glob_to_pcre($this->_pattern);
1344         }
1345         $this->_case = !isWindows();
1346         $this->_pathsep = '/';
1347
1348         if (empty($directory) or !file_exists($directory) or !is_dir($directory)) {
1349             return; // early return
1350         }
1351
1352         $dir_handle = opendir($dir = $directory);
1353         if (empty($dir_handle)) {
1354             return; // early return
1355         }
1356
1357         while ($filename = readdir($dir_handle)) {
1358             if ($filename[0] == '.' || filetype($dir . $this->_pathsep . $filename) != 'file')
1359                 continue;
1360             if ($this->_filenameSelector($filename)) {
1361                 array_push($this->_fileList, "$filename");
1362             }
1363         }
1364         closedir($dir_handle);
1365     }
1366
1367     /**
1368      * Build an array in $this->_fileList of files from $dirname.
1369      * Subdirectories are not traversed.
1370      *
1371      * (This was a function LoadDir in lib/loadsave.php)
1372      * See also http://www.php.net/manual/en/function.readdir.php
1373      */
1374     public function getFiles($exclude = '', $sortby = '', $limit = '')
1375     {
1376         $list = $this->_fileList;
1377
1378         if ($sortby) {
1379             require_once 'lib/PageList.php';
1380             switch (Pagelist::sortby($sortby, 'db')) {
1381                 case 'pagename ASC':
1382                     break;
1383                 case 'pagename DESC':
1384                     $list = array_reverse($list);
1385                     break;
1386                 case 'mtime ASC':
1387                     usort($list, 'sort_file_mtime');
1388                     break;
1389                 case 'mtime DESC':
1390                     usort($list, 'sort_file_mtime');
1391                     $list = array_reverse($list);
1392                     break;
1393             }
1394         }
1395         if ($limit)
1396             return array_splice($list, 0, $limit);
1397         return $list;
1398     }
1399
1400     protected function _filenameSelector($filename)
1401     {
1402         if (!$this->_pattern)
1403             return true;
1404         else {
1405             if (!$this->_pcre_pattern)
1406                 $this->_pcre_pattern = glob_to_pcre($this->_pattern);
1407             return preg_match('/' . $this->_pcre_pattern . ($this->_case ? '/' : '/i'),
1408                 $filename);
1409         }
1410     }
1411 }
1412
1413 class imageSet extends fileSet
1414 {
1415     /**
1416      * A file is considered an image when the suffix matches one from
1417      * INLINE_IMAGES.
1418      */
1419     protected function _filenameSelector($filename)
1420     {
1421         return is_image($filename);
1422     }
1423 }
1424
1425 class imageOrVideoSet extends fileSet
1426 {
1427     protected function _filenameSelector($filename)
1428     {
1429         return is_image($filename) or is_video($filename);
1430     }
1431 }
1432
1433 // Convert fileglob to regex style:
1434 // Convert some wildcards to pcre style, escape the rest
1435 // Escape . \\ + * ? [ ^ ] $ ( ) { } = ! < > | : /
1436 // Fixed bug #994994: "/" in $glob.
1437 function glob_to_pcre($glob)
1438 {
1439     // check simple case: no need to escape
1440     $escape = '\[](){}=!<>|:/';
1441     if (strcspn($glob, $escape . ".+*?^$") == strlen($glob))
1442         return $glob;
1443     // preg_replace cannot handle "\\\\\\2" so convert \\ to \xff
1444     $glob = strtr($glob, "\\", "\xff");
1445     $glob = str_replace("/", "\\/", $glob);
1446     // first convert some unescaped expressions to pcre style: . => \.
1447     $special = '.^$';
1448     $re = preg_replace('/([^\xff])?([' . preg_quote($special) . '])/',
1449         "\\1\xff\\2", $glob);
1450
1451     // * => .*, ? => .
1452     $re = preg_replace('/([^\xff])?\*/', '$1.*', $re);
1453     $re = preg_replace('/([^\xff])?\?/', '$1.', $re);
1454     if (!preg_match('/^[\?\*]/', $glob))
1455         $re = '^' . $re;
1456     if (!preg_match('/[\?\*]$/', $glob))
1457         $re = $re . '$';
1458
1459     // Fixes Bug 1182997
1460     // .*? handled above, now escape the rest
1461     //while (strcspn($re, $escape) != strlen($re)) // loop strangely needed
1462     $re = preg_replace('/([^\xff])([' . preg_quote($escape, "/") . '])/',
1463         "\\1\xff\\2", $re);
1464     // Problem with 'Date/Time' => 'Date\/Time' => 'Date\xff\/Time' => 'Date\/Time'
1465     // 'plugin/*.php'
1466     $re = preg_replace('/\xff/', '', $re);
1467     return $re;
1468 }
1469
1470 function glob_match($glob, $against, $case_sensitive = true)
1471 {
1472     return preg_match('/' . glob_to_pcre($glob) . ($case_sensitive ? '/' : '/i'),
1473         $against);
1474 }
1475
1476 function explodePageList($input, $include_empty = false, $sortby = 'pagename',
1477                          $limit = '', $exclude = '')
1478 {
1479     include_once 'lib/PageList.php';
1480     return PageList::explodePageList($input, $include_empty, $sortby, $limit, $exclude);
1481 }
1482
1483 // Class introspections
1484
1485 /** Determine whether a function is okay to use.
1486  *
1487  * Some providers (e.g. Lycos) disable some of PHP functions for
1488  * "security reasons."  This makes those functions, of course,
1489  * unusable, despite the fact the function_exists() says they
1490  * exist.
1491  *
1492  * This function test to see if a function exists and is not
1493  * disallowed by PHP's disable_functions config setting.
1494  *
1495  * @param string $function_name  Function name
1496  * @return bool  True iff function can be used.
1497  */
1498 function function_usable($function_name)
1499 {
1500     static $disabled;
1501     if (!is_array($disabled)) {
1502         $disabled = array();
1503         // Use get_cfg_var since ini_get() is one of the disabled functions
1504         // (on Lycos, at least.)
1505         $split = preg_split('/\s*,\s*/', trim(get_cfg_var('disable_functions')));
1506         foreach ($split as $f)
1507             $disabled[strtolower($f)] = true;
1508     }
1509
1510     return (function_exists($function_name)
1511         and !isset($disabled[strtolower($function_name)])
1512     );
1513 }
1514
1515 /** Hash a value.
1516  *
1517  * This is used for generating ETags.
1518  */
1519 function wikihash($x)
1520 {
1521     if (is_scalar($x)) {
1522         return $x;
1523     } elseif (is_array($x)) {
1524         ksort($x);
1525         return md5(serialize($x));
1526     } elseif (is_object($x)) {
1527         return $x->hash();
1528     }
1529     trigger_error("Can't hash $x", E_USER_ERROR);
1530     return false;
1531 }
1532
1533 function rand_ascii($length = 1)
1534 {
1535     $s = "";
1536     for ($i = 1; $i <= $length; $i++) {
1537         // return only typeable 7 bit ascii, avoid quotes
1538         $s .= chr(mt_rand(40, 126));
1539     }
1540     return $s;
1541 }
1542
1543 /* by Dan Frankowski.
1544  */
1545 function rand_ascii_readable($length = 6)
1546 {
1547     // Pick a few random letters or numbers
1548     $word = "";
1549     // Don't use 1lI0O, because they're hard to read
1550     $letters = "abcdefghijkmnopqrstuvwxyzABCDEFGHJKLMNPQRSTUVWXYZ23456789";
1551     $letter_len = strlen($letters);
1552     for ($i = 0; $i < $length; $i++) {
1553         $word .= $letters[mt_rand(0, $letter_len - 1)];
1554     }
1555     return $word;
1556 }
1557
1558 /**
1559  * Recursively count all non-empty elements
1560  * in array of any dimension or mixed - i.e.
1561  * array('1' => 2, '2' => array('1' => 3, '2' => 4))
1562  * See http://www.php.net/manual/en/function.count.php
1563  */
1564 function count_all($arg)
1565 {
1566     // skip if argument is empty
1567     if ($arg) {
1568         //print_r($arg); //debugging
1569         $count = 0;
1570         // not an array, return 1 (base case)
1571         if (!is_array($arg))
1572             return 1;
1573         // else call recursively for all elements $arg
1574         foreach ($arg as $key => $val)
1575             $count += count_all($val);
1576         return $count;
1577     }
1578     return 0;
1579 }
1580
1581 function isSubPage($pagename)
1582 {
1583     return (strstr($pagename, '/'));
1584 }
1585
1586 function subPageSlice($pagename, $pos)
1587 {
1588     $pages = explode('/', $pagename);
1589     $pages = array_slice($pages, $pos, 1);
1590     return $pages[0];
1591 }
1592
1593 function isActionPage($filename)
1594 {
1595
1596     global $AllActionPages;
1597
1598     $localizedAllActionPages = array_map("__", $AllActionPages);
1599
1600     return (in_array($filename, $localizedAllActionPages));
1601 }
1602
1603 /**
1604  * Alert
1605  *
1606  * Class for "popping up" and alert box.  (Except that right now, it doesn't
1607  * pop up...)
1608  *
1609  * FIXME:
1610  * This is a hackish and needs to be refactored.  However it would be nice to
1611  * unify all the different methods we use for showing Alerts and Dialogs.
1612  * (E.g. "Page deleted", login form, ...)
1613  */
1614 class Alert
1615 {
1616     /**
1617      * @param mixed  $head    Header ("title") for alert box.
1618      * @param mixed  $body    The text in the alert box.
1619      * @param array  $buttons An array mapping button labels to URLs.
1620      *    The default is a single "Okay" button pointing to $request->getURLtoSelf().
1621      */
1622     function __construct($head, $body, $buttons = array())
1623     {
1624         if (is_array($body)) {
1625             $html = HTML::ol();
1626             foreach ($body as $li) {
1627                 $html->pushContent(HTML::li($li));
1628             }
1629             $body = $html;
1630         }
1631         $this->_tokens = array('HEADER' => $head, 'CONTENT' => $body);
1632         $this->_buttons = $buttons;
1633     }
1634
1635     /**
1636      * Show the alert box.
1637      */
1638     public function show()
1639     {
1640         global $request;
1641
1642         $tokens = $this->_tokens;
1643         $tokens['BUTTONS'] = $this->_getButtons();
1644
1645         $request->discardOutput();
1646         $tmpl = new Template('dialog', $request, $tokens);
1647         $tmpl->printXML();
1648         $request->finish();
1649     }
1650
1651     private function _getButtons()
1652     {
1653         global $request;
1654
1655         $buttons = $this->_buttons;
1656         if (!$buttons)
1657             $buttons = array(_("OK") => $request->getURLtoSelf());
1658
1659         global $WikiTheme;
1660         foreach ($buttons as $label => $url)
1661             print "$label $url\n";
1662         $out[] = $WikiTheme->makeButton($label, $url, 'wikiaction');
1663         return new XmlContent($out);
1664     }
1665 }
1666
1667 // 1.3.8     => 1030.08
1668 // 1.3.9-p1  => 1030.091
1669 // 1.3.10pre => 1030.099
1670 // 1.3.11pre-20041120 => 1030.1120041120
1671 // 1.3.12-rc1 => 1030.119
1672 function phpwiki_version()
1673 {
1674     static $PHPWIKI_VERSION;
1675     if (!isset($PHPWIKI_VERSION)) {
1676         $arr = explode('.', preg_replace('/\D+$/', '', PHPWIKI_VERSION)); // remove the pre
1677         $arr[2] = preg_replace('/\.+/', '.', preg_replace('/\D/', '.', $arr[2]));
1678         $PHPWIKI_VERSION = $arr[0] * 1000 + $arr[1] * 10 + 0.01 * $arr[2];
1679         if (strstr(PHPWIKI_VERSION, 'pre') or strstr(PHPWIKI_VERSION, 'rc'))
1680             $PHPWIKI_VERSION -= 0.01;
1681     }
1682     return $PHPWIKI_VERSION;
1683 }
1684
1685 function phpwiki_gzhandler($ob)
1686 {
1687     /**
1688      * @var WikiRequest $request
1689      */
1690     global $request;
1691
1692     $ob = gzencode($ob);
1693     $request->_ob_get_length = strlen($ob);
1694     if (!headers_sent()) {
1695         header(sprintf("Content-Length: %d", $request->_ob_get_length));
1696     }
1697     return $ob;
1698 }
1699
1700 function isWikiWord($word)
1701 {
1702     global $WikiNameRegexp;
1703     //or preg_match('/\A' . $WikiNameRegexp . '\z/', $word) ??
1704     return preg_match("/^$WikiNameRegexp\$/", $word);
1705 }
1706
1707 /**
1708  * isAsciiString($string)
1709  */
1710 function isAsciiString($s)
1711 {
1712     $ptrASCII = '[\x00-\x7F]';
1713     return preg_match("/^($ptrASCII)*$/s", $s);
1714 }
1715
1716 /**
1717  * Workaround for allow_url_fopen, to get the content of an external URI.
1718  * It returns the contents in one slurp. Parsers might want to check for allow_url_fopen
1719  * and use fopen, fread chunkwise. (see lib/XmlParser.php)
1720  */
1721 function url_get_contents($uri)
1722 {
1723     if (get_cfg_var('allow_url_fopen')) { // was ini_get('allow_url_fopen'))
1724         return @file_get_contents($uri);
1725     } else {
1726         require_once 'lib/HttpClient.php';
1727         $bits = parse_url($uri);
1728         $host = $bits['host'];
1729         $port = isset($bits['port']) ? $bits['port'] : 80;
1730         $path = isset($bits['path']) ? $bits['path'] : '/';
1731         if (isset($bits['query'])) {
1732             $path .= '?' . $bits['query'];
1733         }
1734         $client = new HttpClient($host, $port);
1735         $client->use_gzip = false;
1736         if (!$client->get($path)) {
1737             return false;
1738         } else {
1739             return $client->getContent();
1740         }
1741     }
1742 }
1743
1744 /**
1745  * Generate consecutively named strings:
1746  *   Name, Name2, Name3, ...
1747  */
1748 function GenerateId($name)
1749 {
1750     static $ids = array();
1751     if (empty($ids[$name])) {
1752         $ids[$name] = 1;
1753         return $name;
1754     } else {
1755         $ids[$name]++;
1756         return $name . $ids[$name];
1757     }
1758 }
1759
1760 // from IncludePage. To be of general use.
1761 // content: string or array of strings
1762 function firstNWordsOfContent($n, $content)
1763 {
1764     if ($content and $n > 0) {
1765         if (is_array($content)) {
1766             // fixme: return a list of lines then?
1767             //$content = join("\n", $content);
1768             //$return_array = true;
1769             $wordcount = 0;
1770             $new = array();
1771             foreach ($content as $line) {
1772                 $words = explode(' ', $line);
1773                 if ($wordcount + count($words) > $n) {
1774                     $new[] = implode(' ', array_slice($words, 0, $n - $wordcount))
1775                         . sprintf(_("... (first %s words)"), $n);
1776                     return $new;
1777                 } else {
1778                     $wordcount += count($words);
1779                     $new[] = $line;
1780                 }
1781             }
1782             return $new;
1783         } else {
1784             // fixme: use better whitespace/word separators
1785             $words = explode(' ', $content);
1786             if (count($words) > $n) {
1787                 return join(' ', array_slice($words, 0, $n))
1788                     . sprintf(_("... (first %s words)"), $n);
1789             } else {
1790                 return $content;
1791             }
1792         }
1793     } else {
1794         return '';
1795     }
1796 }
1797
1798 // moved from lib/plugin/IncludePage.php
1799 function extractSection($section, $content, $page, $quiet = false, $sectionhead = false)
1800 {
1801     $qsection = preg_replace('/\s+/', '\s+', preg_quote($section, '/'));
1802
1803     if (preg_match("/ ^(!{1,}|={2,})\\s*$qsection\s*=*" // section header
1804             . "  \\s*$\\n?" // possible blank lines
1805             . "  ( (?: ^.*\\n? )*? )" // some lines
1806             . "  (?= ^\\1 | \\Z)/xm", // sec header (same or higher level) (or EOF)
1807         implode("\n", $content),
1808         $match)
1809     ) {
1810         // Strip trailing blanks lines and ---- <hr>s
1811         $text = preg_replace("/\\s*^-{4,}\\s*$/m", "", $match[2]);
1812         if ($sectionhead)
1813             $text = $match[1] . $section . "\n" . $text;
1814         return explode("\n", $text);
1815     }
1816     if ($quiet)
1817         $mesg = $page . " " . $section;
1818     else
1819         $mesg = $section;
1820     return array(sprintf(_("<%s: no such section>"), $mesg));
1821 }
1822
1823 // Extract the first $sections sections of the page
1824 function extractSections($sections, $content, $page, $quiet = false, $sectionhead = false)
1825 {
1826
1827     $mycontent = $content;
1828     $result = "";
1829
1830     while ($sections > 0) {
1831
1832         if (preg_match("/ ^(!{1,}|={2,})\\s*(.*)\\n" // section header
1833                 . "  \\s*$\\n?" // possible blank lines
1834                 . "  ( (?: ^.*\\n? )*? )" // some lines
1835                 . "  ( ^\\1 (.|\\n)* | \\Z)/xm", // sec header (same or higher level) (or EOF)
1836             implode("\n", $mycontent),
1837             $match)
1838         ) {
1839             $section = $match[2];
1840             // Strip trailing blanks lines and ---- <hr>s
1841             $text = preg_replace("/\\s*^-{4,}\\s*$/m", "", $match[3]);
1842             if ($sectionhead)
1843                 $text = $match[1] . $section . "\n" . $text;
1844             $result .= $text;
1845
1846             $mycontent = explode("\n", $match[4]);
1847             $sections--;
1848             if ($sections === 0) {
1849                 return explode("\n", $result);
1850             }
1851         }
1852     }
1853     return '';
1854 }
1855
1856 // use this faster version: only load ExternalReferrer if we came from an external referrer
1857 function isExternalReferrer(&$request)
1858 {
1859     if ($referrer = $request->get('HTTP_REFERER')) {
1860         $home = SERVER_URL; // SERVER_URL or SCRIPT_NAME, if we want to check sister wiki's also
1861         if (string_starts_with(strtolower($referrer), strtolower($home))) return false;
1862         require_once 'lib/ExternalReferrer.php';
1863         $se = new SearchEngines();
1864         return $se->parseSearchQuery($referrer);
1865     }
1866     //if (DEBUG) return array('query' => 'wiki');
1867     return false;
1868 }
1869
1870 /**
1871  * Useful for PECL overrides: ldap, soap, xmlrpc, pdo, pdo_<driver>
1872  */
1873 function loadPhpExtension($extension)
1874 {
1875     if (!extension_loaded($extension)) {
1876         $isWindows = (substr(PHP_OS, 0, 3) == 'WIN');
1877         $soname = ($isWindows ? 'php_' : '')
1878             . $extension
1879             . ($isWindows ? '.dll' : '.so');
1880         if (!@dl($soname))
1881             return false;
1882     }
1883     return extension_loaded($extension);
1884 }
1885
1886 function string_starts_with($string, $prefix)
1887 {
1888     return (substr($string, 0, strlen($prefix)) == $prefix);
1889 }
1890
1891 function string_ends_with($string, $suffix)
1892 {
1893     return (substr($string, -strlen($suffix)) == $suffix);
1894 }
1895
1896 function array_remove($arr, $value)
1897 {
1898     return array_values(array_diff($arr, array($value)));
1899 }
1900
1901 /**
1902  * Ensure that the script will have another $secs time left.
1903  * Works only if safe_mode is off.
1904  * For example not to timeout on waiting socket connections.
1905  *   Use the socket timeout as arg.
1906  */
1907 function longer_timeout($secs = 30)
1908 {
1909     $timeout = @ini_get("max_execution_time") ? ini_get("max_execution_time") : 30;
1910     $timeleft = $timeout - $GLOBALS['RUNTIMER']->getTime();
1911     if ($timeleft < $secs)
1912         @set_time_limit(max($timeout, (integer)($secs + $timeleft)));
1913 }
1914
1915 function printSimpleTrace($bt)
1916 {
1917     echo "\nTraceback:\n";
1918     debug_print_backtrace();
1919 }
1920
1921 /**
1922  * @param mixed $needle
1923  * @param array $haystack one-dimensional numeric array only, no hash
1924  * @return integer
1925  * @desc Feed a sorted array to $haystack and a value to search for to $needle.
1926 It will return false if not found or the index where it was found.
1927 From dennis.decoene@moveit.be http://www.php.net/array_search
1928  */
1929 function binary_search($needle, $haystack)
1930 {
1931     $high = count($haystack);
1932     $low = 0;
1933
1934     while (($high - $low) > 1) {
1935         $probe = floor(($high + $low) / 2);
1936         if ($haystack[$probe] < $needle) {
1937             $low = $probe;
1938         } elseif ($haystack[$probe] == $needle) {
1939             $high = $low = $probe;
1940         } else {
1941             $high = $probe;
1942         }
1943     }
1944
1945     if ($high == count($haystack) || $haystack[$high] != $needle) {
1946         return false;
1947     } else {
1948         return $high;
1949     }
1950 }
1951
1952 function is_localhost()
1953 {
1954     return $_SERVER['SERVER_ADDR'] == '127.0.0.1';
1955 }
1956
1957 /**
1958  * Take a string and quote it sufficiently to be passed as a Javascript
1959  * string between ''s
1960  */
1961 function javascript_quote_string($s)
1962 {
1963     return str_replace("'", "\'", $s);
1964 }
1965
1966 function isSerialized($s)
1967 {
1968     return (!empty($s) and (strlen($s) > 3) and (substr($s, 1, 1) == ':'));
1969 }
1970
1971 /**
1972  * Determine if a variable represents a limit
1973  * It can be an integer or two integers separated by ","
1974  */
1975
1976 function is_limit($var)
1977 {
1978     if (is_whole_number($var)) {
1979         return true;
1980     }
1981     $limits = explode(',', $var);
1982     return (count($limits) == 2)
1983        && is_whole_number($limits[0])
1984        && is_whole_number($limits[1]);
1985 }
1986
1987 /**
1988  * Determine if a variable represents a whole number
1989  */
1990
1991 function is_whole_number($var)
1992 {
1993     return (is_numeric($var) && (intval($var) == floatval($var)));
1994 }
1995
1996 /**
1997  * Take a string and return an array of pairs (attribute name, attribute value)
1998  *
1999  * We allow attributes with or without double quotes (")
2000  * Attribute-value pairs may be separated by space or comma
2001  * Space is normal HTML attributes, comma is for RichTable compatibility
2002  * border=1, cellpadding="5"
2003  * border=1 cellpadding="5"
2004  * style="font-family: sans-serif; border-top:1px solid #dddddd;"
2005  * style="font-family: Verdana, Arial, Helvetica, sans-serif"
2006  */
2007 function parse_attributes($line)
2008 {
2009
2010     $options = array();
2011
2012     if (empty($line)) return $options;
2013     $line = trim($line);
2014     if (empty($line)) return $options;
2015     $line = trim($line, ",");
2016     if (empty($line)) return $options;
2017
2018     // First we have an attribute name.
2019
2020     $i = 0;
2021     while (($i < strlen($line)) && ($line[$i] != '=')) {
2022         $i++;
2023     }
2024     $attribute = substr($line, 0, $i);
2025     $attribute = strtolower($attribute);
2026
2027     $line = substr($line, $i + 1);
2028     $line = trim($line);
2029     $line = trim($line, "=");
2030     $line = trim($line);
2031
2032     if (empty($line)) return $options;
2033
2034     // Then we have the attribute value.
2035
2036     $i = 0;
2037     // Attribute value might be between double quotes
2038     // In that case we have to find the closing double quote
2039     if ($line[0] == '"') {
2040         $i++; // skip first '"'
2041         while (($i < strlen($line)) && ($line[$i] != '"')) {
2042             $i++;
2043         }
2044         $value = substr($line, 0, $i);
2045         $value = trim($value, '"');
2046         $value = trim($value);
2047
2048         // If there are no double quotes, we have to find the next space or comma
2049     } else {
2050         while (($i < strlen($line)) && (($line[$i] != ' ') && ($line[$i] != ','))) {
2051             $i++;
2052         }
2053         $value = substr($line, 0, $i);
2054         $value = trim($value);
2055         $value = trim($value, ",");
2056         $value = trim($value);
2057     }
2058
2059     $options[$attribute] = $value;
2060
2061     $line = substr($line, $i + 1);
2062     $line = trim($line);
2063     $line = trim($line, ",");
2064     $line = trim($line);
2065
2066     return $options + parse_attributes($line);
2067 }
2068
2069 /**
2070  * Returns true if the filename ends with an image suffix.
2071  * Uses INLINE_IMAGES if defined, else "png|jpg|jpeg|gif|swf"
2072  */
2073 function is_image($filename)
2074 {
2075
2076     if (defined('INLINE_IMAGES')) {
2077         $inline_images = INLINE_IMAGES;
2078     } else {
2079         $inline_images = "png|jpg|jpeg|gif|swf";
2080     }
2081
2082     foreach (explode("|", $inline_images) as $suffix) {
2083         if (string_ends_with(strtolower($filename), "." . $suffix)) {
2084             return true;
2085         }
2086     }
2087     return false;
2088 }
2089
2090 /**
2091  * Returns true if the filename ends with an video suffix.
2092  * Currently only FLV and OGG
2093  */
2094 function is_video($filename)
2095 {
2096
2097     return string_ends_with(strtolower($filename), ".flv")
2098         or string_ends_with(strtolower($filename), ".ogg");
2099 }
2100
2101 /**
2102  * Remove accents from given text.
2103  */
2104 function strip_accents($text)
2105 {
2106     $res = utf8_decode($text);
2107     $res = strtr($res,
2108         utf8_decode('àáâãäçèéêëìíîïñòóôõöùúûüýÿÀÁÂÃÄÇÈÉÊËÌÍÎÏÑÒÓÔÕÖÙÚÛÜÝ'),
2109         'aaaaaceeeeiiiinooooouuuuyyAAAAACEEEEIIIINOOOOOUUUUY');
2110     return utf8_encode($res);
2111 }
2112
2113 /**
2114  * Sanify filename: replace all disallowed characters with dashes
2115  */
2116 function sanify_filename($filename)
2117 {
2118     return mb_ereg_replace('[^\w\. \-]', '-', $filename);
2119 }
2120
2121 // Local Variables:
2122 // mode: php
2123 // tab-width: 8
2124 // c-basic-offset: 4
2125 // c-hanging-comment-ender-p: nil
2126 // indent-tabs-mode: nil
2127 // End: