source: trunk/lib/Utilities.inc.php @ 486

Last change on this file since 486 was 486, checked in by anonymous, 10 years ago

Added URLSlug function

File size: 39.4 KB
Line 
1<?php
2/**
3 * The Strangecode Codebase - a general application development framework for PHP
4 * For details visit the project site: <http://trac.strangecode.com/codebase/>
5 * Copyright 2001-2012 Strangecode, LLC
6 *
7 * This file is part of The Strangecode Codebase.
8 *
9 * The Strangecode Codebase is free software: you can redistribute it and/or
10 * modify it under the terms of the GNU General Public License as published by the
11 * Free Software Foundation, either version 3 of the License, or (at your option)
12 * any later version.
13 *
14 * The Strangecode Codebase is distributed in the hope that it will be useful, but
15 * WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
16 * FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more
17 * details.
18 *
19 * You should have received a copy of the GNU General Public License along with
20 * The Strangecode Codebase. If not, see <http://www.gnu.org/licenses/>.
21 */
22
23/**
24 * Utilities.inc.php
25 */
26
27
28/**
29 * Print variable dump.
30 *
31 * @param  mixed    $var        The variable to dump.
32 * @param  bool     $display    Print the dump in <pre> tags or hide it in html comments (non-CLI only).
33 * @param  bool     $var_dump   Use var_dump instead of print_r.
34 * @param  string   $file       Value of __FILE__.
35 * @param  string   $line       Value of __LINE__
36 */
37function dump($var, $display=false, $var_dump=false, $file='', $line='')
38{
39    if (defined('_CLI')) {
40        echo "DUMP FROM: $file $line\n";
41    } else {
42        echo $display ? "\n<br />DUMP <strong>$file $line</strong><br /><pre>\n" : "\n<!-- DUMP $file $line\n";
43    }
44    if ($var_dump) {
45        var_dump($var);
46    } else {
47        // Print human-readable descriptions of invisible types.
48        if (null === $var) {
49            echo '(null)';
50        } else if (true === $var) {
51            echo '(bool: true)';
52        } else if (false === $var) {
53            echo '(bool: false)';
54        } else if (is_scalar($var) && '' === $var) {
55            echo '(empty string)';
56        } else if (is_scalar($var) && preg_match('/^\s+$/', $var)) {
57            echo '(only white space)';
58        } else {
59            print_r($var);
60        }
61    }
62    if (defined('_CLI')) {
63        echo "\n";
64    } else {
65        echo $display ? "\n</pre><br />\n" : "\n-->\n";
66    }
67}
68
69/*
70* Log a PHP variable to javascript console. Relies on getDump(), below.
71*
72* @access   public
73* @param    mixed   $var      The variable to dump.
74* @param    string  $prefix   A short note to print before the output to make identifying output easier.
75* @param    string  $file     The value of __FILE__.
76* @param    string  $line     The value of __LINE__.
77* @return   null
78* @author   Quinn Comendant <quinn@strangecode.com>
79*/
80function jsDump($var, $prefix='jsDump', $file='-', $line='-')
81{
82    if (!empty($var)) {
83        ?>
84        <script type="text/javascript" charset="utf-8">
85        /* <![CDATA[ */
86        window.console && console.log('<?php printf('%s: %s (on line %s of %s)', $prefix, str_replace("'", "\\'", getDump($var, true)), $line, $file); ?>');
87        /* ]]> */
88        </script>
89        <?php
90    }
91}
92
93/*
94* Return a string version of any variable, optionally serialized on one line.
95*
96* @access   public
97* @param    mixed   $var        The variable to dump.
98* @param    bool    $serialize  If true, remove line-endings. Useful for logging variables.
99* @return   string              The dumped variable.
100* @author   Quinn Comendant <quinn@strangecode.com>
101*/
102function getDump($var, $serialize=false)
103{
104    ob_start();
105    print_r($var);
106    $d = ob_get_contents();
107    ob_end_clean();
108    return $serialize ? preg_replace('/\s+/m', ' ', $d) : $d;
109}
110
111/**
112 * Return dump as cleaned text. Useful for dumping data into emails.
113 *
114 * @param  array    $var        Variable to dump.
115 * @param  strong   $indent     A string to prepend indented lines (tab for example).
116 * @return string Dump of var.
117 */
118function fancyDump($var, $indent='')
119{
120    $output = '';
121    if (is_array($var)) {
122        foreach ($var as $k=>$v) {
123            $k = ucfirst(mb_strtolower(str_replace(array('_', '  '), ' ', $k)));
124            if (is_array($v)) {
125                $output .= sprintf("\n%s%s: %s\n", $indent, $k, fancyDump($v, $indent . $indent));
126            } else {
127                $output .= sprintf("%s%s: %s\n", $indent, $k, $v);
128            }
129        }
130    } else {
131        $output .= sprintf("%s%s\n", $indent, $var);
132    }
133    return $output;
134}
135
136/**
137 * Returns text with appropriate html translations.
138 *
139 * @param  string $text             Text to clean.
140 * @param  bool   $preserve_html    If set to true, oTxt will not translate <, >, ", or '
141 *                                  characters into HTML entities. This allows HTML to pass through undisturbed.
142 * @return string                   HTML-safe text.
143 */
144function oTxt($text, $preserve_html=false)
145{
146    $app =& App::getInstance();
147
148    $search = array();
149    $replace = array();
150
151    // Make converted ampersand entities into normal ampersands (they will be done manually later) to retain HTML entities.
152    $search['retain_ampersand']     = '/&amp;/';
153    $replace['retain_ampersand']    = '&';
154
155    if ($preserve_html) {
156        // Convert characters that must remain non-entities for displaying HTML.
157        $search['retain_left_angle']       = '/&lt;/';
158        $replace['retain_left_angle']      = '<';
159
160        $search['retain_right_angle']      = '/&gt;/';
161        $replace['retain_right_angle']     = '>';
162
163        $search['retain_single_quote']     = '/&#039;/';
164        $replace['retain_single_quote']    = "'";
165
166        $search['retain_double_quote']     = '/&quot;/';
167        $replace['retain_double_quote']    = '"';
168    }
169
170    // & becomes &amp;. Exclude any occurrence where the & is followed by a alphanum or unicode character.
171    $search['ampersand']        = '/&(?![\w\d#]{1,10};)/';
172    $replace['ampersand']       = '&amp;';
173
174    return preg_replace($search, $replace, htmlspecialchars($text, ENT_QUOTES, $app->getParam('character_set')));
175}
176
177/**
178 * Returns text with stylistic modifications. Warning: this will break some HTML attributes!
179 * TODO: Allow a string such as this to be passed: <a href="javascript:openPopup('/foo/bar.php')">Click here</a>
180 *
181 * @param  string   $text Text to clean.
182 * @return string         Cleaned text.
183 */
184function fancyTxt($text)
185{
186    $search = array();
187    $replace = array();
188
189    // "double quoted text"  becomes  &ldquo;double quoted text&rdquo;
190    $search['double_quotes']    = '/(^|[^\w=])(?:"|&quot;|&#34;|&#x22;|&ldquo;)([^"]+?)(?:"|&quot;|&#34;|&#x22;|&rdquo;)([^\w]|$)/ms'; // " is the same as &quot; and &#34; and &#x22;
191    $replace['double_quotes']   = '$1&ldquo;$2&rdquo;$3';
192
193    // text's apostrophes  become  text&rsquo;s apostrophes
194    $search['apostrophe']       = '/(\w)(?:\'|&#39;|&#039;)(\w)/ms';
195    $replace['apostrophe']      = '$1&rsquo;$2';
196
197    // 'single quoted text'  becomes  &lsquo;single quoted text&rsquo;
198    $search['single_quotes']    = '/(^|[^\w=])(?:\'|&#39;|&lsquo;)([^\']+?)(?:\'|&#39;|&rsquo;)([^\w]|$)/ms';
199    $replace['single_quotes']   = '$1&lsquo;$2&rsquo;$3';
200
201    // plural posessives' apostrophes become posessives&rsquo;
202    $search['apostrophes']      = '/(s)(?:\'|&#39;|&#039;)(\s)/ms';
203    $replace['apostrophes']     = '$1&rsquo;$2';
204
205    // em--dashes  become em&mdash;dashes
206    $search['em_dash']          = '/(\s*[^!<-])--([^>-]\s*)/';
207    $replace['em_dash']         = '$1&mdash;$2';
208
209    return preg_replace($search, $replace, $text);
210}
211
212/**
213 * Applies a class to search terms to highlight them ala google results.
214 *
215 * @param  string   $text   Input text to search.
216 * @param  string   $search String of word(s) that will be highlighted.
217 * @param  string   $class  CSS class to apply.
218 * @return string           Text with searched words wrapped in <span>.
219 */
220function highlightWords($text, $search, $class='sc-highlightwords')
221{
222    $words = preg_split('/[^\w]/', $search, -1, PREG_SPLIT_NO_EMPTY);
223
224    $search = array();
225    $replace = array();
226
227    foreach ($words as $w) {
228        if ('' != trim($w)) {
229            $search[] = '/\b(' . preg_quote($w) . ')\b/i';
230            $replace[] = '<span class="' . $class . '">$1</span>';
231        }
232    }
233
234    return empty($replace) ? $text : preg_replace($search, $replace, $text);
235}
236
237/**
238 * Generates a hexadecimal html color based on provided word.
239 *
240 * @access public
241 * @param  string $text  A string for which to convert to color.
242 * @return string  A hexadecimal html color.
243 */
244function getTextColor($text, $method=1)
245{
246    $hash = md5($text);
247    $rgb = array(
248        mb_substr($hash, 0, 1),
249        mb_substr($hash, 1, 1),
250        mb_substr($hash, 2, 1),
251        mb_substr($hash, 3, 1),
252        mb_substr($hash, 4, 1),
253        mb_substr($hash, 5, 1),
254    );
255
256    switch ($method) {
257    case 1 :
258    default :
259        // Reduce all hex values slightly to avoid all white.
260        array_walk($rgb, create_function('&$v', '$v = dechex(round(hexdec($v) * 0.87));'));
261        break;
262    case 2 :
263        foreach ($rgb as $i => $v) {
264            if (hexdec($v) > hexdec('c')) {
265                $rgb[$i] = dechex(hexdec('f') - hexdec($v));
266            }
267        }
268        break;
269    }
270
271    return join('', $rgb);
272}
273
274/**
275 * Encodes a string into unicode values 128-255.
276 * Useful for hiding an email address from spambots.
277 *
278 * @access  public
279 * @param   string   $text   A line of text to encode.
280 * @return  string   Encoded text.
281 */
282function encodeAscii($text)
283{
284    $output = '';
285    $num = mb_strlen($text);
286    for ($i=0; $i<$num; $i++) {
287        $output .= sprintf('&#%03s', ord($text{$i}));
288    }
289    return $output;
290}
291
292/**
293 * Encodes an email into a "user at domain dot com" format.
294 *
295 * @access  public
296 * @param   string   $email   An email to encode.
297 * @param   string   $at      Replaces the @.
298 * @param   string   $dot     Replaces the ..
299 * @return  string   Encoded email.
300 */
301function encodeEmail($email, $at=' at ', $dot=' dot ')
302{
303    $search = array('/@/', '/\./');
304    $replace = array($at, $dot);
305    return preg_replace($search, $replace, $email);
306}
307
308/**
309 * Truncates "a really long string" into a string of specified length
310 * at the beginning: "
long string"
311 * at the middle: "a rea
string"
312 * or at the end: "a really
".
313 *
314 * The regular expressions below first match and replace the string to the specified length and position,
315 * and secondly they remove any whitespace from around the delimiter (to avoid "this 
 " from happening).
316 *
317 * @access  public
318 * @param   string  $str    Input string
319 * @param   int     $len    Maximum string length.
320 * @param   string  $where  Where to cut the string. One of: 'start', 'middle', or 'end'.
321 * @return  string          Truncated output string.
322 * @author  Quinn Comendant <quinn@strangecode.com>
323 * @since   29 Mar 2006 13:48:49
324 */
325function truncate($str, $len=50, $where='end', $delim='
')
326{
327    $dlen = mb_strlen($delim);
328    if ($len <= $dlen || mb_strlen($str) <= $dlen) {
329        return substr($str, 0, $len);
330    }
331    $part1 = floor(($len - $dlen) / 2);
332    $part2 = ceil(($len - $dlen) / 2);
333    switch ($where) {
334    case 'start' :
335        return preg_replace(array(sprintf('/^.{%s,}(.{%s})$/sU', $dlen + 1, $part1 + $part2), sprintf('/\s*%s{%s,}\s*/sU', preg_quote($delim), $dlen)), array($delim . '$1', $delim), $str);
336
337    case 'middle' :
338        return preg_replace(array(sprintf('/^(.{%s}).{%s,}(.{%s})$/sU', $part1, $dlen + 1, $part2), sprintf('/\s*%s{%s,}\s*/sU', preg_quote($delim), $dlen)), array('$1' . $delim . '$2', $delim), $str);
339
340    case 'end' :
341    default :
342        return preg_replace(array(sprintf('/^(.{%s}).{%s,}$/sU', $part1 + $part2, $dlen + 1), sprintf('/\s*%s{%s,}\s*/sU', preg_quote($delim), $dlen)), array('$1' . $delim, $delim), $str);
343    }
344}
345
346/*
347* A substitution for the missing mb_ucfirst function.
348*
349* @access   public
350* @param    string  $string The string
351* @return   string          String with upper-cased first character.
352* @author   Quinn Comendant <quinn@strangecode.com>
353* @version  1.0
354* @since    06 Dec 2008 17:04:01
355*/
356if (!function_exists('mb_ucfirst')) {
357    function mb_ucfirst($string)
358    {
359        return mb_strtoupper(mb_substr($string, 0, 1)) . mb_substr($string, 1, mb_strlen($string));
360    }
361}
362
363/*
364* A substitution for the missing mb_strtr function.
365*
366* @access   public
367* @param    string  $string The string
368* @param    string  $from   String of characters to translate from
369* @param    string  $to     String of characters to translate to
370* @return   string          String with translated characters.
371* @author   Quinn Comendant <quinn@strangecode.com>
372* @version  1.0
373* @since    20 Jan 2013 12:33:26
374*/
375if (!function_exists('mb_strtr')) {
376    function mb_strtr($string, $from, $to)
377    {
378        return str_replace(mb_split('.', $from), mb_split('.', $to), $string);
379    }
380}
381
382/*
383* A substitution for the missing mb_str_pad function.
384*
385* @access   public
386* @param    string  $input      The string that receives padding.
387* @param    string  $pad_length Total length of resultant string.
388* @param    string  $pad_string The string to use for padding
389* @param    string  $pad_type   Flags STR_PAD_RIGHT or STR_PAD_LEFT or STR_PAD_BOTH
390* @return   string          String with translated characters.
391* @author   Quinn Comendant <quinn@strangecode.com>
392* @version  1.0
393* @since    20 Jan 2013 12:33:26
394*/
395if (!function_exists('mb_str_pad')) {
396    function mb_str_pad($input, $pad_length, $pad_string=' ', $pad_type=STR_PAD_RIGHT) {
397        $diff = strlen($input) - mb_strlen($input);
398        return str_pad($input, $pad_length + $diff, $pad_string, $pad_type);
399    }
400}
401
402/*
403* Converts a string into a URL-safe slug, removing spaces and non word characters.
404*
405* @access   public
406* @param    string  $str    String to convert.
407* @return   string          URL-safe slug.
408* @author   Quinn Comendant <quinn@strangecode.com>
409* @version  1.0
410* @since    18 Aug 2014 12:54:29
411*/
412function URLSlug($str)
413{
414    $slug = preg_replace(array('/[^\w]+/', '/^-+|-+$/'), array('-', ''), $str);
415    $slug = strtolower($slug);
416    return $slug;
417}
418
419/**
420 * Return a human readable disk space measurement. Input value measured in bytes.
421 *
422 * @param       int    $size        Size in bytes.
423 * @param       int    $unit        The maximum unit
424 * @param       int    $format      The return string format
425 * @author      Aidan Lister <aidan@php.net>
426 * @author      Quinn Comendant <quinn@strangecode.com>
427 * @version     1.2.0
428 */
429function humanFileSize($size, $format='%01.2f %s', $max_unit=null, $multiplier=1024)
430{
431    // Units
432    $units = array('B', 'KB', 'MB', 'GB', 'TB');
433    $ii = count($units) - 1;
434
435    // Max unit
436    $max_unit = array_search((string) $max_unit, $units);
437    if ($max_unit === null || $max_unit === false) {
438        $max_unit = $ii;
439    }
440
441    // Loop
442    $i = 0;
443    while ($max_unit != $i && $size >= $multiplier && $i < $ii) {
444        $size /= $multiplier;
445        $i++;
446    }
447
448    return sprintf($format, $size, $units[$i]);
449}
450
451/*
452* Returns a human readable amount of time for the given amount of seconds.
453*
454* 45 seconds
455* 12 minutes
456* 3.5 hours
457* 2 days
458* 1 week
459* 4 months
460*
461* Months are calculated using the real number of days in a year: 365.2422 / 12.
462*
463* @access   public
464* @param    int $seconds Seconds of time.
465* @param    string $max_unit Key value from the $units array.
466* @param    string $format Sprintf formatting string.
467* @return   string Value of units elapsed.
468* @author   Quinn Comendant <quinn@strangecode.com>
469* @version  1.0
470* @since    23 Jun 2006 12:15:19
471*/
472function humanTime($seconds, $max_unit=null, $format='%01.1f')
473{
474    // Units: array of seconds in the unit, singular and plural unit names.
475    $units = array(
476        'second' => array(1, _("second"), _("seconds")),
477        'minute' => array(60, _("minute"), _("minutes")),
478        'hour' => array(3600, _("hour"), _("hours")),
479        'day' => array(86400, _("day"), _("days")),
480        'week' => array(604800, _("week"), _("weeks")),
481        'month' => array(2629743.84, _("month"), _("months")),
482        'year' => array(31556926.08, _("year"), _("years")),
483        'decade' => array(315569260.8, _("decade"), _("decades")),
484        'century' => array(3155692608, _("century"), _("centuries")),
485    );
486
487    // Max unit to calculate.
488    $max_unit = isset($units[$max_unit]) ? $max_unit : 'year';
489
490    $final_time = $seconds;
491    $final_unit = 'second';
492    foreach ($units as $k => $v) {
493        if ($seconds >= $v[0]) {
494            $final_time = $seconds / $v[0];
495            $final_unit = $k;
496        }
497        if ($max_unit == $final_unit) {
498            break;
499        }
500    }
501    $final_time = sprintf($format, $final_time);
502    return sprintf('%s %s', $final_time, (1 == $final_time ? $units[$final_unit][1] : $units[$final_unit][2]));
503}
504
505/**
506 * Tests the existence of a file anywhere in the include path.
507 *
508 * @param   string  $file   File in include path.
509 * @return  mixed           False if file not found, the path of the file if it is found.
510 * @author  Quinn Comendant <quinn@strangecode.com>
511 * @since   03 Dec 2005 14:23:26
512 */
513function fileExistsIncludePath($file)
514{
515    $app =& App::getInstance();
516
517    foreach (explode(PATH_SEPARATOR, get_include_path()) as $path) {
518        $fullpath = $path . DIRECTORY_SEPARATOR . $file;
519        if (file_exists($fullpath)) {
520            $app->logMsg(sprintf('Found file "%s" at path: %s', $file, $fullpath), LOG_DEBUG, __FILE__, __LINE__);
521            return $fullpath;
522        } else {
523            $app->logMsg(sprintf('File "%s" not found in include_path: %s', $file, get_include_path()), LOG_DEBUG, __FILE__, __LINE__);
524            return false;
525        }
526    }
527}
528
529/**
530 * Returns stats of a file from the include path.
531 *
532 * @param   string  $file   File in include path.
533 * @param   mixed   $stat   Which statistic to return (or null to return all).
534 * @return  mixed           Value of requested key from fstat(), or false on error.
535 * @author  Quinn Comendant <quinn@strangecode.com>
536 * @since   03 Dec 2005 14:23:26
537 */
538function statIncludePath($file, $stat=null)
539{
540    // Open file pointer read-only using include path.
541    if ($fp = fopen($file, 'r', true)) {
542        // File opened successfully, get stats.
543        $stats = fstat($fp);
544        fclose($fp);
545        // Return specified stats.
546        return is_null($stat) ? $stats : $stats[$stat];
547    } else {
548        return false;
549    }
550}
551
552/*
553* Writes content to the specified file. This function emulates the functionality of file_put_contents from PHP 5.
554* It makes an exclusive lock on the file while writing.
555*
556* @access   public
557* @param    string  $filename   Path to file.
558* @param    string  $content    Data to write into file.
559* @return   bool                Success or failure.
560* @author   Quinn Comendant <quinn@strangecode.com>
561* @since    11 Apr 2006 22:48:30
562*/
563function filePutContents($filename, $content)
564{
565    $app =& App::getInstance();
566
567    // Open file for writing and truncate to zero length.
568    if ($fp = fopen($filename, 'w')) {
569        if (flock($fp, LOCK_EX)) {
570            if (!fwrite($fp, $content, mb_strlen($content))) {
571                $app->logMsg(sprintf('Failed writing to file: %s', $filename), LOG_ERR, __FILE__, __LINE__);
572                fclose($fp);
573                return false;
574            }
575            flock($fp, LOCK_UN);
576        } else {
577            $app->logMsg(sprintf('Could not lock file for writing: %s', $filename), LOG_ERR, __FILE__, __LINE__);
578            fclose($fp);
579            return false;
580        }
581        fclose($fp);
582        // Success!
583        $app->logMsg(sprintf('Wrote to file: %s', $filename), LOG_DEBUG, __FILE__, __LINE__);
584        return true;
585    } else {
586        $app->logMsg(sprintf('Could not open file for writing: %s', $filename), LOG_ERR, __FILE__, __LINE__);
587        return false;
588    }
589}
590
591/**
592 * If $var is net set or null, set it to $default. Otherwise leave it alone.
593 * Returns the final value of $var. Use to find a default value of one is not available.
594 *
595 * @param  mixed $var       The variable that is being set.
596 * @param  mixed $default   What to set it to if $val is not currently set.
597 * @return mixed            The resulting value of $var.
598 */
599function setDefault(&$var, $default='')
600{
601    if (!isset($var)) {
602        $var = $default;
603    }
604    return $var;
605}
606
607/**
608 * Like preg_quote() except for arrays, it takes an array of strings and puts
609 * a backslash in front of every character that is part of the regular
610 * expression syntax.
611 *
612 * @param  array $array    input array
613 * @param  array $delim    optional character that will also be escaped.
614 * @return array    an array with the same values as $array1 but shuffled
615 */
616function pregQuoteArray($array, $delim='/')
617{
618    if (!empty($array)) {
619        if (is_array($array)) {
620            foreach ($array as $key=>$val) {
621                $quoted_array[$key] = preg_quote($val, $delim);
622            }
623            return $quoted_array;
624        } else {
625            return preg_quote($array, $delim);
626        }
627    }
628}
629
630/**
631 * Converts a PHP Array into encoded URL arguments and return them as an array.
632 *
633 * @param  mixed $data        An array to transverse recursively, or a string
634 *                            to use directly to create url arguments.
635 * @param  string $prefix     The name of the first dimension of the array.
636 *                            If not specified, the first keys of the array will be used.
637 * @return array              URL with array elements as URL key=value arguments.
638 */
639function urlEncodeArray($data, $prefix='', $_return=true)
640{
641    // Data is stored in static variable.
642    static $args;
643
644    if (is_array($data)) {
645        foreach ($data as $key => $val) {
646            // If the prefix is empty, use the $key as the name of the first dimension of the "array".
647            // ...otherwise, append the key as a new dimension of the "array".
648            $new_prefix = ('' == $prefix) ? urlencode($key) : $prefix . '[' . urlencode($key) . ']';
649            // Enter recursion.
650            urlEncodeArray($val, $new_prefix, false);
651        }
652    } else {
653        // We've come to the last dimension of the array, save the "array" and its value.
654        $args[$prefix] = urlencode($data);
655    }
656
657    if ($_return) {
658        // This is not a recursive execution. All recursion is complete.
659        // Reset static var and return the result.
660        $ret = $args;
661        $args = array();
662        return is_array($ret) ? $ret : array();
663    }
664}
665
666/**
667 * Converts a PHP Array into encoded URL arguments and return them in a string.
668 *
669 * @param  mixed $data        An array to transverse recursively, or a string
670 *                            to use directly to create url arguments.
671 * @param  string $prefix     The name of the first dimension of the array.
672 *                            If not specified, the first keys of the array will be used.
673 * @return string url         A string ready to append to a url.
674 */
675function urlEncodeArrayToString($data, $prefix='')
676{
677
678    $array_args = urlEncodeArray($data, $prefix);
679    $url_args = '';
680    $delim = '';
681    foreach ($array_args as $key=>$val) {
682        $url_args .= $delim . $key . '=' . $val;
683        $delim = ini_get('arg_separator.output');
684    }
685    return $url_args;
686}
687
688/**
689 * Fills an array with the result from a multiple ereg search.
690 * Courtesy of Bruno - rbronosky@mac.com - 10-May-2001
691 *
692 * @param  mixed $pattern   regular expression needle
693 * @param  mixed $string   haystack
694 * @return array    populated with each found result
695 */
696function eregAll($pattern, $string)
697{
698    do {
699        if (!mb_ereg($pattern, $string, $temp)) {
700             continue;
701        }
702        $string = str_replace($temp[0], '', $string);
703        $results[] = $temp;
704    } while (mb_ereg($pattern, $string, $temp));
705    return $results;
706}
707
708/**
709 * Prints the word "checked" if a variable is set, and optionally matches
710 * the desired value, otherwise prints nothing,
711 * used for printing the word "checked" in a checkbox form input.
712 *
713 * @param  mixed $var     the variable to compare
714 * @param  mixed $value   optional, what to compare with if a specific value is required.
715 */
716function frmChecked($var, $value=null)
717{
718    if (func_num_args() == 1 && $var) {
719        // 'Checked' if var is true.
720        echo ' checked="checked" ';
721    } else if (func_num_args() == 2 && $var == $value) {
722        // 'Checked' if var and value match.
723        echo ' checked="checked" ';
724    } else if (func_num_args() == 2 && is_array($var)) {
725        // 'Checked' if the value is in the key or the value of an array.
726        if (isset($var[$value])) {
727            echo ' checked="checked" ';
728        } else if (in_array($value, $var)) {
729            echo ' checked="checked" ';
730        }
731    }
732}
733
734/**
735 * prints the word "selected" if a variable is set, and optionally matches
736 * the desired value, otherwise prints nothing,
737 * otherwise prints nothing, used for printing the word "checked" in a
738 * select form input
739 *
740 * @param  mixed $var     the variable to compare
741 * @param  mixed $value   optional, what to compare with if a specific value is required.
742 */
743function frmSelected($var, $value=null)
744{
745    if (func_num_args() == 1 && $var) {
746        // 'selected' if var is true.
747        echo ' selected="selected" ';
748    } else if (func_num_args() == 2 && $var == $value) {
749        // 'selected' if var and value match.
750        echo ' selected="selected" ';
751    } else if (func_num_args() == 2 && is_array($var)) {
752        // 'selected' if the value is in the key or the value of an array.
753        if (isset($var[$value])) {
754            echo ' selected="selected" ';
755        } else if (in_array($value, $var)) {
756            echo ' selected="selected" ';
757        }
758    }
759}
760
761/**
762 * Adds slashes to values of an array and converts the array to a comma
763 * delimited list. If value provided is a string return the string
764 * escaped.  This is useful for putting values coming in from posted
765 * checkboxes into a SET column of a database.
766 *
767 *
768 * @param  array $in      Array to convert.
769 * @return string         Comma list of array values.
770 */
771function escapedList($in, $separator="', '")
772{
773    $db =& DB::getInstance();
774
775    if (is_array($in) && !empty($in)) {
776        return join($separator, array_map(array($db, 'escapeString'), $in));
777    } else {
778        return $db->escapeString($in);
779    }
780}
781
782/**
783 * Converts a human string date into a SQL-safe date.  Dates nearing
784 * infinity use the date 2038-01-01 so conversion to unix time format
785 * remain within valid range.
786 *
787 * @param  array $date     String date to convert.
788 * @param  array $format   Date format to pass to date().
789 *                         Default produces MySQL datetime: 0000-00-00 00:00:00.
790 * @return string          SQL-safe date.
791 */
792function strToSQLDate($date, $format='Y-m-d H:i:s')
793{
794    // Translate the human string date into SQL-safe date format.
795    if (empty($date) || mb_strpos($date, '0000-00-00') !== false || strtotime($date) === -1 || strtotime($date) === false) {
796        // Return a string of zero time, formatted the same as $format.
797        return strtr($format, array(
798            'Y' => '0000',
799            'm' => '00',
800            'd' => '00',
801            'H' => '00',
802            'i' => '00',
803            's' => '00',
804        ));
805    } else {
806        return date($format, strtotime($date));
807    }
808}
809
810/**
811 * If magic_quotes_gpc is in use, run stripslashes() on $var. If $var is an
812 * array, stripslashes is run on each value, recursively, and the stripped
813 * array is returned.
814 *
815 * @param  mixed $var   The string or array to un-quote, if necessary.
816 * @return mixed        $var, minus any magic quotes.
817 */
818function dispelMagicQuotes($var)
819{
820    static $magic_quotes_gpc;
821
822    if (!isset($magic_quotes_gpc)) {
823        $magic_quotes_gpc = get_magic_quotes_gpc();
824    }
825
826    if ($magic_quotes_gpc) {
827        if (!is_array($var)) {
828            $var = stripslashes($var);
829        } else {
830            foreach ($var as $key=>$val) {
831                if (is_array($val)) {
832                    $var[$key] = dispelMagicQuotes($val);
833                } else {
834                    $var[$key] = stripslashes($val);
835                }
836            }
837        }
838    }
839    return $var;
840}
841
842/**
843 * Get a form variable from GET or POST data, stripped of magic
844 * quotes if necessary.
845 *
846 * @param string $var (optional) The name of the form variable to look for.
847 * @param string $default (optional) The value to return if the
848 *                                   variable is not there.
849 * @return mixed      A cleaned GET or POST if no $var specified.
850 * @return string     A cleaned form $var if found, or $default.
851 */
852function getFormData($var=null, $default=null)
853{
854    if ('POST' == getenv('REQUEST_METHOD') && is_null($var)) {
855        return dispelMagicQuotes($_POST);
856    } else if ('GET' == getenv('REQUEST_METHOD') && is_null($var)) {
857        return dispelMagicQuotes($_GET);
858    }
859    if (isset($_POST[$var])) {
860        return dispelMagicQuotes($_POST[$var]);
861    } else if (isset($_GET[$var])) {
862        return dispelMagicQuotes($_GET[$var]);
863    } else {
864        return $default;
865    }
866}
867function getPost($var=null, $default=null)
868{
869    if (is_null($var)) {
870        return dispelMagicQuotes($_POST);
871    }
872    if (isset($_POST[$var])) {
873        return dispelMagicQuotes($_POST[$var]);
874    } else {
875        return $default;
876    }
877}
878function getGet($var=null, $default=null)
879{
880    if (is_null($var)) {
881        return dispelMagicQuotes($_GET);
882    }
883    if (isset($_GET[$var])) {
884        return dispelMagicQuotes($_GET[$var]);
885    } else {
886        return $default;
887    }
888}
889
890/*
891* Sets a $_GET or $_POST variable.
892*
893* @access   public
894* @param    string  $key    The key of the request array to set.
895* @param    mixed   $val    The value to save in the request array.
896* @return   void
897* @author   Quinn Comendant <quinn@strangecode.com>
898* @version  1.0
899* @since    01 Nov 2009 12:25:29
900*/
901function putFormData($key, $val)
902{
903    if ('POST' == getenv('REQUEST_METHOD')) {
904        $_POST[$key] = $val;
905    } else if ('GET' == getenv('REQUEST_METHOD')) {
906        $_GET[$key] = $val;
907    }
908}
909
910/**
911 * Signs a value using md5 and a simple text key. In order for this
912 * function to be useful (i.e. secure) the key must be kept secret, which
913 * means keeping it as safe as database credentials. Putting it into an
914 * environment variable set in httpd.conf is a good place.
915 *
916 * @access  public
917 * @param   string  $val    The string to sign.
918 * @param   string  $salt   (Optional) A text key to use for computing the signature.
919 * @param   string  $length (Optional) The length of the added signature. Longer signatures are safer. Must match the length passed to verifySignature() for the signatures to match.
920 * @return  string  The original value with a signature appended.
921 */
922function addSignature($val, $salt=null, $length=18)
923{
924    $app =& App::getInstance();
925
926    if ('' == trim($val)) {
927        $app->logMsg(sprintf('Cannot add signature to an empty string.', null), LOG_INFO, __FILE__, __LINE__);
928        return '';
929    }
930
931    if (!isset($salt)) {
932        $salt = $app->getParam('signing_key');
933    }
934
935    // TODO: consider using more bits-per-character, such as done with:
936    // http://www.php.net/manual/en/function.sha1.php#86239
937    // http://blog.kevburnsjr.com/php-unique-hash
938    return $val . '-' . mb_strtolower(mb_substr(md5($salt . md5($val . $salt)), 0, $length));
939}
940
941/**
942 * Strips off the signature appended by addSignature().
943 *
944 * @access  public
945 * @param   string  $signed_val     The string to sign.
946 * @return  string  The original value with a signature removed.
947 */
948function removeSignature($signed_val)
949{
950    if (empty($signed_val) || mb_strpos($signed_val, '-') === false) {
951        return '';
952    }
953    return mb_substr($signed_val, 0, mb_strrpos($signed_val, '-'));
954}
955
956/**
957 * Verifies a signature appened to a value by addSignature().
958 *
959 * @access  public
960 * @param   string  $signed_val A value with appended signature.
961 * @param   string  $salt       (Optional) A text key to use for computing the signature.
962 * @return  bool    True if the signature matches the var.
963 */
964function verifySignature($signed_val, $salt=null, $length=18)
965{
966    // All comparisons are done using lower-case strings.
967    $signed_val = mb_strtolower($signed_val);
968    // Strip the value from the signed value.
969    $val = removeSignature($signed_val);
970    // If the signed value matches the original signed value we consider the value safe.
971    if ($signed_val == addSignature($val, $salt, $length)) {
972        // Signature verified.
973        return true;
974    } else {
975        return false;
976    }
977}
978
979/**
980 * Sends empty output to the browser and flushes the php buffer so the client
981 * will see data before the page is finished processing.
982 */
983function flushBuffer()
984{
985    echo str_repeat('          ', 205);
986    flush();
987}
988
989/**
990 * Adds email address to mailman mailing list. Requires /etc/sudoers entry for apache to sudo execute add_members.
991 * Don't forget to allow php_admin_value open_basedir access to "/var/mailman/bin".
992 *
993 * @access  public
994 * @param   string  $email     Email address to add.
995 * @param   string  $list      Name of list to add to.
996 * @param   bool    $send_welcome_message   True to send welcome message to subscriber.
997 * @return  bool    True on success, false on failure.
998 */
999function mailmanAddMember($email, $list, $send_welcome_message=false)
1000{
1001    $app =& App::getInstance();
1002
1003    $add_members = '/usr/lib/mailman/bin/add_members';
1004    // FIXME: checking of executable is disabled.
1005    if (true || is_executable($add_members) && is_readable($add_members)) {
1006        $welcome_msg = $send_welcome_message ? 'y' : 'n';
1007        exec(sprintf("/bin/echo '%s' | /usr/bin/sudo %s -r - --welcome-msg=%s --admin-notify=n '%s'", escapeshellarg($email), escapeshellarg($add_members), $welcome_msg, escapeshellarg($list)), $stdout, $return_code);
1008        if (0 == $return_code) {
1009            $app->logMsg(sprintf('Mailman add member success for list: %s, user: %s', $list, $email), LOG_INFO, __FILE__, __LINE__);
1010            return true;
1011        } else {
1012            $app->logMsg(sprintf('Mailman add member failed for list: %s, user: %s, with message: %s', $list, $email, getDump($stdout)), LOG_WARNING, __FILE__, __LINE__);
1013            return false;
1014        }
1015    } else {
1016        $app->logMsg(sprintf('Mailman add member program not executable: %s', $add_members), LOG_ALERT, __FILE__, __LINE__);
1017        return false;
1018    }
1019}
1020
1021/**
1022 * Removes email address from mailman mailing list. Requires /etc/sudoers entry for apache to sudo execute add_members.
1023 * Don't forget to allow php_admin_value open_basedir access to "/var/mailman/bin".
1024 *
1025 * @access  public
1026 * @param   string  $email     Email address to add.
1027 * @param   string  $list      Name of list to add to.
1028 * @param   bool    $send_user_ack   True to send goodbye message to subscriber.
1029 * @return  bool    True on success, false on failure.
1030 */
1031function mailmanRemoveMember($email, $list, $send_user_ack=false)
1032{
1033    $app =& App::getInstance();
1034
1035    $remove_members = '/usr/lib/mailman/bin/remove_members';
1036    // FIXME: checking of executable is disabled.
1037    if (true || is_executable($remove_members) && is_readable($remove_members)) {
1038        $userack = $send_user_ack ? '' : '--nouserack';
1039        exec(sprintf("/usr/bin/sudo %s %s --noadminack '%s' '%s'", escapeshellarg($remove_members), $userack, escapeshellarg($list), escapeshellarg($email)), $stdout, $return_code);
1040        if (0 == $return_code) {
1041            $app->logMsg(sprintf('Mailman remove member success for list: %s, user: %s', $list, $email), LOG_INFO, __FILE__, __LINE__);
1042            return true;
1043        } else {
1044            $app->logMsg(sprintf('Mailman remove member failed for list: %s, user: %s, with message: %s', $list, $email, $stdout), LOG_WARNING, __FILE__, __LINE__);
1045            return false;
1046        }
1047    } else {
1048        $app->logMsg(sprintf('Mailman remove member program not executable: %s', $remove_members), LOG_ALERT, __FILE__, __LINE__);
1049        return false;
1050    }
1051}
1052
1053/**
1054 * Returns the remote IP address, taking into consideration proxy servers.
1055 *
1056 * @param  bool $dolookup   If true we resolve to IP to a host name,
1057 *                          if false we don't.
1058 * @return string    IP address if $dolookup is false or no arg
1059 *                   Hostname if $dolookup is true
1060 */
1061function getRemoteAddr($dolookup=false)
1062{
1063    $ip = getenv('HTTP_CLIENT_IP');
1064    if (in_array($ip, array('', 'unknown', 'localhost', '127.0.0.1'))) {
1065        $ip = getenv('HTTP_X_FORWARDED_FOR');
1066        if (mb_strpos($ip, ',') !== false) {
1067            // If HTTP_X_FORWARDED_FOR returns a comma-delimited list of IPs then return the first one (assuming the first is the original).
1068            $ips = explode(',', $ip, 2);
1069            $ip = $ips[0];
1070        }
1071        if (in_array($ip, array('', 'unknown', 'localhost', '127.0.0.1'))) {
1072            $ip = getenv('REMOTE_ADDR');
1073        }
1074    }
1075    return $dolookup && '' != $ip ? gethostbyaddr($ip) : $ip;
1076}
1077
1078/**
1079 * Tests whether a given IP address can be found in an array of IP address networks.
1080 * Elements of networks array can be single IP addresses or an IP address range in CIDR notation
1081 * See: http://en.wikipedia.org/wiki/Classless_inter-domain_routing
1082 *
1083 * @access  public
1084 * @param   string  IP address to search for.
1085 * @param   array   Array of networks to search within.
1086 * @return  mixed   Returns the network that matched on success, false on failure.
1087 */
1088function ipInRange($ip, $networks)
1089{
1090    if (!is_array($networks)) {
1091        $networks = array($networks);
1092    }
1093
1094    $ip_binary = sprintf('%032b', ip2long($ip));
1095    foreach ($networks as $network) {
1096        if (preg_match('![\d\.]{7,15}/\d{1,2}!', $network)) {
1097            // IP is in CIDR notation.
1098            list($cidr_ip, $cidr_bitmask) = explode('/', $network);
1099            $cidr_ip_binary = sprintf('%032b', ip2long($cidr_ip));
1100            if (mb_substr($ip_binary, 0, $cidr_bitmask) === mb_substr($cidr_ip_binary, 0, $cidr_bitmask)) {
1101               // IP address is within the specified IP range.
1102               return $network;
1103            }
1104        } else {
1105            if ($ip === $network) {
1106               // IP address exactly matches.
1107               return $network;
1108            }
1109        }
1110    }
1111
1112    return false;
1113}
1114
1115/**
1116 * If the given $url is on the same web site, return true. This can be used to
1117 * prevent from sending sensitive info in a get query (like the SID) to another
1118 * domain.
1119 *
1120 * @param  string $url    the URI to test.
1121 * @return bool True if given $url is our domain or has no domain (is a relative url), false if it's another.
1122 */
1123function isMyDomain($url)
1124{
1125    static $urls = array();
1126
1127    if (!isset($urls[$url])) {
1128        if (!preg_match('|https?://[\w.]+/|', $url)) {
1129            // If we can't find a domain we assume the URL is local (i.e. "/my/url/path/" or "../img/file.jpg").
1130            $urls[$url] = true;
1131        } else {
1132            $urls[$url] = preg_match('|https?://[\w.]*' . preg_quote(getenv('HTTP_HOST'), '|') . '|i', $url);
1133        }
1134    }
1135    return $urls[$url];
1136}
1137
1138/**
1139 * Takes a URL and returns it without the query or anchor portion
1140 *
1141 * @param  string $url   any kind of URI
1142 * @return string        the URI with ? or # and everything after removed
1143 */
1144function stripQuery($url)
1145{
1146    return preg_replace('/[?#].*$/', '', $url);
1147}
1148
1149/**
1150 * Returns a fully qualified URL to the current script, including the query.
1151 *
1152 * @return string    a full url to the current script
1153 */
1154function absoluteMe()
1155{
1156    $protocol = ('on' == getenv('HTTPS')) ? 'https://' : 'http://';
1157    return $protocol . getenv('HTTP_HOST') . getenv('REQUEST_URI');
1158}
1159
1160/**
1161 * Compares the current url with the referring url.
1162 *
1163 * @param  bool $exclude_query  Remove the query string first before comparing.
1164 * @return bool                 True if the current URL is the same as the referring URL, false otherwise.
1165 */
1166function refererIsMe($exclude_query=false)
1167{
1168    if ($exclude_query) {
1169        return (stripQuery(absoluteMe()) == stripQuery(getenv('HTTP_REFERER')));
1170    } else {
1171        return (absoluteMe() == getenv('HTTP_REFERER'));
1172    }
1173}
1174
Note: See TracBrowser for help on using the repository browser.