]> CyberLeo.Net >> Repos - SourceForge/phpwiki.git/blob - lib/stdlib.php
Spelling: seperator --> separator
[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 == 'cvs' or 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 and cvs
953         if ((DATABASE_TYPE == 'cvs'
954             or DATABASE_TYPE == 'file'
955             or DATABASE_TYPE == 'flatfile')
956             and preg_match('/(:|\.\.)/', $pagename, $m)
957         ) {
958             $this->_warnings[] = sprintf(_("Illegal chars %s removed"), $m[1]);
959             $pagename = str_replace('..', '', $pagename);
960             $pagename = str_replace(':', '', $pagename);
961         }
962
963         return $pagename;
964     }
965 }
966
967 /**
968  * Expand tabs in string.
969  *
970  * Converts all tabs to (the appropriate number of) spaces.
971  *
972  * @param string $str
973  * @param int $tab_width
974  * @return string
975  */
976 function expand_tabs($str, $tab_width = 8)
977 {
978     $split = explode("\t", $str);
979     $tail = array_pop($split);
980     $expanded = "\n";
981     foreach ($split as $hunk) {
982         $expanded .= $hunk;
983         $pos = strlen(strrchr($expanded, "\n")) - 1;
984         $expanded .= str_repeat(" ", ($tab_width - $pos % $tab_width));
985     }
986     return substr($expanded, 1) . $tail;
987 }
988
989 /**
990  * Split WikiWords in page names.
991  *
992  * It has been deemed useful to split WikiWords (into "Wiki Words") in
993  * places like page titles. This is rumored to help search engines
994  * quite a bit.
995  *
996  * @param $page string The page name.
997  *
998  * @return string The split name.
999  */
1000 function SplitPagename($page)
1001 {
1002
1003     if (preg_match("/\s/", $page))
1004         return $page; // Already split --- don't split any more.
1005
1006     // This algorithm is specialized for several languages.
1007     // (Thanks to Pierrick MEIGNEN)
1008     // Improvements for other languages welcome.
1009     static $RE;
1010     if (!isset($RE)) {
1011         // This mess splits between a lower-case letter followed by
1012         // either an upper-case or a numeral; except that it wont
1013         // split the prefixes 'Mc', 'De', or 'Di' off of their tails.
1014         switch ($GLOBALS['LANG']) {
1015             case 'en':
1016             case 'it':
1017             case 'es':
1018             case 'de':
1019                 $RE[] = '/([[:lower:]])((?<!Mc|De|Di)[[:upper:]]|\d)/';
1020                 break;
1021             case 'fr':
1022                 $RE[] = '/([[:lower:]])((?<!Mc|Di)[[:upper:]]|\d)/';
1023                 break;
1024         }
1025         $sep = preg_quote('/', '/');
1026         // This the single-letter words 'I' and 'A' from any following
1027         // capitalized words.
1028         switch ($GLOBALS['LANG']) {
1029             case 'en':
1030                 $RE[] = "/(?<= |${sep}|^)([AI])([[:upper:]][[:lower:]])/";
1031                 break;
1032             case 'fr':
1033                 $RE[] = "/(?<= |${sep}|^)([À])([[:upper:]][[:lower:]])/";
1034                 break;
1035         }
1036         // Split at underscore
1037         $RE[] = '/(_)([[:alpha:]])/';
1038         $RE[] = '/([[:alpha:]])(_)/';
1039         // Split numerals from following letters.
1040         $RE[] = '/(\d)([[:alpha:]])/';
1041         // Split at subpage separators. TBD in WikiTheme.php
1042         $RE[] = "/([^${sep}]+)(${sep})/";
1043         $RE[] = "/(${sep})([^${sep}]+)/";
1044
1045         foreach ($RE as $key)
1046             $RE[$key] = $key;
1047     }
1048
1049     foreach ($RE as $regexp) {
1050         $page = preg_replace($regexp, '\\1 \\2', $page);
1051     }
1052     return $page;
1053 }
1054
1055 function NoSuchRevision(&$request, $page, $version)
1056 {
1057     $html = HTML(HTML::h2(_("Revision Not Found")),
1058         HTML::p(fmt("I'm sorry.  Version %d of %s is not in the database.",
1059             $version, WikiLink($page, 'auto'))));
1060     include_once 'lib/Template.php';
1061     GeneratePage($html, _("Bad Version"), $page->getCurrentRevision());
1062     $request->finish();
1063 }
1064
1065 /**
1066  * Get time offset for local time zone.
1067  *
1068  * @param int $time Get offset for this time. Default: now.
1069  * @param bool $no_colon Don't put colon between hours and minutes.
1070  * @return string Offset as a string in the format +HH:MM.
1071  */
1072 function TimezoneOffset($time = 0, $no_colon = false)
1073 {
1074     if ($time == 0)
1075         $time = time();
1076     $secs = date('Z', $time);
1077
1078     if ($secs < 0) {
1079         $sign = '-';
1080         $secs = -$secs;
1081     } else {
1082         $sign = '+';
1083     }
1084     $colon = $no_colon ? '' : ':';
1085     $mins = intval(($secs + 30) / 60);
1086     return sprintf("%s%02d%s%02d",
1087         $sign, $mins / 60, $colon, $mins % 60);
1088 }
1089
1090 /**
1091  * Format time in ISO-8601 format.
1092  *
1093  * @param int $time Time.  Default: now.
1094  * @return string Date and time in ISO-8601 format.
1095  */
1096 function Iso8601DateTime($time = 0)
1097 {
1098     if ($time == 0)
1099         $time = time();
1100     $tzoff = TimezoneOffset($time);
1101     $date = date('Y-m-d', $time);
1102     $time = date('H:i:s', $time);
1103     return $date . 'T' . $time . $tzoff;
1104 }
1105
1106 /**
1107  * Format time in RFC-2822 format.
1108  *
1109  * @param int $time Time.  Default: now.
1110  * @return string Date and time in RFC-2822 format.
1111  */
1112 function Rfc2822DateTime($time = 0)
1113 {
1114     if ($time == 0)
1115         $time = time();
1116     return date('D, j M Y H:i:s ', $time) . TimezoneOffset($time, 'no colon');
1117 }
1118
1119 /**
1120  * Format time in RFC-1123 format.
1121  *
1122  * @param int $time Time.  Default: now.
1123  * @return string Date and time in RFC-1123 format.
1124  */
1125 function Rfc1123DateTime($time = 0)
1126 {
1127     if ($time == 0)
1128         $time = time();
1129     return gmdate('D, d M Y H:i:s \G\M\T', $time);
1130 }
1131
1132 /** Parse date in RFC-1123 format.
1133  *
1134  * According to RFC 1123 we must accept dates in the following
1135  * formats:
1136  *
1137  *   Sun, 06 Nov 1994 08:49:37 GMT  ; RFC 822, updated by RFC 1123
1138  *   Sunday, 06-Nov-94 08:49:37 GMT ; RFC 850, obsoleted by RFC 1036
1139  *   Sun Nov  6 08:49:37 1994       ; ANSI C's asctime() format
1140  *
1141  * (Though we're only allowed to generate dates in the first format.)
1142  */
1143 function ParseRfc1123DateTime($timestr)
1144 {
1145     $timestr = trim($timestr);
1146     if (preg_match('/^ \w{3},\s* (\d{1,2}) \s* (\w{3}) \s* (\d{4}) \s*'
1147             . '(\d\d):(\d\d):(\d\d) \s* GMT $/ix',
1148         $timestr, $m)
1149     ) {
1150         list(, $mday, $mon, $year, $hh, $mm, $ss) = $m;
1151     } elseif (preg_match('/^ \w+,\s* (\d{1,2})-(\w{3})-(\d{2}|\d{4}) \s*'
1152             . '(\d\d):(\d\d):(\d\d) \s* GMT $/ix',
1153         $timestr, $m)
1154     ) {
1155         list(, $mday, $mon, $year, $hh, $mm, $ss) = $m;
1156         if ($year < 70) $year += 2000;
1157         elseif ($year < 100) $year += 1900;
1158     } elseif (preg_match('/^\w+\s* (\w{3}) \s* (\d{1,2}) \s*'
1159             . '(\d\d):(\d\d):(\d\d) \s* (\d{4})$/ix',
1160         $timestr, $m)
1161     ) {
1162         list(, $mon, $mday, $hh, $mm, $ss, $year) = $m;
1163     } else {
1164         // Parse failed.
1165         return false;
1166     }
1167
1168     $time = strtotime("$mday $mon $year ${hh}:${mm}:${ss} GMT");
1169     if ($time == -1)
1170         return false; // failed
1171     return $time;
1172 }
1173
1174 /**
1175  * Format time to standard 'ctime' format.
1176  *
1177  * @param int $time Time.  Default: now.
1178  * @return string Date and time.
1179  */
1180 function CTime($time = 0)
1181 {
1182     if ($time == 0)
1183         $time = time();
1184     return date("D M j H:i:s Y", $time);
1185 }
1186
1187 /**
1188  * Format number as kibibytes or bytes.
1189  * Short format is used for PageList
1190  * Long format is used in PageInfo
1191  *
1192  * @param $bytes       int.  Default: 0.
1193  * @param $longformat  bool. Default: false.
1194  * @return FormattedText (XmlElement.php).
1195  */
1196 function ByteFormatter($bytes = 0, $longformat = false)
1197 {
1198     if ($bytes < 0)
1199         return fmt("-???");
1200     if ($bytes < 1024) {
1201         if (!$longformat)
1202             $size = fmt("%s B", $bytes);
1203         else
1204             $size = fmt("%s bytes", $bytes);
1205     } else {
1206         $kb = round($bytes / 1024, 1);
1207         if (!$longformat)
1208             $size = fmt("%s KiB", $kb);
1209         else
1210             $size = fmt("%s KiB (%s bytes)", $kb, $bytes);
1211     }
1212     return $size;
1213 }
1214
1215 /**
1216  * Internationalized printf.
1217  *
1218  * This is essentially the same as PHP's built-in printf
1219  * with the following exceptions:
1220  * <ol>
1221  * <li> It passes the format string through gettext().
1222  * <li> It supports the argument reordering extensions.
1223  * </ol>
1224  *
1225  * Example:
1226  *
1227  * In php code, use:
1228  * <pre>
1229  *    __printf("Differences between versions %s and %s of %s",
1230  *             $new_link, $old_link, $page_link);
1231  * </pre>
1232  *
1233  * Then in locale/po/de.po, one can reorder the printf arguments:
1234  *
1235  * <pre>
1236  *    msgid "Differences between %s and %s of %s."
1237  *    msgstr "Der Unterschiedsergebnis von %3$s, zwischen %1$s und %2$s."
1238  * </pre>
1239  *
1240  * (Note that while PHP tries to expand $vars within double-quotes,
1241  * the values in msgstr undergo no such expansion, so the '$'s
1242  * okay...)
1243  *
1244  * One shouldn't use reordered arguments in the default format string.
1245  * Backslashes in the default string would be necessary to escape the
1246  * '$'s, and they'll cause all kinds of trouble....
1247  */
1248 function __printf($fmt)
1249 {
1250     $args = func_get_args();
1251     array_shift($args);
1252     echo __vsprintf($fmt, $args);
1253 }
1254
1255 /**
1256  * Internationalized sprintf.
1257  *
1258  * This is essentially the same as PHP's built-in printf with the
1259  * following exceptions:
1260  *
1261  * <ol>
1262  * <li> It passes the format string through gettext().
1263  * <li> It supports the argument reordering extensions.
1264  * </ol>
1265  *
1266  * @see __printf
1267  */
1268 function __sprintf($fmt)
1269 {
1270     $args = func_get_args();
1271     array_shift($args);
1272     return __vsprintf($fmt, $args);
1273 }
1274
1275 /**
1276  * Internationalized vsprintf.
1277  *
1278  * This is essentially the same as PHP's built-in printf with the
1279  * following exceptions:
1280  *
1281  * <ol>
1282  * <li> It passes the format string through gettext().
1283  * <li> It supports the argument reordering extensions.
1284  * </ol>
1285  *
1286  * @see __printf
1287  */
1288 function __vsprintf($fmt, $args)
1289 {
1290     $fmt = gettext($fmt);
1291     // PHP's sprintf doesn't support variable with specifiers,
1292     // like sprintf("%*s", 10, "x"); --- so we won't either.
1293
1294     if (preg_match_all('/(?<!%)%(\d+)\$/x', $fmt, $m)) {
1295         // Format string has '%2$s' style argument reordering.
1296         // PHP doesn't support this.
1297         if (preg_match('/(?<!%)%[- ]?\d*[^- \d$]/x', $fmt))
1298             // literal variable name substitution only to keep locale
1299             // strings uncluttered
1300             trigger_error(sprintf(_("Can't mix “%s” with “%s” type format strings"),
1301                 '%1\$s', '%s'), E_USER_WARNING); //php+locale error
1302
1303         $fmt = preg_replace('/(?<!%)%\d+\$/x', '%', $fmt);
1304         $newargs = array();
1305
1306         // Reorder arguments appropriately.
1307         foreach ($m[1] as $argnum) {
1308             if ($argnum < 1 || $argnum > count($args))
1309                 trigger_error(sprintf(_("%s: argument index out of range"),
1310                     $argnum), E_USER_WARNING);
1311             $newargs[] = $args[$argnum - 1];
1312         }
1313         $args = $newargs;
1314     }
1315
1316     // Not all PHP's have vsprintf, so...
1317     array_unshift($args, $fmt);
1318     return call_user_func_array('sprintf', $args);
1319 }
1320
1321 function file_mtime($filename)
1322 {
1323     if ($stat = @stat($filename))
1324         return $stat[9];
1325     else
1326         return false;
1327 }
1328
1329 function sort_file_mtime($a, $b)
1330 {
1331     $ma = file_mtime($a);
1332     $mb = file_mtime($b);
1333     if (!$ma or !$mb or $ma == $mb) return 0;
1334     return ($ma > $mb) ? -1 : 1;
1335 }
1336
1337 class fileSet
1338 {
1339     function __construct($directory, $filepattern = false)
1340     {
1341         $this->_fileList = array();
1342         $this->_pattern = $filepattern;
1343         if ($filepattern) {
1344             $this->_pcre_pattern = glob_to_pcre($this->_pattern);
1345         }
1346         $this->_case = !isWindows();
1347         $this->_pathsep = '/';
1348
1349         if (empty($directory) or !file_exists($directory) or !is_dir($directory)) {
1350             return; // early return
1351         }
1352
1353         $dir_handle = opendir($dir = $directory);
1354         if (empty($dir_handle)) {
1355             return; // early return
1356         }
1357
1358         while ($filename = readdir($dir_handle)) {
1359             if ($filename[0] == '.' || filetype($dir . $this->_pathsep . $filename) != 'file')
1360                 continue;
1361             if ($this->_filenameSelector($filename)) {
1362                 array_push($this->_fileList, "$filename");
1363             }
1364         }
1365         closedir($dir_handle);
1366     }
1367
1368     /**
1369      * Build an array in $this->_fileList of files from $dirname.
1370      * Subdirectories are not traversed.
1371      *
1372      * (This was a function LoadDir in lib/loadsave.php)
1373      * See also http://www.php.net/manual/en/function.readdir.php
1374      */
1375     public function getFiles($exclude = '', $sortby = '', $limit = '')
1376     {
1377         $list = $this->_fileList;
1378
1379         if ($sortby) {
1380             require_once 'lib/PageList.php';
1381             switch (Pagelist::sortby($sortby, 'db')) {
1382                 case 'pagename ASC':
1383                     break;
1384                 case 'pagename DESC':
1385                     $list = array_reverse($list);
1386                     break;
1387                 case 'mtime ASC':
1388                     usort($list, 'sort_file_mtime');
1389                     break;
1390                 case 'mtime DESC':
1391                     usort($list, 'sort_file_mtime');
1392                     $list = array_reverse($list);
1393                     break;
1394             }
1395         }
1396         if ($limit)
1397             return array_splice($list, 0, $limit);
1398         return $list;
1399     }
1400
1401     protected function _filenameSelector($filename)
1402     {
1403         if (!$this->_pattern)
1404             return true;
1405         else {
1406             if (!$this->_pcre_pattern)
1407                 $this->_pcre_pattern = glob_to_pcre($this->_pattern);
1408             return preg_match('/' . $this->_pcre_pattern . ($this->_case ? '/' : '/i'),
1409                 $filename);
1410         }
1411     }
1412 }
1413
1414 class imageSet extends fileSet
1415 {
1416     /**
1417      * A file is considered an image when the suffix matches one from
1418      * INLINE_IMAGES.
1419      */
1420     protected function _filenameSelector($filename)
1421     {
1422         return is_image($filename);
1423     }
1424 }
1425
1426 class imageOrVideoSet extends fileSet
1427 {
1428     protected function _filenameSelector($filename)
1429     {
1430         return is_image($filename) or is_video($filename);
1431     }
1432 }
1433
1434 // Convert fileglob to regex style:
1435 // Convert some wildcards to pcre style, escape the rest
1436 // Escape . \\ + * ? [ ^ ] $ ( ) { } = ! < > | : /
1437 // Fixed bug #994994: "/" in $glob.
1438 function glob_to_pcre($glob)
1439 {
1440     // check simple case: no need to escape
1441     $escape = '\[](){}=!<>|:/';
1442     if (strcspn($glob, $escape . ".+*?^$") == strlen($glob))
1443         return $glob;
1444     // preg_replace cannot handle "\\\\\\2" so convert \\ to \xff
1445     $glob = strtr($glob, "\\", "\xff");
1446     $glob = str_replace("/", "\\/", $glob);
1447     // first convert some unescaped expressions to pcre style: . => \.
1448     $special = '.^$';
1449     $re = preg_replace('/([^\xff])?([' . preg_quote($special) . '])/',
1450         "\\1\xff\\2", $glob);
1451
1452     // * => .*, ? => .
1453     $re = preg_replace('/([^\xff])?\*/', '$1.*', $re);
1454     $re = preg_replace('/([^\xff])?\?/', '$1.', $re);
1455     if (!preg_match('/^[\?\*]/', $glob))
1456         $re = '^' . $re;
1457     if (!preg_match('/[\?\*]$/', $glob))
1458         $re = $re . '$';
1459
1460     // Fixes Bug 1182997
1461     // .*? handled above, now escape the rest
1462     //while (strcspn($re, $escape) != strlen($re)) // loop strangely needed
1463     $re = preg_replace('/([^\xff])([' . preg_quote($escape, "/") . '])/',
1464         "\\1\xff\\2", $re);
1465     // Problem with 'Date/Time' => 'Date\/Time' => 'Date\xff\/Time' => 'Date\/Time'
1466     // 'plugin/*.php'
1467     $re = preg_replace('/\xff/', '', $re);
1468     return $re;
1469 }
1470
1471 function glob_match($glob, $against, $case_sensitive = true)
1472 {
1473     return preg_match('/' . glob_to_pcre($glob) . ($case_sensitive ? '/' : '/i'),
1474         $against);
1475 }
1476
1477 function explodePageList($input, $include_empty = false, $sortby = 'pagename',
1478                          $limit = '', $exclude = '')
1479 {
1480     include_once 'lib/PageList.php';
1481     return PageList::explodePageList($input, $include_empty, $sortby, $limit, $exclude);
1482 }
1483
1484 // Class introspections
1485
1486 /** Determine whether a function is okay to use.
1487  *
1488  * Some providers (e.g. Lycos) disable some of PHP functions for
1489  * "security reasons."  This makes those functions, of course,
1490  * unusable, despite the fact the function_exists() says they
1491  * exist.
1492  *
1493  * This function test to see if a function exists and is not
1494  * disallowed by PHP's disable_functions config setting.
1495  *
1496  * @param string $function_name  Function name
1497  * @return bool  True iff function can be used.
1498  */
1499 function function_usable($function_name)
1500 {
1501     static $disabled;
1502     if (!is_array($disabled)) {
1503         $disabled = array();
1504         // Use get_cfg_var since ini_get() is one of the disabled functions
1505         // (on Lycos, at least.)
1506         $split = preg_split('/\s*,\s*/', trim(get_cfg_var('disable_functions')));
1507         foreach ($split as $f)
1508             $disabled[strtolower($f)] = true;
1509     }
1510
1511     return (function_exists($function_name)
1512         and !isset($disabled[strtolower($function_name)])
1513     );
1514 }
1515
1516 /** Hash a value.
1517  *
1518  * This is used for generating ETags.
1519  */
1520 function wikihash($x)
1521 {
1522     if (is_scalar($x)) {
1523         return $x;
1524     } elseif (is_array($x)) {
1525         ksort($x);
1526         return md5(serialize($x));
1527     } elseif (is_object($x)) {
1528         return $x->hash();
1529     }
1530     trigger_error("Can't hash $x", E_USER_ERROR);
1531     return false;
1532 }
1533
1534 function rand_ascii($length = 1)
1535 {
1536     $s = "";
1537     for ($i = 1; $i <= $length; $i++) {
1538         // return only typeable 7 bit ascii, avoid quotes
1539         $s .= chr(mt_rand(40, 126));
1540     }
1541     return $s;
1542 }
1543
1544 /* by Dan Frankowski.
1545  */
1546 function rand_ascii_readable($length = 6)
1547 {
1548     // Pick a few random letters or numbers
1549     $word = "";
1550     // Don't use 1lI0O, because they're hard to read
1551     $letters = "abcdefghijkmnopqrstuvwxyzABCDEFGHJKLMNPQRSTUVWXYZ23456789";
1552     $letter_len = strlen($letters);
1553     for ($i = 0; $i < $length; $i++) {
1554         $word .= $letters[mt_rand(0, $letter_len - 1)];
1555     }
1556     return $word;
1557 }
1558
1559 /**
1560  * Recursively count all non-empty elements
1561  * in array of any dimension or mixed - i.e.
1562  * array('1' => 2, '2' => array('1' => 3, '2' => 4))
1563  * See http://www.php.net/manual/en/function.count.php
1564  */
1565 function count_all($arg)
1566 {
1567     // skip if argument is empty
1568     if ($arg) {
1569         //print_r($arg); //debugging
1570         $count = 0;
1571         // not an array, return 1 (base case)
1572         if (!is_array($arg))
1573             return 1;
1574         // else call recursively for all elements $arg
1575         foreach ($arg as $key => $val)
1576             $count += count_all($val);
1577         return $count;
1578     }
1579     return 0;
1580 }
1581
1582 function isSubPage($pagename)
1583 {
1584     return (strstr($pagename, '/'));
1585 }
1586
1587 function subPageSlice($pagename, $pos)
1588 {
1589     $pages = explode('/', $pagename);
1590     $pages = array_slice($pages, $pos, 1);
1591     return $pages[0];
1592 }
1593
1594 function isActionPage($filename)
1595 {
1596
1597     global $AllActionPages;
1598
1599     $localizedAllActionPages = array_map("__", $AllActionPages);
1600
1601     return (in_array($filename, $localizedAllActionPages));
1602 }
1603
1604 /**
1605  * Alert
1606  *
1607  * Class for "popping up" and alert box.  (Except that right now, it doesn't
1608  * pop up...)
1609  *
1610  * FIXME:
1611  * This is a hackish and needs to be refactored.  However it would be nice to
1612  * unify all the different methods we use for showing Alerts and Dialogs.
1613  * (E.g. "Page deleted", login form, ...)
1614  */
1615 class Alert
1616 {
1617     /**
1618      * @param mixed  $head    Header ("title") for alert box.
1619      * @param mixed  $body    The text in the alert box.
1620      * @param array  $buttons An array mapping button labels to URLs.
1621      *    The default is a single "Okay" button pointing to $request->getURLtoSelf().
1622      */
1623     function __construct($head, $body, $buttons = array())
1624     {
1625         if (is_array($body)) {
1626             $html = HTML::ol();
1627             foreach ($body as $li) {
1628                 $html->pushContent(HTML::li($li));
1629             }
1630             $body = $html;
1631         }
1632         $this->_tokens = array('HEADER' => $head, 'CONTENT' => $body);
1633         $this->_buttons = $buttons;
1634     }
1635
1636     /**
1637      * Show the alert box.
1638      */
1639     public function show()
1640     {
1641         global $request;
1642
1643         $tokens = $this->_tokens;
1644         $tokens['BUTTONS'] = $this->_getButtons();
1645
1646         $request->discardOutput();
1647         $tmpl = new Template('dialog', $request, $tokens);
1648         $tmpl->printXML();
1649         $request->finish();
1650     }
1651
1652     private function _getButtons()
1653     {
1654         global $request;
1655
1656         $buttons = $this->_buttons;
1657         if (!$buttons)
1658             $buttons = array(_("OK") => $request->getURLtoSelf());
1659
1660         global $WikiTheme;
1661         foreach ($buttons as $label => $url)
1662             print "$label $url\n";
1663         $out[] = $WikiTheme->makeButton($label, $url, 'wikiaction');
1664         return new XmlContent($out);
1665     }
1666 }
1667
1668 // 1.3.8     => 1030.08
1669 // 1.3.9-p1  => 1030.091
1670 // 1.3.10pre => 1030.099
1671 // 1.3.11pre-20041120 => 1030.1120041120
1672 // 1.3.12-rc1 => 1030.119
1673 function phpwiki_version()
1674 {
1675     static $PHPWIKI_VERSION;
1676     if (!isset($PHPWIKI_VERSION)) {
1677         $arr = explode('.', preg_replace('/\D+$/', '', PHPWIKI_VERSION)); // remove the pre
1678         $arr[2] = preg_replace('/\.+/', '.', preg_replace('/\D/', '.', $arr[2]));
1679         $PHPWIKI_VERSION = $arr[0] * 1000 + $arr[1] * 10 + 0.01 * $arr[2];
1680         if (strstr(PHPWIKI_VERSION, 'pre') or strstr(PHPWIKI_VERSION, 'rc'))
1681             $PHPWIKI_VERSION -= 0.01;
1682     }
1683     return $PHPWIKI_VERSION;
1684 }
1685
1686 function phpwiki_gzhandler($ob)
1687 {
1688     /**
1689      * @var WikiRequest $request
1690      */
1691     global $request;
1692
1693     $ob = gzencode($ob);
1694     $request->_ob_get_length = strlen($ob);
1695     if (!headers_sent()) {
1696         header(sprintf("Content-Length: %d", $request->_ob_get_length));
1697     }
1698     return $ob;
1699 }
1700
1701 function isWikiWord($word)
1702 {
1703     global $WikiNameRegexp;
1704     //or preg_match('/\A' . $WikiNameRegexp . '\z/', $word) ??
1705     return preg_match("/^$WikiNameRegexp\$/", $word);
1706 }
1707
1708 /**
1709  * isAsciiString($string)
1710  */
1711 function isAsciiString($s)
1712 {
1713     $ptrASCII = '[\x00-\x7F]';
1714     return preg_match("/^($ptrASCII)*$/s", $s);
1715 }
1716
1717 /**
1718  * Workaround for allow_url_fopen, to get the content of an external URI.
1719  * It returns the contents in one slurp. Parsers might want to check for allow_url_fopen
1720  * and use fopen, fread chunkwise. (see lib/XmlParser.php)
1721  */
1722 function url_get_contents($uri)
1723 {
1724     if (get_cfg_var('allow_url_fopen')) { // was ini_get('allow_url_fopen'))
1725         return @file_get_contents($uri);
1726     } else {
1727         require_once 'lib/HttpClient.php';
1728         $bits = parse_url($uri);
1729         $host = $bits['host'];
1730         $port = isset($bits['port']) ? $bits['port'] : 80;
1731         $path = isset($bits['path']) ? $bits['path'] : '/';
1732         if (isset($bits['query'])) {
1733             $path .= '?' . $bits['query'];
1734         }
1735         $client = new HttpClient($host, $port);
1736         $client->use_gzip = false;
1737         if (!$client->get($path)) {
1738             return false;
1739         } else {
1740             return $client->getContent();
1741         }
1742     }
1743 }
1744
1745 /**
1746  * Generate consecutively named strings:
1747  *   Name, Name2, Name3, ...
1748  */
1749 function GenerateId($name)
1750 {
1751     static $ids = array();
1752     if (empty($ids[$name])) {
1753         $ids[$name] = 1;
1754         return $name;
1755     } else {
1756         $ids[$name]++;
1757         return $name . $ids[$name];
1758     }
1759 }
1760
1761 // from IncludePage. To be of general use.
1762 // content: string or array of strings
1763 function firstNWordsOfContent($n, $content)
1764 {
1765     if ($content and $n > 0) {
1766         if (is_array($content)) {
1767             // fixme: return a list of lines then?
1768             //$content = join("\n", $content);
1769             //$return_array = true;
1770             $wordcount = 0;
1771             $new = array();
1772             foreach ($content as $line) {
1773                 $words = explode(' ', $line);
1774                 if ($wordcount + count($words) > $n) {
1775                     $new[] = implode(' ', array_slice($words, 0, $n - $wordcount))
1776                         . sprintf(_("... (first %s words)"), $n);
1777                     return $new;
1778                 } else {
1779                     $wordcount += count($words);
1780                     $new[] = $line;
1781                 }
1782             }
1783             return $new;
1784         } else {
1785             // fixme: use better whitespace/word separators
1786             $words = explode(' ', $content);
1787             if (count($words) > $n) {
1788                 return join(' ', array_slice($words, 0, $n))
1789                     . sprintf(_("... (first %s words)"), $n);
1790             } else {
1791                 return $content;
1792             }
1793         }
1794     } else {
1795         return '';
1796     }
1797 }
1798
1799 // moved from lib/plugin/IncludePage.php
1800 function extractSection($section, $content, $page, $quiet = false, $sectionhead = false)
1801 {
1802     $qsection = preg_replace('/\s+/', '\s+', preg_quote($section, '/'));
1803
1804     if (preg_match("/ ^(!{1,}|={2,})\\s*$qsection\s*=*" // section header
1805             . "  \\s*$\\n?" // possible blank lines
1806             . "  ( (?: ^.*\\n? )*? )" // some lines
1807             . "  (?= ^\\1 | \\Z)/xm", // sec header (same or higher level) (or EOF)
1808         implode("\n", $content),
1809         $match)
1810     ) {
1811         // Strip trailing blanks lines and ---- <hr>s
1812         $text = preg_replace("/\\s*^-{4,}\\s*$/m", "", $match[2]);
1813         if ($sectionhead)
1814             $text = $match[1] . $section . "\n" . $text;
1815         return explode("\n", $text);
1816     }
1817     if ($quiet)
1818         $mesg = $page . " " . $section;
1819     else
1820         $mesg = $section;
1821     return array(sprintf(_("<%s: no such section>"), $mesg));
1822 }
1823
1824 // Extract the first $sections sections of the page
1825 function extractSections($sections, $content, $page, $quiet = false, $sectionhead = false)
1826 {
1827
1828     $mycontent = $content;
1829     $result = "";
1830
1831     while ($sections > 0) {
1832
1833         if (preg_match("/ ^(!{1,}|={2,})\\s*(.*)\\n" // section header
1834                 . "  \\s*$\\n?" // possible blank lines
1835                 . "  ( (?: ^.*\\n? )*? )" // some lines
1836                 . "  ( ^\\1 (.|\\n)* | \\Z)/xm", // sec header (same or higher level) (or EOF)
1837             implode("\n", $mycontent),
1838             $match)
1839         ) {
1840             $section = $match[2];
1841             // Strip trailing blanks lines and ---- <hr>s
1842             $text = preg_replace("/\\s*^-{4,}\\s*$/m", "", $match[3]);
1843             if ($sectionhead)
1844                 $text = $match[1] . $section . "\n" . $text;
1845             $result .= $text;
1846
1847             $mycontent = explode("\n", $match[4]);
1848             $sections--;
1849             if ($sections === 0) {
1850                 return explode("\n", $result);
1851             }
1852         }
1853     }
1854     return '';
1855 }
1856
1857 // use this faster version: only load ExternalReferrer if we came from an external referrer
1858 function isExternalReferrer(&$request)
1859 {
1860     if ($referrer = $request->get('HTTP_REFERER')) {
1861         $home = SERVER_URL; // SERVER_URL or SCRIPT_NAME, if we want to check sister wiki's also
1862         if (string_starts_with(strtolower($referrer), strtolower($home))) return false;
1863         require_once 'lib/ExternalReferrer.php';
1864         $se = new SearchEngines();
1865         return $se->parseSearchQuery($referrer);
1866     }
1867     //if (DEBUG) return array('query' => 'wiki');
1868     return false;
1869 }
1870
1871 /**
1872  * Useful for PECL overrides: cvsclient, ldap, soap, xmlrpc, pdo, pdo_<driver>
1873  */
1874 function loadPhpExtension($extension)
1875 {
1876     if (!extension_loaded($extension)) {
1877         $isWindows = (substr(PHP_OS, 0, 3) == 'WIN');
1878         $soname = ($isWindows ? 'php_' : '')
1879             . $extension
1880             . ($isWindows ? '.dll' : '.so');
1881         if (!@dl($soname))
1882             return false;
1883     }
1884     return extension_loaded($extension);
1885 }
1886
1887 function string_starts_with($string, $prefix)
1888 {
1889     return (substr($string, 0, strlen($prefix)) == $prefix);
1890 }
1891
1892 function string_ends_with($string, $suffix)
1893 {
1894     return (substr($string, -strlen($suffix)) == $suffix);
1895 }
1896
1897 function array_remove($arr, $value)
1898 {
1899     return array_values(array_diff($arr, array($value)));
1900 }
1901
1902 /**
1903  * Ensure that the script will have another $secs time left.
1904  * Works only if safe_mode is off.
1905  * For example not to timeout on waiting socket connections.
1906  *   Use the socket timeout as arg.
1907  */
1908 function longer_timeout($secs = 30)
1909 {
1910     $timeout = @ini_get("max_execution_time") ? ini_get("max_execution_time") : 30;
1911     $timeleft = $timeout - $GLOBALS['RUNTIMER']->getTime();
1912     if ($timeleft < $secs)
1913         @set_time_limit(max($timeout, (integer)($secs + $timeleft)));
1914 }
1915
1916 function printSimpleTrace($bt)
1917 {
1918     echo "\nTraceback:\n";
1919     debug_print_backtrace();
1920 }
1921
1922 /**
1923  * @param mixed $needle
1924  * @param array $haystack one-dimensional numeric array only, no hash
1925  * @return integer
1926  * @desc Feed a sorted array to $haystack and a value to search for to $needle.
1927 It will return false if not found or the index where it was found.
1928 From dennis.decoene@moveit.be http://www.php.net/array_search
1929  */
1930 function binary_search($needle, $haystack)
1931 {
1932     $high = count($haystack);
1933     $low = 0;
1934
1935     while (($high - $low) > 1) {
1936         $probe = floor(($high + $low) / 2);
1937         if ($haystack[$probe] < $needle) {
1938             $low = $probe;
1939         } elseif ($haystack[$probe] == $needle) {
1940             $high = $low = $probe;
1941         } else {
1942             $high = $probe;
1943         }
1944     }
1945
1946     if ($high == count($haystack) || $haystack[$high] != $needle) {
1947         return false;
1948     } else {
1949         return $high;
1950     }
1951 }
1952
1953 function is_localhost()
1954 {
1955     return $_SERVER['SERVER_ADDR'] == '127.0.0.1';
1956 }
1957
1958 /**
1959  * Take a string and quote it sufficiently to be passed as a Javascript
1960  * string between ''s
1961  */
1962 function javascript_quote_string($s)
1963 {
1964     return str_replace("'", "\'", $s);
1965 }
1966
1967 function isSerialized($s)
1968 {
1969     return (!empty($s) and (strlen($s) > 3) and (substr($s, 1, 1) == ':'));
1970 }
1971
1972 /**
1973  * Determine if a variable represents a limit
1974  * It can be an integer or two integers separated by ","
1975  */
1976
1977 function is_limit($var)
1978 {
1979     if (is_whole_number($var)) {
1980         return true;
1981     }
1982     $limits = explode(',', $var);
1983     return (count($limits) == 2)
1984        && is_whole_number($limits[0])
1985        && is_whole_number($limits[1]);
1986 }
1987
1988 /**
1989  * Determine if a variable represents a whole number
1990  */
1991
1992 function is_whole_number($var)
1993 {
1994     return (is_numeric($var) && (intval($var) == floatval($var)));
1995 }
1996
1997 /**
1998  * Take a string and return an array of pairs (attribute name, attribute value)
1999  *
2000  * We allow attributes with or without double quotes (")
2001  * Attribute-value pairs may be separated by space or comma
2002  * Space is normal HTML attributes, comma is for RichTable compatibility
2003  * border=1, cellpadding="5"
2004  * border=1 cellpadding="5"
2005  * style="font-family: sans-serif; border-top:1px solid #dddddd;"
2006  * style="font-family: Verdana, Arial, Helvetica, sans-serif"
2007  */
2008 function parse_attributes($line)
2009 {
2010
2011     $options = array();
2012
2013     if (empty($line)) return $options;
2014     $line = trim($line);
2015     if (empty($line)) return $options;
2016     $line = trim($line, ",");
2017     if (empty($line)) return $options;
2018
2019     // First we have an attribute name.
2020
2021     $i = 0;
2022     while (($i < strlen($line)) && ($line[$i] != '=')) {
2023         $i++;
2024     }
2025     $attribute = substr($line, 0, $i);
2026     $attribute = strtolower($attribute);
2027
2028     $line = substr($line, $i + 1);
2029     $line = trim($line);
2030     $line = trim($line, "=");
2031     $line = trim($line);
2032
2033     if (empty($line)) return $options;
2034
2035     // Then we have the attribute value.
2036
2037     $i = 0;
2038     // Attribute value might be between double quotes
2039     // In that case we have to find the closing double quote
2040     if ($line[0] == '"') {
2041         $i++; // skip first '"'
2042         while (($i < strlen($line)) && ($line[$i] != '"')) {
2043             $i++;
2044         }
2045         $value = substr($line, 0, $i);
2046         $value = trim($value, '"');
2047         $value = trim($value);
2048
2049         // If there are no double quotes, we have to find the next space or comma
2050     } else {
2051         while (($i < strlen($line)) && (($line[$i] != ' ') && ($line[$i] != ','))) {
2052             $i++;
2053         }
2054         $value = substr($line, 0, $i);
2055         $value = trim($value);
2056         $value = trim($value, ",");
2057         $value = trim($value);
2058     }
2059
2060     $options[$attribute] = $value;
2061
2062     $line = substr($line, $i + 1);
2063     $line = trim($line);
2064     $line = trim($line, ",");
2065     $line = trim($line);
2066
2067     return $options + parse_attributes($line);
2068 }
2069
2070 /**
2071  * Returns true if the filename ends with an image suffix.
2072  * Uses INLINE_IMAGES if defined, else "png|jpg|jpeg|gif|swf"
2073  */
2074 function is_image($filename)
2075 {
2076
2077     if (defined('INLINE_IMAGES')) {
2078         $inline_images = INLINE_IMAGES;
2079     } else {
2080         $inline_images = "png|jpg|jpeg|gif|swf";
2081     }
2082
2083     foreach (explode("|", $inline_images) as $suffix) {
2084         if (string_ends_with(strtolower($filename), "." . $suffix)) {
2085             return true;
2086         }
2087     }
2088     return false;
2089 }
2090
2091 /**
2092  * Returns true if the filename ends with an video suffix.
2093  * Currently only FLV and OGG
2094  */
2095 function is_video($filename)
2096 {
2097
2098     return string_ends_with(strtolower($filename), ".flv")
2099         or string_ends_with(strtolower($filename), ".ogg");
2100 }
2101
2102 /**
2103  * Remove accents from given text.
2104  */
2105 function strip_accents($text)
2106 {
2107     $res = utf8_decode($text);
2108     $res = strtr($res,
2109         utf8_decode('àáâãäçèéêëìíîïñòóôõöùúûüýÿÀÁÂÃÄÇÈÉÊËÌÍÎÏÑÒÓÔÕÖÙÚÛÜÝ'),
2110         'aaaaaceeeeiiiinooooouuuuyyAAAAACEEEEIIIINOOOOOUUUUY');
2111     return utf8_encode($res);
2112 }
2113
2114 /**
2115  * Sanify filename: replace all disallowed characters with dashes
2116  */
2117 function sanify_filename($filename)
2118 {
2119     return mb_ereg_replace('[^\w\. \-]', '-', $filename);
2120 }
2121
2122 // Local Variables:
2123 // mode: php
2124 // tab-width: 8
2125 // c-basic-offset: 4
2126 // c-hanging-comment-ender-p: nil
2127 // indent-tabs-mode: nil
2128 // End: