Fixes for various bugs (e.g.: 'secret file could not be read', SQL error and more)
[mailer.git] / inc / functions.php
1 <?php
2 /************************************************************************
3  * Mailer v0.2.1-FINAL                                Start: 08/25/2003 *
4  * ===================                          Last change: 11/29/2005 *
5  *                                                                      *
6  * -------------------------------------------------------------------- *
7  * File              : functions.php                                    *
8  * -------------------------------------------------------------------- *
9  * Short description : Many non-database functions (also file access)   *
10  * -------------------------------------------------------------------- *
11  * Kurzbeschreibung  : Viele Nicht-Datenbank-Funktionen                 *
12  * -------------------------------------------------------------------- *
13  * $Revision::                                                        $ *
14  * $Date::                                                            $ *
15  * $Tag:: 0.2.1-FINAL                                                 $ *
16  * $Author::                                                          $ *
17  * -------------------------------------------------------------------- *
18  * Copyright (c) 2003 - 2009 by Roland Haeder                           *
19  * Copyright (c) 2009 - 2013 by Mailer Developer Team                   *
20  * For more information visit: http://mxchange.org                      *
21  *                                                                      *
22  * This program is free software; you can redistribute it and/or modify *
23  * it under the terms of the GNU General Public License as published by *
24  * the Free Software Foundation; either version 2 of the License, or    *
25  * (at your option) any later version.                                  *
26  *                                                                      *
27  * This program is distributed in the hope that it will be useful,      *
28  * but WITHOUT ANY WARRANTY; without even the implied warranty of       *
29  * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the        *
30  * GNU General Public License for more details.                         *
31  *                                                                      *
32  * You should have received a copy of the GNU General Public License    *
33  * along with this program; if not, write to the Free Software          *
34  * Foundation, Inc., 51 Franklin St, Fifth Floor, Boston,               *
35  * MA  02110-1301  USA                                                  *
36  ************************************************************************/
37
38 // Some security stuff...
39 if (!defined('__SECURITY')) {
40         die();
41 } // END - if
42
43 // Init fatal message array
44 function initFatalMessages () {
45         $GLOBALS['fatal_messages'] = array();
46 }
47
48 // Getter for whole fatal error messages
49 function getFatalArray () {
50         return $GLOBALS['fatal_messages'];
51 }
52
53 // Add a fatal error message to the queue array
54 function addFatalMessage ($file, $line, $message, $extra = '') {
55         if (is_array($extra)) {
56                 // Multiple extras for a message with masks
57                 $message = call_user_func_array('sprintf', $extra);
58         } elseif (!empty($extra)) {
59                 // $message is text with a mask plus extras to insert into the text
60                 $message = sprintf($message, $extra);
61         }
62
63         // Add message to $GLOBALS['fatal_messages']
64         array_push($GLOBALS['fatal_messages'], $message);
65
66         // Log fatal messages away
67         logDebugMessage($file, $line, 'Fatal error message: ' . compileCode($message));
68 }
69
70 // Getter for total fatal message count
71 function getTotalFatalErrors () {
72         // Init count
73         $count = 0;
74
75         // Is there at least the first entry?
76         if (!empty($GLOBALS['fatal_messages'][0])) {
77                 // Get total count
78                 $count = count($GLOBALS['fatal_messages']);
79                 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'count=' . $count . ' - FROM ARRAY');
80         } // END - if
81
82         // Return value
83         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'count=' . $count . ' - EXIT!');
84         return $count;
85 }
86
87 // Generate a password in a specified length or use default password length
88 function generatePassword ($length = '0', $exclude = array()) {
89         // Auto-fix invalid length of zero
90         if ($length == '0') {
91                 $length = getMinPasswordLength();
92         } // END - if
93
94         // Exclude some entries
95         $localAbc = array_diff($GLOBALS['_abc'], $exclude);
96
97         // $localAbc must have at least 10 entries
98         assert(count($localAbc) >= 10);
99
100         // Start creating password
101         $password = '';
102         while (strlen($password) < $length) {
103                 $password .= $localAbc[mt_rand(0, count($localAbc) -1)];
104         } // END - while
105
106         /*
107          * When the size is below 40 we can also add additional security by
108          * scrambling it. Otherwise the hash may corrupted..
109          */
110         if (strlen($password) <= 40) {
111                 // Also scramble the password
112                 $password = scrambleString($password);
113         } // END - if
114
115         // Return the password
116         return $password;
117 }
118
119 // Generates a human-readable timestamp from the Uni* stamp
120 function generateDateTime ($time, $mode = '0') {
121         // Is there cache?
122         if (isset($GLOBALS[__FUNCTION__][$time][$mode])) {
123                 // Return it instead
124                 return $GLOBALS[__FUNCTION__][$time][$mode];
125         } // END - if
126
127         // If the stamp is zero it mostly didn't "happen"
128         if (($time == '0') || (is_null($time))) {
129                 // Never happend
130                 return '{--NEVER_HAPPENED--}';
131         } // END - if
132
133         // Filter out numbers
134         $timeSecured = bigintval($time);
135
136         // Detect language
137         switch (getLanguage()) {
138                 case 'de': // German date / time format
139                         switch ($mode) {
140                                 case '0': $ret = date("d.m.Y \u\m H:i \U\h\\r", $timeSecured); break;
141                                 case '1': $ret = strtolower(date('d.m.Y - H:i', $timeSecured)); break;
142                                 case '2': $ret = date('d.m.Y|H:i', $timeSecured); break;
143                                 case '3': $ret = date('d.m.Y', $timeSecured); break;
144                                 case '4': $ret = date('d.m.Y|H:i:s', $timeSecured); break;
145                                 case '5': $ret = date('d-m-Y (l-F-T)', $timeSecured); break;
146                                 case '6': $ret = date('Ymd', $timeSecured); break;
147                                 case '7': $ret = date('Y-m-d H:i:s', $timeSecured); break; // Compatible with MySQL TIMESTAMP
148                                 default:
149                                         logDebugMessage(__FUNCTION__, __LINE__, sprintf("Invalid date mode %s detected.", $mode));
150                                         break;
151                         } // END - switch
152                         break;
153
154                 default: // Default is the US date / time format!
155                         switch ($mode) {
156                                 case '0': $ret = date('r', $timeSecured); break;
157                                 case '1': $ret = strtolower(date('Y-m-d - g:i A', $timeSecured)); break;
158                                 case '2': $ret = date('y-m-d|H:i', $timeSecured); break;
159                                 case '3': $ret = date('y-m-d', $timeSecured); break;
160                                 case '4': $ret = date('d.m.Y|H:i:s', $timeSecured); break;
161                                 case '5': $ret = date('d-m-Y (l-F-T)', $timeSecured); break;
162                                 case '6': $ret = date('Ymd', $timeSecured); break;
163                                 case '7': $ret = date('Y-m-d H:i:s', $timeSecured); break; // Compatible with MySQL TIMESTAMP
164                                 default:
165                                         logDebugMessage(__FUNCTION__, __LINE__, sprintf("Invalid date mode %s detected.", $mode));
166                                         break;
167                         } // END - switch
168         } // END - switch
169
170         // Store it in cache
171         $GLOBALS[__FUNCTION__][$time][$mode] = $ret;
172
173         // Return result
174         return $ret;
175 }
176
177 // Translates Y/N to yes/no
178 function translateYesNo ($yn) {
179         // Is it cached?
180         if (!isset($GLOBALS[__FUNCTION__][$yn])) {
181                 // Default
182                 $GLOBALS[__FUNCTION__][$yn] = '??? (' . $yn . ')';
183                 switch ($yn) {
184                         case 'Y': $GLOBALS[__FUNCTION__][$yn] = '{--YES--}'; break;
185                         case 'N': $GLOBALS[__FUNCTION__][$yn] = '{--NO--}'; break;
186                         default:
187                                 // Log unknown value
188                                 logDebugMessage(__FUNCTION__, __LINE__, sprintf("Unknown value %s. Expected: Y/N", $yn));
189                                 break;
190                 } // END - switch
191         } // END - if
192
193         // Return it
194         return $GLOBALS[__FUNCTION__][$yn];
195 }
196
197 // "Translates" Y/N into "de-/active"
198 function translateActivationStatus ($status) {
199         // Is it cached?
200         if (!isset($GLOBALS[__FUNCTION__][$status])) {
201                 // Default
202                 $GLOBALS[__FUNCTION__][$status] = '??? (' . $status . ')';
203                 switch ($status) {
204                         case 'Y': $GLOBALS[__FUNCTION__][$status] = '{--ACTIVATED--}'; break;
205                         case 'N': $GLOBALS[__FUNCTION__][$status] = '{--DEACTIVATED--}'; break;
206                         default:
207                                 // Log unknown value
208                                 logDebugMessage(__FUNCTION__, __LINE__, sprintf("Unknown value %s. Expected: Y/N", $status));
209                                 break;
210                 } // END - switch
211         } // END - if
212
213         // Return it
214         return $GLOBALS[__FUNCTION__][$status];
215 }
216
217 // Translates the american decimal dot into a german comma
218 // OPPOMENT: convertCommaToDot()
219 function translateComma ($dotted, $cut = TRUE, $max = '0') {
220         // First, cast all to double, due to PHP changes
221         $dotted = (double) $dotted;
222
223         // Default is 3 you can change this in admin area "Settings -> Misc Options"
224         if (!isConfigEntrySet('max_comma')) {
225                 setConfigEntry('max_comma', 3);
226         } // END - if
227
228         // Use from config is default
229         $maxComma = getConfig('max_comma');
230
231         // Use from parameter?
232         if ($max > 0) {
233                 $maxComma = $max;
234         } // END - if
235
236         // Cut zeros off?
237         if (($cut === TRUE) && ($max == '0')) {
238                 // Test for commata if in cut-mode
239                 $com = explode('.', $dotted);
240                 if (count($com) < 2) {
241                         // Don't display commatas even if there are none... ;-)
242                         $maxComma = '0';
243                 } // END - if
244         } // END - if
245
246         // Debug log
247
248         // Translate it now
249         $translated = $dotted;
250         switch (getLanguage()) {
251                 case 'de': // German language
252                         $translated = number_format($dotted, $maxComma, ',', '.');
253                         break;
254
255                 default: // All others
256                         $translated = number_format($dotted, $maxComma, '.', ',');
257                         break;
258         } // END - switch
259
260         // Return translated value
261         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'dotted=' . $dotted . ',translated=' . $translated . ',maxComma=' . $maxComma);
262         return $translated;
263 }
264
265 // Translate Uni*-like gender to human-readable
266 function translateGender ($gender) {
267         // Default
268         $ret = '!' . $gender . '!';
269
270         // Male/female or company?
271         switch ($gender) {
272                 case 'M': // Male
273                 case 'F': // Female
274                 case 'C': // Company
275                         // Use generic function
276                         $ret = translateGeneric('GENDER', $gender);
277                         break;
278
279                 default:
280                         // Please report bugs on unknown genders
281                         reportBug(__FUNCTION__, __LINE__, sprintf("Unknown gender %s detected.", $gender));
282                         break;
283         } // END - switch
284
285         // Return translated gender
286         return $ret;
287 }
288
289 // "Translates" the user status
290 function translateUserStatus ($status) {
291         // Default status is unknown if something goes through
292         $ret = '{--ACCOUNT_STATUS_UNKNOWN--}';
293
294         // Generate message depending on status
295         switch ($status) {
296                 case 'UNCONFIRMED':
297                 case 'CONFIRMED':
298                 case 'LOCKED':
299                         // Use generic function for all "normal" cases"
300                         $ret = translateGeneric('ACCOUNT_STATUS', $status);
301                         break;
302
303                 case '': // Account deleted
304                 case NULL: // Account deleted
305                         $ret = '{--ACCOUNT_STATUS_DELETED--}';
306                         break;
307
308                 default: // Please report all unknown status
309                         reportBug(__FUNCTION__, __LINE__, sprintf("Unknown status %s(%s) detected.", $status, gettype($status)));
310                         break;
311         } // END - switch
312
313         // Return it
314         return $ret;
315 }
316
317 // "Translates" 'visible' and 'locked' to a CSS class
318 function translateMenuVisibleLocked ($content, $prefix = '') {
319         // Default is 'menu_unknown'
320         $content['visible_css'] = $prefix . 'menu_unknown';
321
322         // Translate 'visible' and keep an eye on the prefix
323         switch ($content['visible']) {
324                 case 'Y': // Should be visible
325                         $content['visible_css'] = $prefix . 'menu_visible';
326                         break;
327
328                 case 'N': // Is invisible
329                         $content['visible_css'] = $prefix . 'menu_invisible';
330                         break;
331
332                 default: // Please report this
333                         reportBug(__FUNCTION__, __LINE__, 'Unsupported visible value detected. content=<pre>' . print_r($content, TRUE) . '</pre>');
334                         break;
335         } // END - switch
336
337         // Translate 'locked' and keep an eye on the prefix
338         switch ($content['locked']) {
339                 case 'Y': // Should be locked, only admins can call this
340                         $content['locked_css'] = $prefix . 'menu_locked';
341                         break;
342
343                 case 'N': // Is unlocked and visible to members/guests/sponsors
344                         $content['locked_css'] = $prefix . 'menu_unlocked';
345                         break;
346
347                 default: // Please report this
348                         reportBug(__FUNCTION__, __LINE__, 'Unsupported locked value detected. content=<pre>' . print_r($content, TRUE) . '</pre>');
349                         break;
350         } // END - switch
351
352         // Return the resulting array
353         return $content;
354 }
355
356 // Generates an URL for the dereferer
357 function generateDereferrerUrl ($url) {
358         // Don't de-refer our own links!
359         if ((!empty($url)) && (substr($url, 0, strlen(getUrl())) != getUrl())) {
360                 // Encode URL
361                 $encodedUrl = encodeString(compileUriCode($url));
362
363                 // Generate hash
364                 $hash = generateHash($url . getSiteKey() . getDateKey());
365
366                 // Log plain URL and hash
367                 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'url=' . $url . ',hash=' . $hash . '(' . strlen($hash) . ')');
368
369                 // De-refer this URL
370                 $url = '{%url=modules.php?module=loader&amp;url=' . $encodedUrl . '&amp;hash=' . encodeHashForCookie($hash) . '&amp;salt=' . substr($hash, 0, getSaltLength()) . '%}';
371         } // END - if
372
373         // Return link
374         return $url;
375 }
376
377 // Generates an URL for the frametester
378 function generateFrametesterUrl ($url) {
379         // Prepare frametester URL
380         $frametesterUrl = sprintf("{%%url=modules.php?module=frametester&amp;url=%s%%}",
381                 encodeString(compileUriCode($url))
382         );
383
384         // Return the new URL
385         return $frametesterUrl;
386 }
387
388 // Count entries from e.g. a selection box
389 function countSelection ($array) {
390         // Integrity check
391         if (!is_array($array)) {
392                 // Not an array!
393                 reportBug(__FUNCTION__, __LINE__, 'No array provided.');
394         } // END - if
395
396         // Init count
397         $ret = '0';
398
399         // Count all entries
400         foreach ($array as $key => $selected) {
401                 // Is it checked?
402                 if (!empty($selected)) {
403                         // Yes, then count it
404                         $ret++;
405                 } // END - if
406         } // END - foreach
407
408         // Return counted selections
409         return $ret;
410 }
411
412 // Generates a timestamp (some wrapper for mktime())
413 function makeTime ($hours, $minutes, $seconds, $stamp) {
414         // Extract day, month and year from given timestamp
415         $days   = getDay($stamp);
416         $months = getMonth($stamp);
417         $years  = getYear($stamp);
418
419         // Create timestamp for wished time which depends on extracted date
420         return mktime(
421                 $hours,
422                 $minutes,
423                 $seconds,
424                 $months,
425                 $days,
426                 $years
427         );
428 }
429
430 // Redirects to an URL and if neccessarry extends it with own base URL
431 function redirectToUrl ($url, $allowSpider = TRUE) {
432         // Is the output mode -2?
433         if (isAjaxOutputMode()) {
434                 // This is always (!) an AJAX request and shall not be redirected
435                 return;
436         } // END - if
437
438         // Remove {%url=
439         if (substr($url, 0, 6) == '{%url=') {
440                 $url = substr($url, 6, -2);
441         } // END - if
442
443         // Compile out codes
444         eval('$url = "' . compileRawCode(encodeUrl($url)) . '";');
445
446         // Default 'rel' value is external, nofollow is evil from Google and hurts the Internet
447         $rel = ' rel="external"';
448
449         // Is there internal or external URL?
450         if (substr($url, 0, strlen(getUrl())) == getUrl()) {
451                 // Own (=internal) URL
452                 $rel = '';
453         } // END - if
454
455         // Three different ways to debug...
456         //* DEBUG: */ reportBug(__FUNCTION__, __LINE__, 'URL=' . $url);
457         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'URL=' . $url);
458         //* DEBUG: */ die($url);
459
460         // We should not sent a redirect if headers are already sent
461         if (!headers_sent()) {
462                 // Load URL when headers are not sent
463                 sendRawRedirect(doFinalCompilation(str_replace('&amp;', '&', $url), FALSE));
464         } else {
465                 // Output error message
466                 loadInclude('inc/header.php');
467                 loadTemplate('redirect_url', FALSE, str_replace('&amp;', '&', $url));
468                 loadInclude('inc/footer.php');
469         }
470
471         // Shut the mailer down here
472         doShutdown();
473 }
474
475 /************************************************************************
476  *                                                                      *
477  * Gaenderter Sortier-Algorythmus, $array wird nach dem Array (!)       *
478  * $a_sort sortiert:                                                    *
479  *                                                                      *
480  * $array - Das 3-dimensionale Array, das paralell sortiert werden soll *
481  * $a_sort - Array, das die Sortiereihenfolge der ersten Elementeben    *
482  * $primary_key - Primaerschl.ssel aus $a_sort, nach dem sortiert wird  *
483  * $order - Sortiereihenfolge: -1 = a-Z, 0 = keine, 1 = Z-a             *
484  * $nums - TRUE = Als Zahlen sortieren, FALSE = Als Zeichen sortieren   *
485  *                                                                      *
486  * $a_sort muss Elemente enthalten, deren Wert Schluessel von $array    *
487  * sind... Klingt kompliziert, suchen Sie mal mein Beispiel, dann sehen *
488  * Sie, dass es doch nicht so schwer ist! :-)                           *
489  *                                                                      *
490  ************************************************************************/
491 function array_pk_sort (&$array, $a_sort, $primary_key = '0', $order = -1, $nums = FALSE) {
492         $temporaryArray = $array;
493         while ($primary_key < count($a_sort)) {
494                 foreach ($temporaryArray[$a_sort[$primary_key]] as $key => $value) {
495                         foreach ($temporaryArray[$a_sort[$primary_key]] as $key2 => $value2) {
496                                 $match = FALSE;
497                                 if ($nums === FALSE) {
498                                         // Sort byte-by-byte (also numbers will be interpreted as chars! E.g.: "9" > "10")
499                                         if (($key != $key2) && (strcmp(strtolower($temporaryArray[$a_sort[$primary_key]][$key]), strtolower($temporaryArray[$a_sort[$primary_key]][$key2])) == $order)) $match = TRUE;
500                                 } elseif ($key != $key2) {
501                                         // Sort numbers (E.g.: 9 < 10)
502                                         if (($temporaryArray[$a_sort[$primary_key]][$key] < $temporaryArray[$a_sort[$primary_key]][$key2]) && ($order == -1)) $match = TRUE;
503                                         if (($temporaryArray[$a_sort[$primary_key]][$key] > $temporaryArray[$a_sort[$primary_key]][$key2]) && ($order ==  1)) $match = TRUE;
504                                 }
505
506                                 if ($match) {
507                                         // We have found two different values, so let's sort whole array
508                                         foreach ($temporaryArray as $sort_key => $sort_val) {
509                                                 $t                       = $temporaryArray[$sort_key][$key];
510                                                 $temporaryArray[$sort_key][$key]  = $temporaryArray[$sort_key][$key2];
511                                                 $temporaryArray[$sort_key][$key2] = $t;
512                                                 unset($t);
513                                         } // END - foreach
514                                 } // END - if
515                         } // END - foreach
516                 } // END - foreach
517
518                 // Count one up
519                 $primary_key++;
520         } // END - while
521
522         // Write back sorted array
523         $array = $temporaryArray;
524 }
525
526
527 //
528 // Deprecated : $length (still has one reference in this function)
529 // Optional   : $extraData
530 //
531 function generateRandomCode ($length, $code, $userid, $extraData = '') {
532         // Build server string
533         $server = $_SERVER['PHP_SELF'] . getEncryptSeparator() . detectUserAgent() . getEncryptSeparator() . getenv('SERVER_SOFTWARE') . getEncryptSeparator() . detectRealIpAddress() . getEncryptSeparator() . detectRemoteAddr();
534
535         // Build key string
536         $keys = getSiteKey() . getEncryptSeparator() . getDateKey();
537         if (isConfigEntrySet('secret_key')) {
538                 $keys .= getEncryptSeparator() . getSecretKey();
539         } // END - if
540         if (isConfigEntrySet('file_hash')) {
541                 $keys .= getEncryptSeparator() . getFileHash();
542         } // END - if
543         $keys .= getEncryptSeparator() . getDateFromRepository();
544         if (isConfigEntrySet('master_salt')) {
545                 $keys .= getEncryptSeparator() . getMasterSalt();
546         } // END - if
547
548         // Build string from misc data
549         $data  = $code . getEncryptSeparator() . $userid . getEncryptSeparator() . $extraData;
550
551         // Add more additional data
552         if (isSessionVariableSet('u_hash')) {
553                 $data .= getEncryptSeparator() . getSession('u_hash');
554         } // END - if
555
556         // Add referral id, language, theme and userid
557         $data .= getEncryptSeparator() . determineReferralId();
558         $data .= getEncryptSeparator() . getLanguage();
559         $data .= getEncryptSeparator() . getCurrentTheme();
560         $data .= getEncryptSeparator() . getMemberId();
561
562         // Calculate number for generating the code
563         $a = $code + getConfig('_ADD') - 1;
564
565         if (isConfigEntrySet('master_salt')) {
566                 // Generate hash with master salt from modula of number with the prime number and other data
567                 $saltedHash = generateHash(($a % getPrime()) . getEncryptSeparator() . $server . getEncryptSeparator() . $keys . getEncryptSeparator() . $data . getEncryptSeparator() . getDateKey() . getEncryptSeparator() . $a, getMasterSalt());
568         } else {
569                 // Generate hash with "hash of site key" from modula of number with the prime number and other data
570                 $saltedHash = generateHash(($a % getPrime()) . getEncryptSeparator() . $server . getEncryptSeparator() . $keys . getEncryptSeparator() . $data . getEncryptSeparator() . getDateKey() . getEncryptSeparator() . $a, substr(sha1(getSiteKey()), 0, getSaltLength()));
571         }
572
573         // Create number from hash
574         $rcode = hexdec(substr($saltedHash, getSaltLength(), 9)) / abs(getRandNo() - $a + sqrt(getConfig('_ADD'))) / pi();
575
576         // At least 10 numbers shall be secure enought!
577         if (isExtensionActive('other')) {
578                 $len = getCodeLength();
579         } else {
580                 $len = $length;
581         } // END - if
582
583         // Smaller 1 is not okay
584         if ($len < 1) {
585                 // Fix it to 10
586                 $len = 10;
587         } // END - if
588
589         // Cut off requested counts of number, but skip first digit (which is mostly a zero)
590         $return = substr($rcode, (strpos($rcode, '.') + 1), $len);
591
592         // Done building code
593         return $return;
594 }
595
596 // Does only allow numbers
597 function bigintval ($num, $castValue = TRUE, $abortOnMismatch = TRUE) {
598         //* DEBUG: */ debugOutput('[' . __FUNCTION__ . ':' . __LINE__ . '] ' . 'num=' . $num . ',castValue=' . intval($castValue) . ',abortOnMismatch=' . intval($abortOnMismatch) . ' - ENTERED!');
599         // Filter all non-number chars out, so only number chars will remain
600         $ret = preg_replace('/[^0123456789]/', '', $num);
601
602         // Shall we cast?
603         if ($castValue === TRUE) {
604                 // Cast to biggest numeric type
605                 $ret = (double) $ret;
606         } // END - if
607
608         // Has the whole value changed?
609         if (('' . $ret . '' != '' . $num . '') && ($abortOnMismatch === TRUE) && (!is_null($num))) {
610                 // Log the values
611                 reportBug(__FUNCTION__, __LINE__, 'Problem with number found. ret[' . gettype($ret) . ']=' . $ret . ', num[' . gettype($num) . ']='. $num);
612         } // END - if
613
614         // Return result
615         //* DEBUG: */ debugOutput('[' . __FUNCTION__ . ':' . __LINE__ . '] ' . 'num=' . $num . ',castValue=' . intval($castValue) . ',abortOnMismatch=' . intval($abortOnMismatch) . ',ret=' . $ret . ' - EXIT!');
616         return $ret;
617 }
618
619 // Creates a Uni* timestamp from given selection data and prefix
620 function createEpocheTimeFromSelections ($prefix, $postData) {
621         // Initial return value
622         $ret = '0';
623
624         // Is there a leap year?
625         $SWITCH = '0';
626         $TEST = getYear() / 4;
627         $M1   = getMonth();
628
629         // If so and if current time is before 02/29 and estimated time is after 02/29 then add 86400 seconds (one day)
630         // 01     2     2         1    1           1    123     4                          43    3                                 32    233    4                          43    3                                 3210
631         if ((floor($TEST) == $TEST) && ($M1 == '02') && (((isset($postData[$prefix . '_mo'])) && ($postData[$prefix . '_mo'] > '02')) || ((isset($postData[$prefix . '_mn'])) && ($postData[$prefix . '_mn'] > '02')))) {
632                 $SWITCH = getOneDay();
633         } // END - if
634
635         // First add years...
636         $ret += $postData[$prefix . '_ye'] * (31536000 + $SWITCH);
637
638         // Next months...
639         if (isset($postData[$prefix . '_mo'])) {
640                 $ret += $postData[$prefix . '_mo'] * 2628000;
641         } elseif (isset($postData[$prefix . '_mn'])) {
642                 $ret += $postData[$prefix . '_mn'] * 2628000;
643         }
644
645         // Next weeks
646         $ret += $postData[$prefix . '_we'] * 604800;
647
648         // Next days...
649         $ret += $postData[$prefix . '_da'] * 86400;
650
651         // Next hours...
652         $ret += $postData[$prefix . '_ho'] * 3600;
653
654         // Next minutes..
655         $ret += $postData[$prefix . '_mi'] * 60;
656
657         // And at last seconds...
658         $ret += $postData[$prefix . '_se'];
659
660         // Return calculated value
661         return $ret;
662 }
663
664 // Creates a 'fancy' human-readable timestamp from a Uni* stamp
665 function createFancyTime ($stamp) {
666         // Get data array with years/months/weeks/days/...
667         $data = createTimeSelections($stamp, '', '', '', TRUE);
668         $ret = '';
669         foreach ($data as $k => $v) {
670                 if ($v > 0) {
671                         // Value is greater than 0 "eval" data to return string
672                         $ret .= ', ' . $v . ' {%pipe,translateTimeUnit=' . $k . '%}';
673                         break;
674                 } // END - if
675         } // END - foreach
676
677         // Is something there?
678         if (!empty($ret)) {
679                 // Remove leading commata and space
680                 $ret = substr($ret, 2);
681         } else {
682                 // Zero seconds
683                 $ret = '0 {--TIME_UNIT_SECOND--}';
684         }
685
686         // Return fancy time string
687         return $ret;
688 }
689
690 // Taken from www.php.net isInStringIgnoreCase() user comments
691 function isEmailValid ($email) {
692         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'email=' . $email . ' - ENTERED!');
693
694         // Is there cache?
695         if (!isset($GLOBALS[__FUNCTION__][$email])) {
696                 // Check first part of email address
697                 $first = '[-a-z0-9!#$%&\'*+/=?^_<{|}~]+(\.[-a-zA-Z0-9!#$%&\'*+/=?^_<{|}~]+)*';
698
699                 //  Check domain
700                 $domain = '[a-z0-9-]+(\.[a-z0-9-]{2,5})+';
701
702                 // Generate pattern
703                 $regex = '@^' . $first . '\@' . $domain . '$@iU';
704
705                 // Determine it
706                 $GLOBALS[__FUNCTION__][$email] = (($email != getMessage('DEFAULT_WEBMASTER')) && (preg_match($regex, $email)));
707         } // END - if
708
709         // Return check result
710         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'email=' . $email . ',isValid=' . intval($GLOBALS[__FUNCTION__][$email]) . ' - EXIT!');
711         return $GLOBALS[__FUNCTION__][$email];;
712 }
713
714 // Function taken from user comments on www.php.net / function isInStringIgnoreCase()
715 function isUrlValid ($url, $compile = TRUE) {
716         // Trim URL a little
717         $url = trim(urldecode($url));
718         //* DEBUG: */ debugOutput($url);
719
720         // Compile some chars out...
721         if ($compile === TRUE) {
722                 $url = compileUriCode($url, FALSE, FALSE, FALSE);
723         } // END - if
724         //* DEBUG: */ debugOutput($url);
725
726         // Check for the extension filter
727         if (isExtensionActive('filter')) {
728                 // Use the extension's filter set
729                 return FILTER_VALIDATE_URL($url, FALSE);
730         } // END - if
731
732         /*
733          * If not installed, perform a simple test. Just make it sure there is always a
734          * http:// or https:// in front of the URLs.
735          */
736         return isUrlValidSimple($url);
737 }
738
739 // Generate a hash for extra-security for all passwords
740 function generateHash ($plainText, $salt = '', $hash = TRUE) {
741         // Debug output
742         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'plainText('.strlen($plainText).')=' . $plainText . ',salt('.strlen($salt).')=' . $salt . ',hash=' . intval($hash));
743
744         // Is the required extension 'sql_patches' there and a salt is not given?
745         // 123                            4                      43    3     4     432    2                  3             32    2                             3                32    2      3     3      21
746         if (((isExtensionInstalledAndOlder('sql_patches', '0.3.6')) && (empty($salt))) || (!isExtensionActive('sql_patches')) || (!isExtensionInstalledAndNewer('other', '0.2.5')) || (strlen($salt) == 32)) {
747                 // Extension ext-sql_patches is missing/outdated so we hash the plain text with MD5
748                 if ($hash === TRUE) {
749                         // Is plain password
750                         return md5($plainText);
751                 } else {
752                         // Is already a hash
753                         return $plainText;
754                 }
755         } // END - if
756
757         // Is an arry element missing here?
758         if (!isConfigEntrySet('file_hash')) {
759                 // Stop here
760                 reportBug(__FUNCTION__, __LINE__, 'Missing file_hash in ' . __FUNCTION__ . '.');
761         } // END - if
762
763         // When the salt is empty build a new one, else use the first x configured characters as the salt
764         if (empty($salt)) {
765                 // Build server string for more entropy
766                 $server = $_SERVER['PHP_SELF'] . getEncryptSeparator() . detectUserAgent() . getEncryptSeparator() . getenv('SERVER_SOFTWARE') . getEncryptSeparator() . detectRealIpAddress() . getEncryptSeparator() . detectRemoteAddr();
767
768                 // Build key string
769                 $keys   = getSiteKey() . getEncryptSeparator() . getDateKey() . getEncryptSeparator() . getSecretKey() . getEncryptSeparator() . getFileHash() . getEncryptSeparator() . getDateFromRepository() . getEncryptSeparator() . getMasterSalt();
770
771                 // Additional data
772                 $data = $plainText . getEncryptSeparator() . uniqid(mt_rand(), TRUE) . getEncryptSeparator() . time();
773
774                 // Calculate number for generating the code
775                 $a = time() + getConfig('_ADD') - 1;
776
777                 // Generate SHA1 sum from modula of number and the prime number
778                 $sha1 = sha1(($a % getPrime()) . $server . getEncryptSeparator() . $keys . getEncryptSeparator() . $data . getEncryptSeparator() . getDateKey() . getEncryptSeparator() . $a);
779                 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'SHA1=' . $sha1.' ('.strlen($sha1).')');
780                 $sha1 = scrambleString($sha1);
781                 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'Scrambled=' . $sha1.' ('.strlen($sha1).')');
782                 //* DEBUG: */ $sha1b = descrambleString($sha1);
783                 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'Descrambled=' . $sha1b.' ('.strlen($sha1b).')');
784
785                 // Generate the password salt string
786                 $salt = substr($sha1, 0, getSaltLength());
787                 //* DEBUG: */ debugOutput($salt.' ('.strlen($salt).')');
788         } else {
789                 // Use given salt
790                 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'salt=' . $salt);
791                 $salt = substr($salt, 0, getSaltLength());
792                 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'salt=' . $salt . '(' . strlen($salt) . '/' . getSaltLength() . ')');
793
794                 // Sanity check on salt
795                 if (strlen($salt) != getSaltLength()) {
796                         // Not the same!
797                         reportBug(__FUNCTION__, __LINE__, 'salt length mismatch! (' . strlen($salt) . '/' . getSaltLength() . ')');
798                 } // END - if
799         }
800
801         // Generate final hash (for debug output)
802         $finalHash = $salt . sha1($salt . $plainText);
803
804         // Debug output
805         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'finalHash('.strlen($finalHash).')=' . $finalHash);
806
807         // Return hash
808         return $finalHash;
809 }
810
811 // Scramble a string
812 function scrambleString ($str) {
813         // Init
814         $scrambled = '';
815
816         // Final check, in case of failure it will return unscrambled string
817         if (strlen($str) > 40) {
818                 // The string is to long
819                 return $str;
820         } elseif (strlen($str) == 40) {
821                 // From database
822                 $scrambleNums = explode(':', getPassScramble());
823         } else {
824                 // Generate new numbers
825                 $scrambleNums = explode(':', genScrambleString(strlen($str)));
826         }
827
828         // Compare both lengths and abort if different
829         if (strlen($str) != count($scrambleNums)) {
830                 return $str;
831         } // END - if
832
833         // Scramble string here
834         //* DEBUG: */ debugOutput('***Original=' . $str.'***<br />');
835         for ($idx = 0; $idx < strlen($str); $idx++) {
836                 // Get char on scrambled position
837                 $char = substr($str, $scrambleNums[$idx], 1);
838
839                 // Add it to final output string
840                 $scrambled .= $char;
841         } // END - for
842
843         // Return scrambled string
844         //* DEBUG: */ debugOutput('***Scrambled=' . $scrambled.'***<br />');
845         return $scrambled;
846 }
847
848 // De-scramble a string scrambled by scrambleString()
849 function descrambleString ($str) {
850         // Scramble only 40 chars long strings
851         if (strlen($str) != 40) {
852                 return $str;
853         } // END - if
854
855         // Load numbers from config
856         $scrambleNums = explode(':', getPassScramble());
857
858         // Validate numbers
859         if (count($scrambleNums) != 40) {
860                 return $str;
861         } // END - if
862
863         // Begin descrambling
864         $orig = str_repeat(' ', 40);
865         //* DEBUG: */ debugOutput('+++Scrambled=' . $str.'+++<br />');
866         for ($idx = 0; $idx < 40; $idx++) {
867                 $char = substr($str, $idx, 1);
868                 $orig = substr_replace($orig, $char, $scrambleNums[$idx], 1);
869         } // END - for
870
871         // Return scrambled string
872         //* DEBUG: */ debugOutput('+++Original=' . $orig.'+++<br />');
873         return $orig;
874 }
875
876 // Generated a "string" for scrambling
877 function genScrambleString ($len) {
878         // Prepare array for the numbers
879         $scrambleNumbers = array();
880
881         // First we need to setup randomized numbers from 0 to 31
882         for ($idx = 0; $idx < $len; $idx++) {
883                 // Generate number
884                 $rand = mt_rand(0, ($len - 1));
885
886                 // Check for it by creating more numbers
887                 while (array_key_exists($rand, $scrambleNumbers)) {
888                         $rand = mt_rand(0, ($len - 1));
889                 } // END - while
890
891                 // Add number
892                 $scrambleNumbers[$rand] = $rand;
893         } // END - for
894
895         // So let's create the string for storing it in database
896         $scrambleString = implode(':', $scrambleNumbers);
897         return $scrambleString;
898 }
899
900 // Generate an PGP-like encrypted hash of given hash for e.g. cookies
901 function encodeHashForCookie ($passHash) {
902         // Return vanilla password hash
903         $ret = $passHash;
904
905         // Is a secret key and master salt already initialized?
906         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, intval(isExtensionInstalled('sql_patches')) . '/' . intval(isConfigEntrySet('_PRIME')) . '/' . intval(isConfigEntrySet('secret_key')) . '/' . intval(isConfigEntrySet('master_salt')));
907         if ((isExtensionInstalled('sql_patches')) && (isConfigEntrySet('_PRIME')) && (isConfigEntrySet('secret_key')) && (isConfigEntrySet('master_salt'))) {
908                 // Only calculate when the secret key is generated
909                 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, strlen($passHash) . '/' . strlen(getSecretKey()));
910                 if ((strlen($passHash) != 49) || (strlen(getSecretKey()) != 40)) {
911                         // Both keys must have same length so return unencrypted
912                         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, strlen($passHash) . '!=49/' . strlen(getSecretKey()) . '!=40 -  EXIT!');
913                         return $ret;
914                 } // END - if
915
916                 $newHash = ''; $start = 9;
917                 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'passHash=' . $passHash . '(' . strlen($passHash) . ')');
918                 for ($idx = 0; $idx < 20; $idx++) {
919                         // Get hash parts and convert them (00-FF) to matching ASCII value (0-255)
920                         $part1 = hexdec(substr($passHash     , $start, 2));
921                         $part2 = hexdec(substr(getSecretKey(), $start, 2));
922
923                         // Default is hexadecimal of index if both are same
924                         $mod = dechex($idx);
925                         // Is part1 larger or part2 than its counter part?
926                         if ($part1 > $part2) {
927                                 // part1 is larger
928                                 $mod = dechex(sqrt(($part1 - $part2) * getPrime() / pi()));
929                         } elseif ($part2 > $part1) {
930                                 // part2 is larger
931                                 $mod = dechex(sqrt(($part2 - $part1) * getPrime() / pi()));
932                         }
933
934                         $mod = substr($mod, 0, 2);
935                         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'idx=' . $idx . ',part1=' . $part1 . '/part2=' . $part2 . '/mod=' . $mod . '(' . strlen($mod) . ')');
936                         $mod = padLeftZero($mod);
937                         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'mod(' . ($idx * 2) . ')=' . $mod . '*');
938                         $start += 2;
939                         $newHash .= $mod;
940                 } // END - for
941
942                 // Just copy it over, as the master salt is not really helpful here
943                 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, $passHash . '(' . strlen($passHash) . '),' . $newHash . ' (' . strlen($newHash) . ')');
944                 $ret = $newHash;
945         } // END - if
946
947         // Return result
948         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'ret=' . $ret . '');
949         return $ret;
950 }
951
952 // Fix "deleted" cookies
953 function fixDeletedCookies ($cookies) {
954         // Is this an array with entries?
955         if (isFilledArray($cookies)) {
956                 // Then check all cookies if they are marked as deleted!
957                 foreach ($cookies as $cookieName) {
958                         // Is the cookie set to "deleted"?
959                         if (getSession($cookieName) == 'deleted') {
960                                 setSession($cookieName, '');
961                         } // END - if
962                 } // END - foreach
963         } // END - if
964 }
965
966 // Checks if a given apache module is loaded
967 function isApacheModuleLoaded ($apacheModule) {
968         // Check it and return result
969         return (((function_exists('apache_get_modules')) && (in_array($apacheModule, apache_get_modules()))) || (!function_exists('apache_get_modules')));
970 }
971
972 // Get current theme name
973 function getCurrentTheme () {
974         // The default theme is 'default'... ;-)
975         $ret = 'default';
976
977         // Is there ext-theme installed and active or is 'theme' in URL or POST data?
978         if (isExtensionActive('theme')) {
979                 // Call inner method
980                 $ret = getActualTheme();
981         } elseif ((isPostRequestElementSet('theme')) && (isIncludeReadable(sprintf("theme/%s/theme.php", postRequestElement('theme'))))) {
982                 // Use value from POST data
983                 $ret = postRequestElement('theme');
984         } elseif ((isGetRequestElementSet('theme')) && (isIncludeReadable(sprintf("theme/%s/theme.php", getRequestElement('theme'))))) {
985                 // Use value from GET data
986                 $ret = getRequestElement('theme');
987         } elseif ((isMailerThemeSet()) && (isIncludeReadable(sprintf("theme/%s/theme.php", getMailerTheme())))) {
988                 // Use value from GET data
989                 $ret = getMailerTheme();
990         }
991
992         // Return theme value
993         return $ret;
994 }
995
996 // Generates an error code from given account status
997 function generateErrorCodeFromUserStatus ($status = '') {
998         // If no status is provided, use the default, cached
999         if ((empty($status)) && (isMember())) {
1000                 // Get user status
1001                 $status = getUserData('status');
1002         } // END - if
1003
1004         // Default error code if unknown account status
1005         $errorCode = getCode('ACCOUNT_UNKNOWN');
1006
1007         // Generate constant name
1008         $codeName = sprintf("ACCOUNT_%s", strtoupper($status));
1009
1010         // Is the constant there?
1011         if (isCodeSet($codeName)) {
1012                 // Then get it!
1013                 $errorCode = getCode($codeName);
1014         } else {
1015                 // Unknown status
1016                 logDebugMessage(__FUNCTION__, __LINE__, sprintf("Unknown error status %s detected.", $status));
1017         }
1018
1019         // Return error code
1020         return $errorCode;
1021 }
1022
1023 // Back-ported from the new ship-simu engine. :-)
1024 function debug_get_printable_backtrace () {
1025         // Init variable
1026         $backtrace = '<ol>';
1027
1028         // Get and prepare backtrace for output
1029         $backtraceArray = debug_backtrace();
1030         foreach ($backtraceArray as $key => $trace) {
1031                 if (!isset($trace['file'])) $trace['file'] = __FUNCTION__;
1032                 if (!isset($trace['line'])) $trace['line'] = __LINE__;
1033                 if (!isset($trace['args'])) $trace['args'] = array();
1034                 $backtrace .= '<li class="debug_list"><span class="backtrace_file">' . basename($trace['file']) . '</span>:' . $trace['line'] . ', <span class="backtrace_function">' . $trace['function'] . '(' . count($trace['args']) . ')</span></li>';
1035         } // END - foreach
1036
1037         // Close it
1038         $backtrace .= '</ol>';
1039
1040         // Return the backtrace
1041         return $backtrace;
1042 }
1043
1044 // A mail-able backtrace
1045 function debug_get_mailable_backtrace () {
1046         // Init variable
1047         $backtrace = '';
1048
1049         // Get and prepare backtrace for output
1050         $backtraceArray = debug_backtrace();
1051         foreach ($backtraceArray as $key => $trace) {
1052                 if (!isset($trace['file'])) $trace['file'] = __FUNCTION__;
1053                 if (!isset($trace['line'])) $trace['line'] = __LINE__;
1054                 if (!isset($trace['args'])) $trace['args'] = array();
1055                 $backtrace .= ($key+1) . '.:' . basename($trace['file']) . ':' . $trace['line'] . ', ' . $trace['function'] . '(' . count($trace['args']) . ")\n";
1056         } // END - foreach
1057
1058         // Return the backtrace
1059         return $backtrace;
1060 }
1061
1062 // Generates a ***weak*** seed
1063 function generateSeed () {
1064         return microtime(TRUE) * 100000;
1065 }
1066
1067 // Converts a message code to a human-readable message
1068 function getMessageFromErrorCode ($code) {
1069         // Default is an unknown error code
1070         $message = '{%message,UNKNOWN_ERROR_CODE=' . $code . '%}';
1071
1072         // Which code is provided?
1073         switch ($code) {
1074                 case '':
1075                         // No error code is bad coding practice
1076                         reportBug(__FUNCTION__, __LINE__, 'Empty error code supplied. Please fix your code.');
1077                         break;
1078
1079                 // All error messages
1080                 case getCode('LOGOUT_DONE')         : $message = '{--LOGOUT_DONE--}'; break;
1081                 case getCode('LOGOUT_FAILED')       : $message = '<span class="bad">{--LOGOUT_FAILED--}</span>'; break;
1082                 case getCode('DATA_INVALID')        : $message = '{--MAIL_DATA_INVALID--}'; break;
1083                 case getCode('POSSIBLE_INVALID')    : $message = '{--MAIL_POSSIBLE_INVALID--}'; break;
1084                 case getCode('USER_404')            : $message = '{--USER_404--}'; break;
1085                 case getCode('STATS_404')           : $message = '{--MAIL_STATS_404--}'; break;
1086                 case getCode('ALREADY_CONFIRMED')   : $message = '{--MAIL_ALREADY_CONFIRMED--}'; break;
1087                 case getCode('BEG_SAME_AS_OWN')     : $message = '{--BEG_SAME_USERID_AS_OWN--}'; break;
1088                 case getCode('LOGIN_FAILED')        : $message = '{--GUEST_LOGIN_FAILED_GENERAL--}'; break;
1089                 case getCode('MODULE_MEMBER_ONLY')  : $message = '{%message,MODULE_MEMBER_ONLY=' . getRequestElement('mod') . '%}'; break;
1090                 case getCode('OVERLENGTH')          : $message = '{--MEMBER_TEXT_OVERLENGTH--}'; break;
1091                 case getCode('URL_FOUND')           : $message = '{--MEMBER_TEXT_CONTAINS_URL--}'; break;
1092                 case getCode('SUBJECT_URL')         : $message = '{--MEMBER_SUBJECT_CONTAINS_URL--}'; break;
1093                 case getCode('BLIST_URL')           : $message = '{--MEMBER_URL_BLACK_LISTED--}<br />{--MEMBER_BLIST_TIME--}: ' . generateDateTime(getRequestElement('blist'), 0); break;
1094                 case getCode('NO_RECS_LEFT')        : $message = '{--MEMBER_SELECTED_MORE_RECS--}'; break;
1095                 case getCode('INVALID_TAGS')        : $message = '{--MEMBER_HTML_INVALID_TAGS--}'; break;
1096                 case getCode('MORE_POINTS')         : $message = '{--MEMBER_MORE_POINTS_NEEDED--}'; break;
1097                 case getCode('MORE_RECEIVERS1')     : $message = '{--MEMBER_ENTER_MORE_RECEIVERS--}'; break;
1098                 case getCode('MORE_RECEIVERS2')     : $message = '{--MEMBER_NO_MORE_RECEIVERS_FOUND--}'; break;
1099                 case getCode('MORE_RECEIVERS3')     : $message = '{--MEMBER_ENTER_MORE_MIN_RECEIVERS--}'; break;
1100                 case getCode('INVALID_URL')         : $message = '{--MEMBER_ENTER_INVALID_URL--}'; break;
1101                 case getCode('NO_MAIL_TYPE')        : $message = '{--MEMBER_NO_MAIL_TYPE_SELECTED--}'; break;
1102                 case getCode('PROFILE_UPDATED')     : $message = '{--MEMBER_PROFILE_UPDATED--}'; break;
1103                 case getCode('UNKNOWN_REDIRECT')    : $message = '{--UNKNOWN_REDIRECT_VALUE--}'; break;
1104                 case getCode('WRONG_PASS')          : $message = '{--LOGIN_WRONG_PASS--}'; break;
1105                 case getCode('WRONG_ID')            : $message = '{--LOGIN_WRONG_ID--}'; break;
1106                 case getCode('ACCOUNT_LOCKED')      : $message = '{--LOGIN_STATUS_LOCKED--}'; break;
1107                 case getCode('ACCOUNT_UNCONFIRMED') : $message = '{--LOGIN_STATUS_UNCONFIRMED--}'; break;
1108                 case getCode('COOKIES_DISABLED')    : $message = '{--LOGIN_COOKIES_DISABLED--}'; break;
1109                 case getCode('UNKNOWN_ERROR')       : $message = '{--LOGIN_UNKNOWN_ERROR--}'; break;
1110                 case getCode('UNKNOWN_STATUS')      : $message = '{--LOGIN_UNKNOWN_STATUS--}'; break;
1111                 case getCode('LOGIN_EMPTY_ID')      : $message = '{--LOGIN_ID_IS_EMPTY--}'; break;
1112                 case getCode('LOGIN_EMPTY_PASSWORD'): $message = '{--LOGIN_PASSWORD_IS_EMPTY--}'; break;
1113
1114                 case getCode('ERROR_MAILID'):
1115                         if (isExtensionActive('mailid', TRUE)) {
1116                                 $message = '{--ERROR_CONFIRMING_MAIL--}';
1117                         } else {
1118                                 $message = '{%pipe,generateExtensionInactiveNotInstalledMessage=mailid%}';
1119                         }
1120                         break;
1121
1122                 case getCode('EXTENSION_PROBLEM'):
1123                         if (isGetRequestElementSet('ext')) {
1124                                 $message = '{%pipe,generateExtensionInactiveNotInstalledMessage=' . getRequestElement('ext') . '%}';
1125                         } else {
1126                                 $message = '{--EXTENSION_PROBLEM_UNSET_EXT--}';
1127                         }
1128                         break;
1129
1130                 case getCode('URL_TIME_LOCK'):
1131                         // Load timestamp from last order
1132                         $content = getPoolDataFromId(getRequestElement('id'));
1133
1134                         // Translate it for templates
1135                         $content['timestamp'] = generateDateTime($content['timestamp'], 1);
1136
1137                         // Calculate hours...
1138                         $content['hours'] = round(getUrlTlock() / 60 / 60);
1139
1140                         // Minutes...
1141                         $content['minutes'] = round((getUrlTlock() - $content['hours'] * 60 * 60) / 60);
1142
1143                         // And seconds
1144                         $content['seconds'] = round(getUrlTlock() - $content['hours'] * 60 * 60 - $content['minutes'] * 60);
1145
1146                         // Finally contruct the message
1147                         $message = loadTemplate('tlock_message', TRUE, $content);
1148                         break;
1149
1150                 default:
1151                         // Log missing/invalid error codes
1152                         logDebugMessage(__FUNCTION__, __LINE__, getMessage('UNKNOWN_MAILID_CODE', $code));
1153                         break;
1154         } // END - switch
1155
1156         // Return the message
1157         return $message;
1158 }
1159
1160 // Function taken from user comments on www.php.net / function isInStringIgnoreCase()
1161 function isUrlValidSimple ($url) {
1162         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'url=' . $url . ' - ENTERED!');
1163         // Prepare URL
1164         $url = secureString(str_replace(chr(92), '', compileRawCode(urldecode($url))));
1165
1166         // Allows http and https
1167         $http      = "(http|https)+(:\/\/)";
1168         // Test domain
1169         $domain1   = "([[:alnum:]]([-[:alnum:]])*\.)?([[:alnum:]][-[:alnum:]\.]*[[:alnum:]])(\.[[:alpha:]]{2,5})?";
1170         // Test double-domains (e.g. .de.vu)
1171         $domain2   = "([-[:alnum:]])?(\.[[:alnum:]][-[:alnum:]\.]*[[:alnum:]])(\.[[:alpha:]]{2,5})(\.[[:alpha:]]{2,5})?";
1172         // Test IP number
1173         $ip        = "([[:digit:]]{1,3})\.([[:digit:]]{1,3})\.([[:digit:]]{1,3})\.([[:digit:]]{1,3})";
1174         // ... directory
1175         $dir       = "((/)+([-_\.[:alnum:]])+)*";
1176         // ... page
1177         $page      = "/([-_[:alnum:]][-\._[:alnum:]]*\.[[:alnum:]]{2,5})?";
1178         // ... and the string after and including question character
1179         $getstring1 = "([\?/]([[:alnum:]][-\._%[:alnum:]]*(=)?([-\@\._:%[:alnum:]])+)(&([[:alnum:]]([-_%[:alnum:]])*(=)?([-\@\[\._:%[:alnum:]])+(\])*))*)?";
1180         // Pattern for URLs like http://url/dir/doc.html?var=value
1181         $pattern['d1dpg1']  = $http . $domain1 . $dir . $page . $getstring1;
1182         $pattern['d2dpg1']  = $http . $domain2 . $dir . $page . $getstring1;
1183         $pattern['ipdpg1']  = $http . $ip . $dir . $page . $getstring1;
1184         // Pattern for URLs like http://url/dir/?var=value
1185         $pattern['d1dg1']  = $http . $domain1 . $dir.'/' . $getstring1;
1186         $pattern['d2dg1']  = $http . $domain2 . $dir.'/' . $getstring1;
1187         $pattern['ipdg1']  = $http . $ip . $dir.'/' . $getstring1;
1188         // Pattern for URLs like http://url/dir/page.ext
1189         $pattern['d1dp']  = $http . $domain1 . $dir . $page;
1190         $pattern['d1dp']  = $http . $domain2 . $dir . $page;
1191         $pattern['ipdp']  = $http . $ip . $dir . $page;
1192         // Pattern for URLs like http://url/dir
1193         $pattern['d1d']  = $http . $domain1 . $dir;
1194         $pattern['d2d']  = $http . $domain2 . $dir;
1195         $pattern['ipd']  = $http . $ip . $dir;
1196         // Pattern for URLs like http://url/?var=value
1197         $pattern['d1g1']  = $http . $domain1 . '/' . $getstring1;
1198         $pattern['d2g1']  = $http . $domain2 . '/' . $getstring1;
1199         $pattern['ipg1']  = $http . $ip . '/' . $getstring1;
1200         // Pattern for URLs like http://url?var=value
1201         $pattern['d1g12']  = $http . $domain1 . $getstring1;
1202         $pattern['d2g12']  = $http . $domain2 . $getstring1;
1203         $pattern['ipg12']  = $http . $ip . $getstring1;
1204
1205         // Test all patterns
1206         $reg = FALSE;
1207         foreach ($pattern as $key => $pat) {
1208                 // Debug regex?
1209                 if (isDebugRegularExpressionEnabled()) {
1210                         // @TODO Are these convertions still required?
1211                         $pat = str_replace('.', '&#92;&#46;', $pat);
1212                         $pat = str_replace('@', '&#92;&#64;', $pat);
1213                         //* DEBUG: */ debugOutput($key . '=&nbsp;' . $pat);
1214                 } // END - if
1215
1216                 // Check if expression matches
1217                 $reg = ($reg || preg_match(('^' . $pat . '^'), $url));
1218
1219                 // Does it match?
1220                 if ($reg === TRUE) {
1221                         break;
1222                 } // END - if
1223         } // END - foreach
1224
1225         // Return true/false
1226         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'url=' . $url . ',reg=' . intval($reg) . ' - EXIT!');
1227         return $reg;
1228 }
1229
1230 // Wtites data to a config.php-style file
1231 // @TODO Rewrite this function to use readFromFile() and writeToFile()
1232 function changeDataInFile ($FQFN, $comment, $prefix, $suffix, $inserted, $seek = 0) {
1233         // Initialize some variables
1234         $done = FALSE;
1235         $seek++;
1236         $next  = -1;
1237         $found = FALSE;
1238
1239         // Is the file there and read-/write-able?
1240         if ((isFileReadable($FQFN)) && (is_writeable($FQFN))) {
1241                 $search = 'CFG: ' . $comment;
1242                 $tmp = $FQFN . '.tmp';
1243
1244                 // Open the source file
1245                 $fp = fopen($FQFN, 'r') or reportBug(__FUNCTION__, __LINE__, 'Cannot read. file=' . basename($FQFN));
1246
1247                 // Is the resource valid?
1248                 if (is_resource($fp)) {
1249                         // Open temporary file
1250                         $fp_tmp = fopen($tmp, 'w') or reportBug(__FUNCTION__, __LINE__, 'Cannot write. tmp=' . basename($tmp) . ',file=' . $FQFN);
1251
1252                         // Is the resource again valid?
1253                         if (is_resource($fp_tmp)) {
1254                                 // Mark temporary file as readable
1255                                 $GLOBALS['file_readable'][$tmp] = TRUE;
1256
1257                                 // Start reading
1258                                 while (!feof($fp)) {
1259                                         // Read from source file
1260                                         $line = fgets($fp, 1024);
1261
1262                                         if (isInString($search, $line)) {
1263                                                 $next = '0';
1264                                                 $found = TRUE;
1265                                         } // END - if
1266
1267                                         if ($next > -1) {
1268                                                 if ($next === $seek) {
1269                                                         $next = -1;
1270                                                         $line = $prefix . $inserted . $suffix . PHP_EOL;
1271                                                 } else {
1272                                                         $next++;
1273                                                 }
1274                                         } // END - if
1275
1276                                         // Write to temp file
1277                                         fwrite($fp_tmp, $line);
1278                                 } // END - while
1279
1280                                 // Close temp file
1281                                 fclose($fp_tmp);
1282
1283                                 // Finished writing tmp file
1284                                 $done = TRUE;
1285                         } // END - if
1286
1287                         // Close source file
1288                         fclose($fp);
1289
1290                         if (($done === TRUE) && ($found === TRUE)) {
1291                                 // Copy back temporary->FQFN file and ...
1292                                 copyFileVerified($tmp, $FQFN, 0644);
1293
1294                                 // ... delete temporay file :-)
1295                                 return removeFile($tmp);
1296                         } elseif ($found === FALSE) {
1297                                 // Entry not found
1298                                 logDebugMessage(__FUNCTION__, __LINE__, 'File ' . basename($FQFN) . ' cannot be changed: comment=' . $comment . ',prefix=' . $prefix . ',inserted=' . $inserted . ',seek=' . $seek . ' - 404!');
1299                         } else {
1300                                 // Temporary file not fully written
1301                                 logDebugMessage(__FUNCTION__, __LINE__, 'File ' . basename($FQFN) . ' cannot be changed: comment=' . $comment . ',prefix=' . $prefix . ',inserted=' . $inserted . ',seek=' . $seek . ' - Temporary file unfinished!');
1302                         }
1303                 }
1304         } else {
1305                 // File not found, not readable or writeable
1306                 reportBug(__FUNCTION__, __LINE__, 'File not readable/writeable. file=' . basename($FQFN) . ',comment=' . $comment . ',prefix=' . $prefix . ',inserted=' . $inserted . ',seek=' . $seek);
1307         }
1308
1309         // An error was detected!
1310         return FALSE;
1311 }
1312
1313 // Debug message logger
1314 function logDebugMessage ($funcFile, $line, $message, $force=true) {
1315         // Is debug mode enabled?
1316         if ((isDebugModeEnabled()) || ($force === TRUE)) {
1317                 // Remove CRLF
1318                 $message = str_replace(array(chr(13), PHP_EOL), array('', ''), $message);
1319
1320                 // Log this message away
1321                 appendLineToFile(getPath() . getCachePath() . 'debug.log', generateDateTime(time(), '4') . '|' . getModule(FALSE) . ':' . getExtraModule() . '|' . basename($funcFile) . '|' . $line . '|' . $message);
1322         } // END - if
1323 }
1324
1325 // Handle extra values
1326 function handleExtraValues ($filterFunction, $value, $extraValue) {
1327         // Default is the value itself
1328         $ret = $value;
1329
1330         // Is there a special filter function?
1331         if ((empty($filterFunction)) || (!function_exists($filterFunction))) {
1332                 // Call-back function does not exist or is empty
1333                 reportBug(__FUNCTION__, __LINE__, 'Filter function ' . $filterFunction . ' does not exist or is empty: value[' . gettype($value) . ']=' . $value . ',extraValue[' . gettype($extraValue) . ']=' . $extraValue);
1334         } // END - if
1335
1336         // Is there extra parameters here?
1337         if ((!is_null($extraValue)) && (!empty($extraValue))) {
1338                 // Put both parameters in one new array by default
1339                 $args = array($value, $extraValue);
1340
1341                 // If we have an array simply use it and pre-extend it with our value
1342                 if (is_array($extraValue)) {
1343                         // Make the new args array
1344                         $args = merge_array(array($value), $extraValue);
1345                 } // END - if
1346
1347                 // Call the multi-parameter call-back
1348                 $ret = call_user_func_array($filterFunction, $args);
1349
1350                 // Is $ret 'true'?
1351                 if ($ret === TRUE) {
1352                         // Test passed, so write direct value
1353                         $ret = $args;
1354                 } // END - if
1355         } else {
1356                 // One parameter call
1357                 $ret = call_user_func($filterFunction, $value);
1358                 //* BUG */ die('ret['.gettype($ret).']=' . $ret . ',value=' . $value.',filterFunction=' . $filterFunction);
1359
1360                 // Is $ret 'true'?
1361                 if ($ret === TRUE) {
1362                         // Test passed, so write direct value
1363                         $ret = $value;
1364                 } // END - if
1365         }
1366
1367         // Return the value
1368         return $ret;
1369 }
1370
1371 // Tries to determine if call-back functions and/or extra values shall be parsed
1372 function doHandleExtraValues ($filterFunctions, $extraValues, $key, $entries, $userIdColumn, $search, $id = NULL) {
1373         // Debug mode enabled?
1374         if (isDebugModeEnabled()) {
1375                 // Debug message
1376                 /* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'key=' . $key . ',entries=' . $entries . ',userIdColumn=' . $userIdColumn[0] . ',search=' . $search . ',filterFunctions=' . print_r($filterFunctions, TRUE) . ',extraValues=' . print_r($extraValues, TRUE));
1377         } // END - if
1378
1379         // Send data through the filter function if found
1380         if ($key === $userIdColumn[0]) {
1381                 // Is the userid, we have to process it with convertZeroToNull()
1382                 $entries = convertZeroToNull($entries);
1383         } elseif ((!empty($filterFunctions[$key])) && (isset($extraValues[$key]))) {
1384                 // Debug mode enabled?
1385                 if (isDebugModeEnabled()) {
1386                         // Then log it
1387                         /* NOISY-DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'search=' . $search . ',filterFunctions=' . $filterFunctions[$key] . ',extraValues=' . $extraValues[$key] . ',key=' . $key . ',id=' . $id . ',entries[' . gettype($entries) . ']=' . $entries . ' - BEFORE!');
1388                 } // END - if
1389
1390                 // Filter function + extra value set
1391                 $entries = handleExtraValues($filterFunctions[$key], $entries, $extraValues[$key]);
1392
1393                 // Debug mode enabled?
1394                 if (isDebugModeEnabled()) {
1395                         // Then log it
1396                         /* NOISY-DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'search=' . $search . ',filterFunctions=' . $filterFunctions[$key] . ',extraValues=' . $extraValues[$key] . ',key=' . $key . ',id=' . $id . ',entries[' . gettype($entries) . ']=' . $entries . ' - AFTER!');
1397                 } // END - if
1398         } elseif ((!empty($filterFunctions[$search])) && (!empty($extraValues[$search]))) {
1399                 // Debug mode enabled?
1400                 if (isDebugModeEnabled()) {
1401                         // Then log it
1402                         /* NOISY-DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'search=' . $search . ',filterFunctions=' . $filterFunctions[$search] . ',key=' . $key . ',search=' . $search . ',entries[' . gettype($entries) . ']=' . $entries . ' - BEFORE!');
1403                 } // END - if
1404
1405                 // Handle extra values
1406                 $entries = handleExtraValues($filterFunctions[$search], $entries, $extraValues[$search]);
1407
1408                 // Debug mode enabled?
1409                 if (isDebugModeEnabled()) {
1410                         // Then log it
1411                         /* NOISY-DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'search=' . $search . ',filterFunctions=' . $filterFunctions[$search] . ',key=' . $key . ',search=' . $search . ',entries[' . gettype($entries) . ']=' . $entries . ' - AFTER!');
1412                 } // END - if
1413
1414                 // Make sure entries is not bool, then something went wrong
1415                 assert(!is_bool($entries));
1416         } elseif (!empty($filterFunctions[$search])) {
1417                 // Debug mode enabled?
1418                 if (isDebugModeEnabled()) {
1419                         // Then log it
1420                         /* NOISY-DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'search=' . $search . ',filterFunctions=' . $filterFunctions[$search] . ',key=' . $key . ',search=' . $search . ',entries[' . gettype($entries) . ']=' . $entries . ' - BEFORE!');
1421                 } // END - if
1422
1423                 // Handle extra values
1424                 $entries = handleExtraValues($filterFunctions[$search], $entries, NULL);
1425
1426                 // Debug mode enabled?
1427                 if (isDebugModeEnabled()) {
1428                         // Then log it
1429                         /* NOISY-DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'search=' . $search . ',filterFunctions=' . $filterFunctions[$search] . ',key=' . $key . ',search=' . $search . ',entries[' . gettype($entries) . ']=' . $entries . ' - AFTER!');
1430                 } // END - if
1431
1432                 // Make sure entries is not bool, then something went wrong
1433                 assert(!is_bool($entries));
1434         }
1435
1436         // Return value
1437         return $entries;
1438 }
1439
1440 // Converts timestamp selections into a timestamp
1441 function convertSelectionsToEpocheTime (array &$postData, array &$content, &$id, &$skip) {
1442         // Init test variable
1443         $skip  = FALSE;
1444         $test2 = '';
1445
1446         // Get last three chars
1447         $test = substr($id, -3);
1448
1449         // Improved way of checking! :-)
1450         if (in_array($test, array('_ye', '_mo', '_mn', '_we', '_da', '_ho', '_mi', '_se'))) {
1451                 // Found a multi-selection for timings?
1452                 $test = substr($id, 0, -3);
1453                 if ((isset($postData[$test . '_ye'])) && ((isset($postData[$test . '_mo'])) || (isset($postData[$test . '_mn']))) && (isset($postData[$test . '_we'])) && (isset($postData[$test . '_da'])) && (isset($postData[$test . '_ho'])) && (isset($postData[$test . '_mi'])) && (isset($postData[$test . '_se'])) && ($test != $test2)) {
1454                         // Generate timestamp
1455                         $postData[$test] = createEpocheTimeFromSelections($test, $postData);
1456                         array_push($content, sprintf("`%s`='%s'", $test, $postData[$test]));
1457                         $GLOBALS['skip_config'][$test] = TRUE;
1458
1459                         // Remove data from array
1460                         foreach (array('ye', 'mo', 'mn', 'we', 'da', 'ho', 'mi', 'se') as $rem) {
1461                                 unset($postData[$test . '_' . $rem]);
1462                         } // END - foreach
1463
1464                         // Skip adding
1465                         unset($id);
1466                         $skip = TRUE;
1467                         $test2 = $test;
1468                 } // END - if
1469         } // END - if
1470 }
1471
1472 // Reverts the german decimal comma into Computer decimal dot
1473 // OPPOMENT: translateComma()
1474 function convertCommaToDot ($str) {
1475         // Default float is not a float... ;-)
1476         $float = FALSE;
1477
1478         // Which language is selected?
1479         switch (getLanguage()) {
1480                 case 'de': // German language
1481                         // Remove german thousand dots first
1482                         $str = str_replace('.', '', $str);
1483
1484                         // Replace german commata with decimal dot and cast it
1485                         $float = sprintf(getConfig('FLOAT_MASK'), str_replace(',', '.', $str));
1486                         break;
1487
1488                 default: // US and so on
1489                         // Remove thousand commatas first and cast
1490                         $float = sprintf(getConfig('FLOAT_MASK'), str_replace(',', '', $str));
1491                         break;
1492         } // END - switch
1493
1494         // Return float
1495         return $float;
1496 }
1497
1498 // Handle menu-depending failed logins and return the rendered content
1499 function handleLoginFailures ($accessLevel) {
1500         // Default output is empty ;-)
1501         $OUT = '';
1502
1503         // Is the session data set?
1504         if ((isSessionVariableSet('mailer_' . $accessLevel . '_failures')) && (isSessionVariableSet('mailer_' . $accessLevel . '_last_failure'))) {
1505                 // Ignore zero values
1506                 if (getSession('mailer_' . $accessLevel . '_failures') > 0) {
1507                         // Non-guest has login failures found, get both data and prepare it for template
1508                         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'accessLevel=' . $accessLevel . '<br />');
1509                         $content = array(
1510                                 'login_failures' => 'mailer_' . $accessLevel . '_failures',
1511                                 'last_failure'   => generateDateTime(getSession('mailer_' . $accessLevel . '_last_failure'), 2)
1512                         );
1513
1514                         // Load template
1515                         $OUT = loadTemplate('login_failures', TRUE, $content);
1516                 } // END - if
1517
1518                 // Reset session data
1519                 setSession('mailer_' . $accessLevel . '_failures', '');
1520                 setSession('mailer_' . $accessLevel . '_last_failure', '');
1521         } // END - if
1522
1523         // Return rendered content
1524         return $OUT;
1525 }
1526
1527 // Rebuild cache
1528 function rebuildCache ($cache, $inc = '', $force = FALSE) {
1529         // Debug message
1530         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, sprintf("cache=%s, inc=%s, force=%s", $cache, $inc, intval($force)));
1531
1532         // Shall I remove the cache file?
1533         if ((isExtensionInstalled('cache')) && (isCacheInstanceValid()) && (isHtmlOutputMode())) {
1534                 // Rebuild cache only in HTML output-mode
1535                 // @TODO This should be rewritten not to load the cache file for just checking if it is there for save removal.
1536                 if ($GLOBALS['cache_instance']->loadCacheFile($cache)) {
1537                         // Destroy it
1538                         $GLOBALS['cache_instance']->removeCacheFile($force);
1539                 } // END - if
1540
1541                 // Include file given?
1542                 if (!empty($inc)) {
1543                         // Construct FQFN
1544                         $inc = sprintf("inc/loader/load-%s.php", $inc);
1545
1546                         // Is the include there?
1547                         if (isIncludeReadable($inc)) {
1548                                 // And rebuild it from scratch
1549                                 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'inc=' . $inc . ' - LOADED!');
1550                                 loadInclude($inc);
1551                         } else {
1552                                 // Include not found
1553                                 logDebugMessage(__FUNCTION__, __LINE__, 'Include ' . $inc . ' not found. cache=' . $cache);
1554                         }
1555                 } // END - if
1556         } // END - if
1557 }
1558
1559 // Determines the real remote address
1560 function determineRealRemoteAddress ($remoteAddr = FALSE) {
1561         // Default is 127.0.0.1
1562         $address = '127.0.0.1';
1563
1564         // Is a proxy in use?
1565         if ((isset($_SERVER['HTTP_X_FORWARDED_FOR'])) && (!$remoteAddr)) {
1566                 // Proxy was used
1567                 $address = $_SERVER['HTTP_X_FORWARDED_FOR'];
1568         } elseif ((isset($_SERVER['HTTP_CLIENT_IP'])) && (!$remoteAddr)) {
1569                 // Yet, another proxy
1570                 $address = $_SERVER['HTTP_CLIENT_IP'];
1571         } elseif (isset($_SERVER['REMOTE_ADDR'])) {
1572                 // The regular address when no proxy was used
1573                 $address = $_SERVER['REMOTE_ADDR'];
1574         }
1575
1576         // This strips out the real address from proxy output
1577         if (strstr($address, ',')) {
1578                 $addressArray = explode(',', $address);
1579                 $address = $addressArray[0];
1580         } // END - if
1581
1582         // Return the result
1583         return $address;
1584 }
1585
1586 // Adds a bonus mail to the queue
1587 // This is a high-level function!
1588 function addNewBonusMail ($data, $mode = '', $output = TRUE) {
1589         // Use mode from data if not set and availble ;-)
1590         if ((empty($mode)) && (isset($data['mail_mode']))) {
1591                 $mode = $data['mail_mode'];
1592         } // END - if
1593
1594         // Generate receiver list
1595         $receiver = generateReceiverList($data['cat'], $data['receiver'], $mode);
1596
1597         // Receivers added?
1598         if (!empty($receiver)) {
1599                 // Add bonus mail to queue
1600                 addBonusMailToQueue(
1601                         $data['subject'],
1602                         $data['text'],
1603                         $receiver,
1604                         $data['points'],
1605                         $data['seconds'],
1606                         $data['url'],
1607                         $data['cat'],
1608                         $mode,
1609                         $data['receiver']
1610                 );
1611
1612                 // Mail inserted into bonus pool
1613                 if ($output === TRUE) {
1614                         displayMessage('{--ADMIN_BONUS_SEND--}');
1615                 } // END - if
1616         } elseif ($output === TRUE) {
1617                 // More entered than can be reached!
1618                 displayMessage('{--ADMIN_MORE_SELECTED--}');
1619         } else {
1620                 // Debug log
1621                 logDebugMessage(__FUNCTION__, __LINE__, 'cat=' . $data['cat'] . ',receiver=' . $data['receiver'] . ',data=' . base64_encode(serialize($data)) . ' More selected, than available!');
1622         }
1623 }
1624
1625 // Enables the hourly reset mode and runs it
1626 function doHourly () {
1627         // Enable the hourly reset mode
1628         $GLOBALS['hourly_enabled'] = TRUE;
1629
1630         // Run filters (one always!)
1631         runFilterChain('hourly');
1632
1633         // Do not update in hourly debug mode
1634         if ((!isConfigEntrySet('DEBUG_HOURLY')) || (!isDebugHourlyEnabled())) {
1635                 // Update database
1636                 updateConfiguration('last_hourly', getHour());
1637         } // END - if
1638 }
1639
1640 // Enables the daily reset mode and runs it
1641 function doDaily () {
1642         // Enable the reset mode
1643         $GLOBALS['daily_enabled'] = TRUE;
1644
1645         // Run filters
1646         runFilterChain('daily');
1647
1648         // Do not update in daily debug mode
1649         if ((!isConfigEntrySet('DEBUG_DAILY')) || (!isDebugDailyEnabled())) {
1650                 // Update database
1651                 updateConfiguration('last_daily', getDay());
1652         } // END - if
1653 }
1654
1655 // Enables the weekly reset mode and runs it
1656 function doWeekly () {
1657         // Enable the reset mode
1658         $GLOBALS['weekly_enabled'] = TRUE;
1659
1660         // Run filters
1661         runFilterChain('weekly');
1662
1663         // Do not update in weekly debug mode
1664         if ((!isConfigEntrySet('DEBUG_WEEKLY')) || (!isDebugWeeklyEnabled())) {
1665                 // Update database
1666                 updateConfiguration('last_weekly', getWeek());
1667         } // END - if
1668 }
1669
1670 // Enables the monthly reset mode and runs it
1671 function doMonthly () {
1672         // Enable the reset mode
1673         $GLOBALS['monthly_enabled'] = TRUE;
1674
1675         // Run filters
1676         runFilterChain('monthly');
1677
1678         // Do not update in monthly debug mode
1679         if ((!isConfigEntrySet('DEBUG_MONTHLY')) || (!isDebugMonthlyEnabled())) {
1680                 // Update database
1681                 updateConfiguration('last_monthly', getMonth());
1682         } // END - if
1683 }
1684
1685 // Enables the yearly reset mode and runs it
1686 function doYearly () {
1687         // Enable the reset mode
1688         $GLOBALS['yearly_enabled'] = TRUE;
1689
1690         // Run filters
1691         runFilterChain('yearly');
1692
1693         // Do not update in yearly debug mode
1694         if ((!isConfigEntrySet('DEBUG_YEARLY')) || (!isDebugYearlyEnabled())) {
1695                 // Update database
1696                 updateConfiguration('last_yearly', getYear());
1697         } // END - if
1698 }
1699
1700 // Shuts down the mailer (e.g. closing database link, flushing output/filters, etc.)
1701 function doShutdown () {
1702         // Call the filter chain 'shutdown'
1703         runFilterChain('shutdown', NULL);
1704
1705         // Check if link is up
1706         if (isSqlLinkUp()) {
1707                 // Close link
1708                 sqlCloseLink(__FUNCTION__, __LINE__);
1709         } elseif (!isInstaller()) {
1710                 // No database link
1711                 reportBug(__FUNCTION__, __LINE__, 'Database link is already down, while shutdown is running.');
1712         }
1713
1714         // Stop executing here
1715         exit;
1716 }
1717
1718 // Init member id
1719 function initMemberId () {
1720         $GLOBALS['member_id'] = '0';
1721 }
1722
1723 // Setter for member id
1724 function setMemberId ($memberId) {
1725         // We should not set member id to zero
1726         if (!isValidId($memberId)) {
1727                 reportBug(__FUNCTION__, __LINE__, 'Userid should not be set zero.');
1728         } // END - if
1729
1730         // Set it secured
1731         $GLOBALS['member_id'] = bigintval($memberId);
1732 }
1733
1734 // Getter for member id or returns zero
1735 function getMemberId () {
1736         // Default member id
1737         $memberId = '0';
1738
1739         // Is the member id set?
1740         if (isMemberIdSet()) {
1741                 // Then use it
1742                 $memberId = $GLOBALS['member_id'];
1743         } // END - if
1744
1745         // Return it
1746         return $memberId;
1747 }
1748
1749 // Checks ether the member id is set
1750 function isMemberIdSet () {
1751         return (isset($GLOBALS['member_id']));
1752 }
1753
1754 // Setter for extra title
1755 function setExtraTitle ($extraTitle) {
1756         $GLOBALS['extra_title'] = $extraTitle;
1757 }
1758
1759 // Getter for extra title
1760 function getExtraTitle () {
1761         // Is the extra title set?
1762         if (!isExtraTitleSet()) {
1763                 // No, then abort here
1764                 reportBug(__FUNCTION__, __LINE__, 'extra_title is not set!');
1765         } // END - if
1766
1767         // Return it
1768         return $GLOBALS['extra_title'];
1769 }
1770
1771 // Checks if the extra title is set
1772 function isExtraTitleSet () {
1773         return ((isset($GLOBALS['extra_title'])) && (!empty($GLOBALS['extra_title'])));
1774 }
1775
1776 /**
1777  * Reads a directory recursively by default and searches for files not matching
1778  * an exclusion pattern. You can now keep the exclusion pattern empty for reading
1779  * a whole directory.
1780  *
1781  * @param       $baseDir                        Relative base directory to PATH to scan from
1782  * @param       $prefix                         Prefix for all positive matches (which files should be found)
1783  * @param       $fileIncludeDirs        whether to include directories in the final output array
1784  * @param       $addBaseDir                     whether to add $baseDir to all array entries
1785  * @param       $excludeArray           Excluded files and directories, these must be full files names, e.g. 'what-' will exclude all files named 'what-' but won't exclude 'what-foo.php'
1786  * @param       $extension                      File extension for all positive matches
1787  * @param       $excludePattern         Regular expression to exclude more files (preg_match())
1788  * @param       $recursive                      whether to scan recursively
1789  * @param       $suffix                         Suffix for positive matches ($extension will be appended, too)
1790  * @param       $withPrefixSuffix       Whether to include prefix/suffix in found entries
1791  * @return      $foundMatches           All found positive matches for above criteria
1792  */
1793 function getArrayFromDirectory ($baseDir, $prefix, $fileIncludeDirs = FALSE, $addBaseDir = TRUE, $excludeArray = array(), $extension = '.php', $excludePattern = '@(\.|\.\.)$@', $recursive = TRUE, $suffix = '', $withPrefixSuffix = TRUE) {
1794         // Add default entries we should always exclude
1795         array_unshift($excludeArray, '.', '..', '.svn', '.htaccess');
1796
1797         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'baseDir=' . $baseDir . ',prefix=' . $prefix . ' - Entered!');
1798         // Init found includes
1799         $foundMatches = array();
1800
1801         // Open directory
1802         $dirPointer = opendir(getPath() . $baseDir) or reportBug(__FUNCTION__, __LINE__, 'Cannot read directory ' . basename($baseDir) . '.');
1803
1804         // Read all entries
1805         while ($baseFile = readdir($dirPointer)) {
1806                 // Exclude '.', '..' and entries in $excludeArray automatically
1807                 if (in_array($baseFile, $excludeArray, TRUE))  {
1808                         // Exclude them
1809                         //* DEBUG: */ debugOutput('excluded=' . $baseFile);
1810                         continue;
1811                 } // END - if
1812
1813                 // Construct include filename and FQFN
1814                 $fileName = $baseDir . $baseFile;
1815                 $FQFN = getPath() . $fileName;
1816
1817                 // Remove double slashes
1818                 $FQFN = str_replace('//', '/', $FQFN);
1819
1820                 // Check if the base filenname matches an exclusion pattern and if the pattern is not empty
1821                 if ((!empty($excludePattern)) && (preg_match($excludePattern, $baseFile, $match))) {
1822                         // Debug message
1823                         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'baseDir=' . $baseDir . ',baseFile=' . $baseFile . ',FQFN=' . $FQFN);
1824
1825                         // Exclude this one
1826                         continue;
1827                 } // END - if
1828
1829                 // Skip also files with non-matching prefix genericly
1830                 if (($recursive === TRUE) && (isDirectory($FQFN))) {
1831                         // Is a redirectory so read it as well
1832                         $foundMatches = merge_array($foundMatches, getArrayFromDirectory($baseDir . $baseFile . '/', $prefix, $fileIncludeDirs, $addBaseDir, $excludeArray, $extension, $excludePattern, $recursive));
1833
1834                         // And skip further processing
1835                         continue;
1836                 } elseif (!isFilePrefixFound($baseFile, $prefix)) {
1837                         // Skip this file
1838                         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'Invalid prefix in file ' . $baseFile . ', prefix=' . $prefix);
1839                         continue;
1840                 } elseif ((!empty($suffix)) && (substr($baseFile, -(strlen($suffix . $extension)), (strlen($suffix . $extension))) != $suffix . $extension)) {
1841                         // Skip wrong suffix as well
1842                         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'Invalid suffix in file ' . $baseFile . ', suffix=' . $suffix);
1843                         continue;
1844                 } elseif (!isFileReadable($FQFN)) {
1845                         // Not readable so skip it
1846                         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'File ' . $FQFN . ' is not readable!');
1847                 } elseif (filesize($FQFN) < 50) {
1848                         // Might be deprecated
1849                         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'File ' . $FQFN . ' is to small (' . filesize($FQFN) . ')!');
1850                         continue;
1851                 } elseif (($extension == '.php') && (filesize($FQFN) < 50)) {
1852                         // This PHP script is deprecated
1853                         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'File ' . $FQFN . ' is a deprecated PHP script!');
1854                         continue;
1855                 }
1856
1857                 // Get file' extension (last 4 chars)
1858                 $fileExtension = substr($baseFile, -4, 4);
1859
1860                 // Is the file a PHP script or other?
1861                 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'baseDir=' . $baseDir . ',prefix=' . $prefix . ',baseFile=' . $baseFile);
1862                 if (($fileExtension == '.php') || (($fileIncludeDirs === TRUE) && (isDirectory($FQFN)))) {
1863                         // Is this a valid include file?
1864                         if ($extension == '.php') {
1865                                 // Remove both for extension name
1866                                 $extName = substr($baseFile, strlen($prefix), -4);
1867
1868                                 // Add file with or without base path
1869                                 if ($addBaseDir === TRUE) {
1870                                         // With base path
1871                                         array_push($foundMatches, $fileName);
1872                                 } elseif (($withPrefixSuffix === FALSE) && (!empty($extension))) {
1873                                         // No prefix/suffix
1874                                         array_push($foundMatches, substr($baseFile, strlen($prefix), -strlen($suffix . $extension)));
1875                                 } else {
1876                                         // No base path
1877                                         array_push($foundMatches, $baseFile);
1878                                 }
1879                         } else {
1880                                 // We found .php file but should not search for them, why?
1881                                 reportBug(__FUNCTION__, __LINE__, 'We should find files with extension=' . $extension . ', but we found a PHP script. (baseFile=' . $baseFile . ')');
1882                         }
1883                 } elseif ((($fileExtension == $extension) || (empty($extension))) && (isFileReadable($FQFN))) {
1884                         // Other, generic file found
1885                         if ($addBaseDir === TRUE) {
1886                                 // With base path
1887                                 array_push($foundMatches, $fileName);
1888                         } elseif (($withPrefixSuffix === FALSE) && (!empty($extension))) {
1889                                 // No prefix/suffix
1890                                 array_push($foundMatches, substr($baseFile, strlen($prefix), -strlen($suffix . $extension)));
1891                         } else {
1892                                 // No base path
1893                                 array_push($foundMatches, $baseFile);
1894                         }
1895                 }
1896         } // END - while
1897
1898         // Close directory
1899         closedir($dirPointer);
1900
1901         // Sort array
1902         sort($foundMatches);
1903
1904         // Return array with include files
1905         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, '- Left!');
1906         return $foundMatches;
1907 }
1908
1909 // Checks whether $prefix is found in $fileName
1910 function isFilePrefixFound ($fileName, $prefix) {
1911         // @TODO Find a way to cache this
1912         return (substr($fileName, 0, strlen($prefix)) == $prefix);
1913 }
1914
1915 // Maps a module name into a database table name
1916 function mapModuleToTable ($moduleName) {
1917         // Map only these, still lame code...
1918         switch ($moduleName) {
1919                 case 'index': // 'index' is the guest's menu
1920                         $moduleName = 'guest';
1921                         break;
1922
1923                 case 'login': // ... and 'login' the member's menu
1924                         $moduleName = 'member';
1925                         break;
1926                 // Anything else will not be mapped, silently.
1927         } // END - switch
1928
1929         // Return result
1930         return $moduleName;
1931 }
1932
1933 // Add SQL debug data to array for later output
1934 function addSqlToDebug ($result, $sqlString, $timing, $file, $line) {
1935         // Is there cache?
1936         if (!isset($GLOBALS['debug_sql_available'])) {
1937                 // Check it and cache it in $GLOBALS
1938                 $GLOBALS['debug_sql_available'] = ((isConfigurationLoaded()) && (isDisplayDebugSqlEnabled()));
1939         } // END - if
1940
1941         // Don't execute anything here if we don't need or ext-other is missing
1942         if ($GLOBALS['debug_sql_available'] === FALSE) {
1943                 return;
1944         } // END - if
1945
1946         // Already executed?
1947         if (isset($GLOBALS['debug_sqls'][$file][$line][$sqlString])) {
1948                 // Then abort here, we don't need to profile a query twice
1949                 return;
1950         } // END - if
1951
1952         // Remeber this as profiled (or not, but we don't care here)
1953         $GLOBALS['debug_sqls'][$file][$line][$sqlString] = TRUE;
1954
1955         // Generate record
1956         $record = array(
1957                 'num_rows' => sqlNumRows($result),
1958                 'affected' => sqlAffectedRows(),
1959                 'sql_str'  => $sqlString,
1960                 'timing'   => $timing,
1961                 'file'     => basename($file),
1962                 'line'     => $line
1963         );
1964
1965         // Add it
1966         array_push($GLOBALS['debug_sqls'], $record);
1967 }
1968
1969 // Initializes the cache instance
1970 function initCacheInstance () {
1971         // Check for double-initialization
1972         if (isset($GLOBALS['cache_instance'])) {
1973                 // This should not happen and must be fixed
1974                 reportBug(__FUNCTION__, __LINE__, 'Double initialization of cache system detected. cache_instance[]=' . gettype($GLOBALS['cache_instance']));
1975         } // END - if
1976
1977         // Load include for CacheSystem class
1978         loadIncludeOnce('inc/classes/cachesystem.class.php');
1979
1980         // Initialize cache system only when it's needed
1981         $GLOBALS['cache_instance'] = new CacheSystem();
1982
1983         // Did it work?
1984         if ($GLOBALS['cache_instance']->getStatusCode() != 'done') {
1985                 // Failed to initialize cache sustem
1986                 reportBug(__FUNCTION__, __LINE__, 'Cache system returned with unexpected error. getStatusCode()=' . $GLOBALS['cache_instance']->getStatusCode());
1987         } // END - if
1988 }
1989
1990 // Getter for message from array or raw message
1991 function getMessageFromIndexedArray ($message, $pos, $array) {
1992         // Check if the requested message was found in array
1993         if (isset($array[$pos])) {
1994                 // ... if yes then use it!
1995                 $ret = $array[$pos];
1996         } else {
1997                 // ... else use default message
1998                 $ret = $message;
1999         }
2000
2001         // Return result
2002         return $ret;
2003 }
2004
2005 // Convert ';' to ', ' for e.g. receiver list
2006 function convertReceivers ($old) {
2007         return str_replace(';', ', ', $old);
2008 }
2009
2010 // Get a module from filename and access level
2011 function getModuleFromFileName ($file, $accessLevel) {
2012         // Default is 'invalid';
2013         $modCheck = 'invalid';
2014
2015         // @TODO This is still very static, rewrite it somehow
2016         switch ($accessLevel) {
2017                 case 'admin':
2018                         $modCheck = 'admin';
2019                         break;
2020
2021                 case 'sponsor':
2022                 case 'guest':
2023                 case 'member':
2024                         $modCheck = getModule();
2025                         break;
2026
2027                 default: // Unsupported file name / access level
2028                         reportBug(__FUNCTION__, __LINE__, 'Unsupported file name=' . basename($file) . '/access level=' . $accessLevel);
2029                         break;
2030         } // END - switch
2031
2032         // Return result
2033         return $modCheck;
2034 }
2035
2036 // Encodes an URL for adding session id, etc.
2037 function encodeUrl ($url, $outputMode = '0') {
2038         // Is there already have a PHPSESSID inside or view.php is called? Then abort here
2039         if ((isInStringIgnoreCase(session_name(), $url)) || (isRawOutputMode())) {
2040                 // Raw output mode detected or session_name() found in URL
2041                 return $url;
2042         } // END - if
2043
2044         // Is there a valid session?
2045         if ((!isSessionValid()) && (!isSpider())) {
2046                 // Determine right separator
2047                 $separator = '&amp;';
2048                 if (!isInString('?', $url)) {
2049                         // No question mark
2050                         $separator = '?';
2051                 } // END - if
2052
2053                 // Then add it to URL
2054                 $url .= $separator . session_name() . '=' . session_id();
2055         } // END - if
2056
2057         // Add {?URL?} ?
2058         if ((substr($url, 0, strlen(getUrl())) != getUrl()) && (substr($url, 0, 7) != '{?URL?}') && (substr($url, 0, 7) != 'http://') && (substr($url, 0, 8) != 'https://')) {
2059                 // Add it
2060                 $url = '{?URL?}/' . $url;
2061         } // END - if
2062
2063         // Debug message
2064         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'url=' . $url . ',isHtmlOutputMode()=' . intval(isHtmlOutputMode()) . ',outputMode=' . $outputMode);
2065
2066         // Is there to decode entities?
2067         if (!isHtmlOutputMode()) {
2068                 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'url=' . $url . ' - BEFORE DECODING');
2069                 // Decode them for e.g. JavaScript parts
2070                 $url = decodeEntities($url);
2071                 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'url=' . $url . ' - AFTER DECODING');
2072         } // END - if
2073
2074         // Debug log
2075         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'url=' . $url . ',outputMode=' . $outputMode);
2076
2077         // Return the encoded URL
2078         return $url;
2079 }
2080
2081 // Simple check for spider
2082 function isSpider () {
2083         // Get the UA and trim it down
2084         $userAgent = trim(detectUserAgent(TRUE));
2085
2086         // It should not be empty, if so it is better a browser
2087         if (empty($userAgent)) {
2088                 // It is a browser that blocks its UA string
2089                 return FALSE;
2090         } // END - if
2091
2092         // Is it a spider?
2093         return ((isInStringIgnoreCase('spider', $userAgent)) || (isInStringIgnoreCase('slurp', $userAgent)) || (isInStringIgnoreCase('bot', $userAgent)) || (isInStringIgnoreCase('archiver', $userAgent)));
2094 }
2095
2096 // Function to search for the last modified file
2097 function searchDirsRecursive ($dir, &$last_changed, $lookFor = 'Date') {
2098         // Get dir as array
2099         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'dir=' . $dir);
2100         // Does it match what we are looking for? (We skip a lot files already!)
2101         // RegexPattern to exclude  ., .., .revision,  .svn, debug.log or .cache in the filenames
2102         $excludePattern = '@(\.revision|\.svn|debug\.log|\.cache|config\.php)$@';
2103
2104         $ds = getArrayFromDirectory($dir, '', FALSE, TRUE, array(), '.php', $excludePattern);
2105         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'count(ds)='.count($ds));
2106
2107         // Walk through all entries
2108         foreach ($ds as $d) {
2109                 // Generate proper FQFN
2110                 $FQFN = str_replace('//', '/', getPath() . $dir . '/' . $d);
2111
2112                 // Is it a file and readable?
2113                 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'dir=' . $dir . ',d=' . $d);
2114                 if (isFileReadable($FQFN)) {
2115                         // $FQFN is a readable file so extract the requested data from it
2116                         $check = extractRevisionInfoFromFile($FQFN, $lookFor);
2117                         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'File: ' . $d . ' found. check=' . $check);
2118
2119                         // Is the file more recent?
2120                         if ((!isset($last_changed[$lookFor])) || ($last_changed[$lookFor] < $check)) {
2121                                 // This file is newer as the file before
2122                                 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'NEWER!');
2123                                 $last_changed['path_name'] = $FQFN;
2124                                 $last_changed[$lookFor] = $check;
2125                         } // END - if
2126                 } else {
2127                         // Not readable
2128                         /* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'File: ' . $d . ' not readable or directory.');
2129                 }
2130         } // END - foreach
2131 }
2132
2133 // Handles the braces [] of a field (e.g. value of 'name' attribute)
2134 function handleFieldWithBraces ($field) {
2135         // Are there braces [] at the end?
2136         if (substr($field, -2, 2) == '[]') {
2137                 /*
2138                  * Try to find one and replace it. I do it this way to allow easy
2139                  * extending of this code.
2140                  */
2141                 foreach (array('admin_list_builder_id_value') as $key) {
2142                         /* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'key=' . $key);
2143                         // Is the cache entry set?
2144                         if (isset($GLOBALS[$key])) {
2145                                 // Insert it
2146                                 $field = str_replace('[]', '[' . $GLOBALS[$key] . ']', $field);
2147
2148                                 // And abort
2149                                 /* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'key=' . $key, 'field=' . $field);
2150                                 break;
2151                         } // END - if
2152                 } // END - foreach
2153         } // END - if
2154
2155         // Return it
2156         return $field;
2157 }
2158
2159 // Converts a zero or NULL to word 'NULL'
2160 function convertZeroToNull ($number) {
2161         // Is it a valid username?
2162         if (isValidNumber($number)) {
2163                 // Always secure it
2164                 $number = bigintval($number);
2165         } else {
2166                 // Is not valid or zero
2167                 $number = 'NULL';
2168         }
2169
2170         // Return it
2171         return $number;
2172 }
2173
2174 // Converts a NULL|empty string|< 1 to zero
2175 function convertNullToZero ($number) {
2176         // Is it a valid username?
2177         if (!isValidNumber($number)) {
2178                 // Is not valid or zero
2179                 $number = '0';
2180         } // END - if
2181
2182         // Return it
2183         return $number;
2184 }
2185
2186 // Capitalizes a string with underscores, e.g.: some_foo_string will become SomeFooString
2187 // Note: This function is cached
2188 function capitalizeUnderscoreString ($str) {
2189         // Is there cache?
2190         if (!isset($GLOBALS[__FUNCTION__][$str])) {
2191                 // Init target string
2192                 $capitalized = '';
2193
2194                 // Explode it with the underscore, but rewrite dashes to underscore before
2195                 $strArray = explode('_', str_replace('-', '_', $str));
2196
2197                 // "Walk" through all elements and make them lower-case but first upper-case
2198                 foreach ($strArray as $part) {
2199                         // Capitalize the string part
2200                         $capitalized .= firstCharUpperCase($part);
2201                 } // END - foreach
2202
2203                 // Store the converted string in cache array
2204                 $GLOBALS[__FUNCTION__][$str] = $capitalized;
2205         } // END - if
2206
2207         // Return cache
2208         return $GLOBALS[__FUNCTION__][$str];
2209 }
2210
2211 // Generate admin links for mail order
2212 // mailType can be: 'normal' or 'bonus'
2213 function generateAdminMailLinks ($mailType, $mailId) {
2214         // Init variables
2215         $OUT = '';
2216         $table = '';
2217
2218         // Default column for mail status is 'data_type'
2219         // @TODO Rename column data_type to e.g. mail_status
2220         $statusColumn = 'data_type';
2221
2222         // Which mail do we have?
2223         switch ($mailType) {
2224                 case 'bonus': // Bonus mail
2225                         $table = 'bonus';
2226                         break;
2227
2228                 case 'normal': // Member mail
2229                         $table = 'pool';
2230                         break;
2231
2232                 default: // Handle unsupported types
2233                         logDebugMessage(__FUNCTION__, __LINE__, 'Unsupported mail type ' . $mailType . ' for mailId=' . $mailId . ' detected.');
2234                         $OUT = '<div align="center">{%message,ADMIN_UNSUPPORTED_MAIL_TYPE_DETECTED=' . $mailType . '%}</div>';
2235                         break;
2236         } // END - switch
2237
2238         // Is the mail type supported?
2239         if (!empty($table)) {
2240                 // Query for the mail
2241                 $result = sqlQueryEscaped("SELECT `id`, `%s` AS `mail_status` FROM `{?_MYSQL_PREFIX?}_%s` WHERE `id`=%s LIMIT 1",
2242                         array(
2243                                 $statusColumn,
2244                                 $table,
2245                                 bigintval($mailId)
2246                         ), __FILE__, __LINE__);
2247
2248                 // Is there one entry there?
2249                 if (sqlNumRows($result) == 1) {
2250                         // Load the entry
2251                         $content = sqlFetchArray($result);
2252
2253                         // Add output and type
2254                         $content['type']     = $mailType;
2255                         $content['__output'] = '';
2256
2257                         // Filter all data
2258                         $content = runFilterChain('generate_admin_mail_links', $content);
2259
2260                         // Get output back
2261                         $OUT = $content['__output'];
2262                 } // END - if
2263
2264                 // Free result
2265                 sqlFreeResult($result);
2266         } // END - if
2267
2268         // Return generated HTML code
2269         return $OUT;
2270 }
2271
2272
2273 /**
2274  * Determine if a string can represent a number in hexadecimal
2275  *
2276  * @param       $hex    A string to check if it is hex-encoded
2277  * @return      $foo    True if the string is a hex, otherwise false
2278  * @author      Marques Johansson
2279  * @link        http://php.net/manual/en/function.http-chunked-decode.php#89786
2280  */
2281 function isHexadecimal ($hex) {
2282         // Make it lowercase
2283         $hex = strtolower(trim(ltrim($hex, '0')));
2284
2285         // Fix empty strings to zero
2286         if (empty($hex)) {
2287                 $hex = 0;
2288         } // END - if
2289
2290         // Simply compare decode->encode result with original
2291         return ($hex == dechex(hexdec($hex)));
2292 }
2293
2294 /**
2295  * Replace chr(13) with "[r]" and PHP_EOL with "[n]" and add a final new-line to make
2296  * them visible to the developer. Use this function to debug e.g. buggy HTTP
2297  * response handler functions.
2298  *
2299  * @param       $str    String to overwork
2300  * @return      $str    Overworked string
2301  */
2302 function replaceReturnNewLine ($str) {
2303         return str_replace(array(chr(13), chr(10)), array('[r]', '[n]'), $str);
2304 }
2305
2306 // Converts a given string by splitting it up with given delimiter similar to
2307 // explode(), but appending the delimiter again
2308 function stringToArray ($delimiter, $string) {
2309         // Init array
2310         $strArray = array();
2311
2312         // "Walk" through all entries
2313         foreach (explode($delimiter, $string) as $split) {
2314                 //  Append the delimiter and add it to the array
2315                 array_push($strArray, $split . $delimiter);
2316         } // END - foreach
2317
2318         // Return array
2319         return $strArray;
2320 }
2321
2322 // Detects the prefix 'mb_' if a multi-byte string is given
2323 function detectMultiBytePrefix ($str) {
2324         // Default is without multi-byte
2325         $mbPrefix = '';
2326
2327         // Detect multi-byte (strictly)
2328         if (mb_detect_encoding($str, 'auto', TRUE) !== FALSE) {
2329                 // With multi-byte encoded string
2330                 $mbPrefix = 'mb_';
2331         } // END - if
2332
2333         // Return the prefix
2334         return $mbPrefix;
2335 }
2336
2337 // Searches given array for a sub-string match and returns all found keys in an array
2338 function getArrayKeysFromSubStrArray ($heystack, $needles, $offset = 0) {
2339         // Init array for all found keys
2340         $keys = array();
2341
2342         // Now check all entries
2343         foreach ($needles as $key => $needle) {
2344                 // Is there found a partial string?
2345                 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'heystack='.$heystack.',key='.$key.',needle='.$needle.',offset='.$offset);
2346                 if (strpos($heystack, $needle, $offset) !== FALSE) {
2347                         // Add the found key
2348                         array_push($keys, $key);
2349                 } // END - if
2350         } // END - foreach
2351
2352         // Return the array
2353         return $keys;
2354 }
2355
2356 // Determines database column name from given subject and locked
2357 function determinePointsColumnFromSubjectLocked ($subject, $locked) {
2358         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'subject=' . $subject . ',locked=' . intval($locked) . ' - ENTERED!');
2359         // Default is 'normal' points
2360         $pointsColumn = 'points';
2361
2362         // Which points, locked or normal?
2363         if ($locked === TRUE) {
2364                 $pointsColumn = 'locked_points';
2365         } // END - if
2366
2367         // Prepare array for filter
2368         $filterData = array(
2369                 'subject' => $subject,
2370                 'locked'  => $locked,
2371                 'column'  => $pointsColumn
2372         );
2373
2374         // Run the filter
2375         $filterData = runFilterChain('determine_points_column_name', $filterData);
2376
2377         // Extract column name from array
2378         $pointsColumn = $filterData['column'];
2379
2380         // Return it
2381         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'subject=' . $subject . ',locked=' . intval($locked) . ',pointsColumn=' . $pointsColumn . ' - EXIT!');
2382         return $pointsColumn;
2383 }
2384
2385 // Converts a boolean variable into 'Y' for true and 'N' for false
2386 function convertBooleanToYesNo ($boolean) {
2387         // Default is 'N'
2388         $converted = 'N';
2389         if ($boolean === TRUE) {
2390                 // Set 'Y'
2391                 $converted = 'Y';
2392         } // END - if
2393
2394         // Return it
2395         return $converted;
2396 }
2397
2398 // "Translates" 'true' to true and 'false' to false
2399 function convertStringToBoolean ($str) {
2400         // Debug message (to measure how often this function is called)
2401         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'str=' . $str);
2402
2403         // Is there cache?
2404         if (!isset($GLOBALS[__FUNCTION__][$str])) {
2405                 // Trim it lower-case for validation
2406                 $strTrimmed = trim(strtolower($str));
2407
2408                 // Is it valid?
2409                 if (!in_array($strTrimmed, array('true', 'false'))) {
2410                         // Not valid!
2411                         reportBug(__FUNCTION__, __LINE__, 'str=' . $str . '(' . $strTrimmed . ') is not true/false');
2412                 } // END - if
2413
2414                 // Determine it
2415                 $GLOBALS[__FUNCTION__][$str] = ($strTrimmed == 'true');
2416         } // END - if
2417
2418         // Return cache
2419         return $GLOBALS[__FUNCTION__][$str];
2420 }
2421
2422 /**
2423  * "Makes" a variable in given string parseable, this function will throw an
2424  * error if the first character is not a dollar sign.
2425  *
2426  * @param       $varString      String which contains a variable
2427  * @return      $return         String with added single quotes for better parsing
2428  */
2429 function makeParseableVariable ($varString) {
2430         // The first character must be a dollar sign
2431         if (substr($varString, 0, 1) != '$') {
2432                 // Please report this
2433                 reportBug(__FUNCTION__, __LINE__, 'varString=' . $varString . ' - No dollar sign detected, will not parse it.');
2434         } // END - if
2435
2436         // Is there cache?
2437         if (!isset($GLOBALS[__FUNCTION__][$varString])) {
2438                 // Snap them in, if [,] are there
2439                 $GLOBALS[__FUNCTION__][$varString] = str_replace(array('[', ']'), array("['", "']"), $varString);
2440         } // END - if
2441
2442         // Return cache
2443         return $GLOBALS[__FUNCTION__][$varString];
2444 }
2445
2446 // "Getter" for random TAN
2447 function getRandomTan () {
2448         // Generate one
2449         return mt_rand(0, 99999);
2450 }
2451
2452 // Removes any : from subject
2453 function removeDoubleDotFromSubject ($subject) {
2454         // Remove it
2455         $subjectArray = explode(':', $subject);
2456         $subject = $subjectArray[0];
2457         unset($subjectArray);
2458
2459         // Return it
2460         return $subject;
2461 }
2462
2463 // Adds a given entry to the database
2464 function memberAddEntries ($tableName, $columns = array(), $filterFunctions = array(), $extraValues = array(), $timeColumns = array(), $columnIndex = NULL) {
2465         // Is it a member?
2466         if (!isMember()) {
2467                 // Then abort here
2468                 return FALSE;
2469         } // END - if
2470
2471         // Set POST data generic userid
2472         setPostRequestElement('userid', getMemberId());
2473
2474         // Call inner function
2475         doGenericAddEntries($tableName, $columns, $filterFunctions, $extraValues, $timeColumns, $columnIndex);
2476
2477         // Entry has been added?
2478         if ((!ifSqlHasZeroAffectedRows()) && ($GLOBALS['__XML_PARSE_RESULT'] === TRUE)) {
2479                 // Display success message
2480                 displayMessage('{--MEMBER_ENTRY_ADDED--}');
2481         } else {
2482                 // Display failed message
2483                 displayMessage('{--MEMBER_ENTRY_NOT_ADDED--}');
2484         }
2485 }
2486
2487 // Edit rows by given id numbers
2488 function memberEditEntriesConfirm ($tableName, $columns = array(), $filterFunctions = array(), $extraValues = array(), $timeColumns = array(), $editNow = array(FALSE), $idColumn = array('id'), $userIdColumn = array('userid'), $rawUserId = array('userid'), $cacheFiles = array(), $content = array()) {
2489         // $tableName must be an array
2490         if ((!is_array($tableName)) || (count($tableName) != 1)) {
2491                 // No tableName specified
2492                 reportBug(__FUNCTION__, __LINE__, 'tableName is not given. Please fix your XML,tableName[]=' . gettype($tableName) . '!=array: userIdColumn=' . $userIdColumn);
2493         } elseif (!is_array($idColumn)) {
2494                 // $idColumn is no array
2495                 reportBug(__FUNCTION__, __LINE__, 'idColumn[]=' . gettype($idColumn) . '!=array: userIdColumn=' . $userIdColumn);
2496         } elseif (!is_array($userIdColumn)) {
2497                 // $userIdColumn is no array
2498                 reportBug(__FUNCTION__, __LINE__, 'userIdColumn[]=' . gettype($userIdColumn) . '!=array: userIdColumn=' . $userIdColumn);
2499         } elseif (!is_array($editNow)) {
2500                 // $editNow is no array
2501                 reportBug(__FUNCTION__, __LINE__, 'editNow[]=' . gettype($editNow) . '!=array: userIdColumn=' . $userIdColumn);
2502         } // END - if
2503
2504         // Shall we change here or list for editing?
2505         if ($editNow[0] === TRUE) {
2506                 // Add generic userid field
2507                 setPostRequestElement('userid', getMemberId());
2508
2509                 // Call generic change method
2510                 $affected = doGenericEditEntriesConfirm($tableName, $columns, $filterFunctions, $extraValues, $timeColumns, $editNow, $idColumn, $userIdColumn, $rawUserId, $cacheFiles, 'mem_edit');
2511
2512                 // Was this fine?
2513                 if ($affected == countPostSelection($idColumn[0])) {
2514                         // All deleted
2515                         displayMessage('{--MEMBER_ALL_ENTRIES_EDITED--}');
2516                 } else {
2517                         // Some are still there :(
2518                         displayMessage(sprintf(getMessage('MEMBER_SOME_ENTRIES_NOT_EDITED'), $affected, countPostSelection($idColumn[0])));
2519                 }
2520         } else {
2521                 // List for editing
2522                 memberListBuilder('edit', $tableName, $columns, $filterFunctions, $extraValues, $idColumn, $userIdColumn, $rawUserId, $content);
2523         }
2524 }
2525
2526 // Delete rows by given id numbers
2527 function memberDeleteEntriesConfirm ($tableName, $columns = array(), $filterFunctions = array(), $extraValues = array(), $deleteNow = array(FALSE), $idColumn = array('id'), $userIdColumn = array('userid'), $rawUserId = array('userid'), $cacheFiles = array(), $content = array()) {
2528         // Do this only for members
2529         assert(isMember());
2530
2531         // $tableName must be an array
2532         if ((!is_array($tableName)) || (count($tableName) != 1)) {
2533                 // No tableName specified
2534                 reportBug(__FUNCTION__, __LINE__, 'tableName is not given. Please fix your XML,tableName[]=' . gettype($tableName) . '!=array: userIdColumn=' . $userIdColumn);
2535         } elseif (!is_array($idColumn)) {
2536                 // $idColumn is no array
2537                 reportBug(__FUNCTION__, __LINE__, 'idColumn[]=' . gettype($idColumn) . '!=array: userIdColumn=' . $userIdColumn);
2538         } elseif (!is_array($userIdColumn)) {
2539                 // $userIdColumn is no array
2540                 reportBug(__FUNCTION__, __LINE__, 'userIdColumn[]=' . gettype($userIdColumn) . '!=array: userIdColumn=' . $userIdColumn);
2541         } elseif (!is_array($deleteNow)) {
2542                 // $deleteNow is no array
2543                 reportBug(__FUNCTION__, __LINE__, 'deleteNow[]=' . gettype($deleteNow) . '!=array: userIdColumn=' . $userIdColumn);
2544         } // END - if
2545
2546         // Shall we delete here or list for deletion?
2547         if ($deleteNow[0] === TRUE) {
2548                 // Add generic userid field
2549                 setPostRequestElement('userid', getMemberId());
2550
2551                 // Call generic function
2552                 $affected = doGenericDeleteEntriesConfirm($tableName, $columns, $filterFunctions, $extraValues, $deleteNow, $idColumn, $userIdColumn, $rawUserId, $cacheFiles, 'mem_delete');
2553
2554                 // Was this fine?
2555                 if ($affected == countPostSelection($idColumn[0])) {
2556                         // All deleted
2557                         displayMessage('{--MEMBER_ALL_ENTRIES_REMOVED--}');
2558                 } else {
2559                         // Some are still there :(
2560                         displayMessage(sprintf(getMessage('MEMBER_SOME_ENTRIES_NOT_DELETED'), sqlAffectedRows(), countPostSelection($idColumn[0])));
2561                 }
2562         } else {
2563                 // List for deletion confirmation
2564                 memberListBuilder('delete', $tableName, $columns, $filterFunctions, $extraValues, $idColumn, $userIdColumn, $rawUSerId, $content);
2565         }
2566 }
2567
2568 // Build a special template list
2569 // @TODO cacheFiles is not yet supported
2570 function memberListBuilder ($listType, $tableName, $columns, $filterFunctions, $extraValues, $idColumn, $userIdColumn, $rawUserId = array('userid'), $content = array()) {
2571         // Do this only for logged in member
2572         assert(isMember());
2573
2574         // Call inner (general) function
2575         doGenericListBuilder('member', $listType, $tableName, $columns, $filterFunctions, $extraValues, $idColumn, $userIdColumn, $rawUserId, $content);
2576 }
2577
2578 // Checks whether given address is IPv4
2579 function isIp4AddressValid ($address) {
2580         // Is there cache?
2581         if (!isset($GLOBALS[__FUNCTION__][$address])) {
2582                 // Determine it ...
2583                 $GLOBALS[__FUNCTION__][$address] = preg_match('/((25[0-5]|2[0-4][0-9]|[0-1]{1}[0-9]{2}|[1-9]{1}[0-9]{1}|[1-9])\.(25[0-5]|2[0-4][0-9]|[0-1]{1}[0-9]{2}|[1-9]{1}[0-9]{1}|[1-9]|0)\.(25[0-5]|2[0-4][0-9]|[0-1]{1}[0-9]{2}|[1-9]{1}[0-9]{1}|[1-9]|0)\.(25[0-5]|2[0-4][0-9]|[0-1]{1}[0-9]{2}|[1-9]{1}[0-9]{1}|[0-9]))/', $address);
2584         } // END - if
2585
2586         // Return cache
2587         return $GLOBALS[__FUNCTION__][$address];
2588 }
2589
2590 // Returns the string if not empty or FALSE if empty
2591 function validateIsEmpty ($str) {
2592         // Trim it
2593         $trimmed = trim($str);
2594
2595         // Is the string empty?
2596         if (empty($trimmed)) {
2597                 // Then set FALSE
2598                 $str = FALSE;
2599         } // END - if
2600
2601         // Return it
2602         return $str;
2603 }
2604
2605 // "Getter" for seconds from given time unit
2606 function getSecondsFromTimeUnit ($timeUnit) {
2607         // Default is not found
2608         $seconds = NULL;
2609
2610         // "Detect" it
2611         switch ($timeUnit) {
2612                 case 's': // Seconds = 1
2613                         $seconds = 1;
2614                         break;
2615
2616                 case 'm': // Minutes
2617                         $seconds = 60;
2618                         break;
2619
2620                 case 'h': // Hours
2621                         $seconds = 60*60;
2622                         break;
2623
2624                 case 'D': // Days
2625                         $seconds = 60*60*24;
2626                         break;
2627
2628                 case 'W': // Weeks
2629                         $seconds = 60*60*24*7;
2630                         break;
2631
2632                 default: // Unsupported
2633                         reportBug(__FUNCTION__, __LINE__, 'Unsupported time unit ' . $timeUnit . ' detected.');
2634                         break;
2635         } // END - switch
2636
2637         // Return value
2638         return $seconds;
2639 }
2640
2641 // Calulates value for given seconds and time unit
2642 function caluculateTimeUnitValue ($seconds, $timeUnit) {
2643         // Calculate it
2644         return ($seconds / getSecondsFromTimeUnit($timeUnit));
2645 }
2646
2647 // "Getter" for an array from given one but only one index of it
2648 function getArrayFromArrayIndex ($array, $key) {
2649         // Some simple validation
2650         assert(isset($array[0][$key]));
2651
2652         // Init new array
2653         $newArray = array();
2654
2655         // "Walk" through all elements
2656         foreach ($array as $element) {
2657                 $newArray[] = $element[$key];
2658         } // END - if
2659
2660         // Return it
2661         return $newArray;
2662 }
2663
2664 /**
2665  * Compress given data and encodes it into BASE64 to be stored in database with
2666  * sqlQueryEscaped()
2667  *
2668  * @param       $data   Data to be compressed and encoded
2669  * @return      $data   Compressed+encoded data
2670  */
2671 function compress ($data) {
2672         // Compress it
2673         return base64_encode(gzcompress($data));
2674 }
2675
2676 /**
2677  * Decompress given data previously compressed with compress().
2678  *
2679  * @param       $data   Data compressed with compress()
2680  * @reurn       $data   Uncompressed data
2681  */
2682 function decompress ($data) {
2683         // Decompress it
2684         return gzuncompress(base64_decode($data));
2685 }
2686
2687 /**
2688  * Converts given charset in given string to UTF-8 if not UTF-8. This function
2689  * is currently limited to iconv().
2690  *
2691  * @param       $str            String to convert charset in
2692  * @param       $charset        Charset to convert from
2693  * @return      $str            Converted string
2694  */
2695 function convertCharsetToUtf8 ($str, $charset) {
2696         // Is iconv() available?
2697         if (!function_exists('iconv')) {
2698                 // Please make it sure
2699                 reportBug(__FUNCTION__, __LINE__, 'PHP function iconv() is currently required to do charset convertion.');
2700         } // END - if
2701
2702         // Is the charset not UTF-8?
2703         if (strtoupper($charset) != 'UTF-8') {
2704                 // Convert it to UTF-8
2705                 $str = iconv(strtoupper($charset), 'UTF-8//TRANSLIT', $str);
2706         } // END - if
2707
2708         // Return converted string
2709         return $str;
2710 }
2711
2712 // Hash string with SHA256 and encode it to hex
2713 function hashSha256 ($str) {
2714         /// Hash string
2715         $hash = mhash(MHASH_SHA256, $str);
2716
2717         // Encode it to hexadecimal
2718         $hex = '';
2719         for ($i = 0; $i < strlen($hash); $i++) {
2720                 // Encode char to decimal, pad it with zero, add it
2721                 $hex .= padLeftZero(dechex(ord(substr($hash, $i, 1))));
2722         } // END - if
2723
2724         // Return it
2725         return $hex;
2726 }
2727
2728 // ----------------------------------------------------------------------------
2729 //              "Translatation" functions for points_data table
2730 // ----------------------------------------------------------------------------
2731
2732 // Translates generically some data into a target string
2733 function translateGeneric ($messagePrefix, $data, $messageSuffix = '') {
2734         // Is the method null or empty?
2735         if (is_null($data)) {
2736                 // Is NULL
2737                 $data = 'NULL';
2738         } elseif (empty($data)) {
2739                 // Is empty (string)
2740                 $data = 'EMPTY';
2741         } // END - if
2742
2743         // Default column name is unknown
2744         $return = '{%message,' . $messagePrefix . '_UNKNOWN' . $messageSuffix . '=' . strtoupper($data) . '%}';
2745
2746         // Construct message id
2747         $messageId = $messagePrefix . '_' . strtoupper($data) . $messageSuffix;
2748
2749         // Is it there?
2750         if (isMessageIdValid($messageId)) {
2751                 // Then use it as message string
2752                 $return = '{--' . $messageId . '--}';
2753         } // END - if
2754
2755         // Return the column name
2756         return $return;
2757 }
2758
2759 // Translates points subject to human-readable
2760 function translatePointsSubject ($subject) {
2761         // Remove any :x
2762         $subject = removeDoubleDotFromSubject($subject);
2763
2764         // Return it
2765         return translateGeneric('POINTS_SUBJECT', $subject);
2766 }
2767
2768 // "Translates" given points account type
2769 function translatePointsAccountType ($accountType) {
2770         // Return it
2771         return translateGeneric('POINTS_ACCOUNT_TYPE', $accountType);
2772 }
2773
2774 // "Translates" given points "locked mode"
2775 function translatePointsLockedMode ($lockedMode) {
2776         // Return it
2777         return translateGeneric('POINTS_LOCKED_MODE', $lockedMode);
2778 }
2779
2780 // "Translates" given points payment method
2781 function translatePointsPaymentMethod ($paymentMethod) {
2782         // Return it
2783         return translateGeneric('POINTS_PAYMENT_METHOD', $paymentMethod);
2784 }
2785
2786 // "Translates" given points account provider
2787 function translatePointsAccountProvider ($accountProvider) {
2788         // Return it
2789         return translateGeneric('POINTS_ACCOUNT_PROVIDER', $accountProvider);
2790 }
2791
2792 // "Translates" given points notify recipient
2793 function translatePointsNotifyRecipient ($notifyRecipient) {
2794         // Return it
2795         return translateGeneric('POINTS_NOTIFY_RECIPIENT', $notifyRecipient);
2796 }
2797
2798 // "Translates" given mode to a human-readable version
2799 function translatePointsMode ($pointsMode) {
2800         // Return it
2801         return translateGeneric('POINTS_MODE', $pointsMode);
2802 }
2803
2804 // "Translates" task type to a human-readable version
2805 function translateTaskType ($taskType) {
2806         // Return it
2807         return translateGeneric('ADMIN_TASK_TYPE', $taskType);
2808 }
2809
2810 // "Translates" task status to a human-readable version
2811 function translateTaskStatus ($taskStatus) {
2812         // Return it
2813         return translateGeneric('ADMIN_TASK_STATUS', $taskStatus);
2814 }
2815
2816 /*
2817  *-----------------------------------------------------------------------------
2818  * Automatically re-created functions, all taken from user comments on
2819  * www.php.net
2820  *-----------------------------------------------------------------------------
2821  */
2822 if (!function_exists('html_entity_decode')) {
2823         // Taken from documentation on www.php.net
2824         function html_entity_decode ($string) {
2825                 $trans_tbl = get_html_translation_table(HTML_ENTITIES);
2826                 $trans_tbl = array_flip($trans_tbl);
2827                 return strtr($string, $trans_tbl);
2828         }
2829 } // END - if
2830
2831 // "Calculates" password strength
2832 function calculatePasswordStrength ($password, $configEntry = 'min_password_length') {
2833         // Default score
2834         $score = 1;
2835
2836         if ((strlen($password) < 1) || (strlen($password) < getConfig($configEntry))) {
2837                 // Is to weak
2838                 return 0;
2839         } // END - if
2840
2841         // At least 8 chars long?
2842         if (strlen($password) >= 8) {
2843                 // Add score
2844                 $score++;
2845         } // END - if
2846
2847         // At least 10 chars long?
2848         if (strlen($password) >= 10) {
2849                 // Add score
2850                 $score++;
2851         } // END - if
2852
2853         // Lower and upper cases?
2854         if ((preg_match('/[a-z]/', $password)) && (preg_match('/[A-Z]/', $password))) {
2855                 // Add score
2856                 $score++;
2857         } // END - if
2858
2859         // Also numbers?
2860         if (preg_match('/[0-9]/', $password))  {
2861                 // Add score
2862                 $score++;
2863         } // END - if
2864
2865         // Special characters?
2866         if (preg_match('/.[!,@,#,$,%,^,&,*,?,\/,_,~,+,-,(,)]/', $password)) {
2867                 // Add score
2868                 $score++;
2869         } // END - if
2870
2871         // Return password score
2872         return $score;
2873 }
2874
2875 // "Translates" password strength/score
2876 function translatePasswordStrength ($strength) {
2877         // Return it translated
2878         return '{--PASSWORD_SCORE_' . bigintval($strength) . '--}';
2879 }
2880
2881 // Checks whether given password is strong enough
2882 function isStrongPassword ($password) {
2883         // Determine it
2884         return (calculatePasswordStrength($password) >= getConfig('min_password_score'));
2885 }
2886
2887 // "Getter" for base path from theme
2888 function getBasePathFromTheme ($theme) {
2889         return sprintf('%stheme/%s/css/', getPath(), $theme);
2890 }
2891
2892 // [EOF]
2893 ?>