Old template cache directory removed, SVN property set
[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-MySQL functions (also file access)      *
10  * -------------------------------------------------------------------- *
11  * Kurzbeschreibung  : Viele Nicht-MySQL-Funktionen (auch Dateizugriff) *
12  * -------------------------------------------------------------------- *
13  * $Revision::                                                        $ *
14  * $Date::                                                            $ *
15  * $Tag:: 0.2.1-FINAL                                                 $ *
16  * $Author::                                                          $ *
17  * Needs to be in all Files and every File needs "svn propset           *
18  * svn:keywords Date Revision" (autoprobset!) at least!!!!!!            *
19  * -------------------------------------------------------------------- *
20  * Copyright (c) 2003 - 2009 by Roland Haeder                           *
21  * For more information visit: http://www.mxchange.org                  *
22  *                                                                      *
23  * This program is free software; you can redistribute it and/or modify *
24  * it under the terms of the GNU General Public License as published by *
25  * the Free Software Foundation; either version 2 of the License, or    *
26  * (at your option) any later version.                                  *
27  *                                                                      *
28  * This program is distributed in the hope that it will be useful,      *
29  * but WITHOUT ANY WARRANTY; without even the implied warranty of       *
30  * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the        *
31  * GNU General Public License for more details.                         *
32  *                                                                      *
33  * You should have received a copy of the GNU General Public License    *
34  * along with this program; if not, write to the Free Software          *
35  * Foundation, Inc., 51 Franklin St, Fifth Floor, Boston,               *
36  * MA  02110-1301  USA                                                  *
37  ************************************************************************/
38
39 // Some security stuff...
40 if (!defined('__SECURITY')) {
41         die();
42 } // END - if
43
44 // Output HTML code directly or 'render' it. You addionally switch the new-line character off
45 function outputHtml ($htmlCode, $newLine = true) {
46         // Init output
47         if (!isset($GLOBALS['output'])) $GLOBALS['output'] = '';
48
49         // Transfer username
50         $username = getMessage('USERNAME_UNKNOWN');
51         if (isset($GLOBALS['username'])) $username = getUsername();
52
53         // Do we have HTML-Code here?
54         if (!empty($htmlCode)) {
55                 // Yes, so we handle it as you have configured
56                 switch (getConfig('OUTPUT_MODE')) {
57                         case 'render':
58                                 // That's why you don't need any \n at the end of your HTML code... :-)
59                                 if (getPhpCaching() == 'on') {
60                                         // Output into PHP's internal buffer
61                                         outputRawCode($htmlCode);
62
63                                         // That's why you don't need any \n at the end of your HTML code... :-)
64                                         if ($newLine === true) print("\n");
65                                 } else {
66                                         // Render mode for old or lame servers...
67                                         $GLOBALS['output'] .= $htmlCode;
68
69                                         // That's why you don't need any \n at the end of your HTML code... :-)
70                                         if ($newLine === true) $GLOBALS['output'] .= "\n";
71                                 }
72                                 break;
73
74                         case 'direct':
75                                 // If we are switching from render to direct output rendered code
76                                 if ((!empty($GLOBALS['output'])) && (getPhpCaching() != 'on')) { outputRawCode($GLOBALS['output']); $GLOBALS['output'] = ''; }
77
78                                 // The same as above... ^
79                                 outputRawCode($htmlCode);
80                                 if ($newLine === true) print("\n");
81                                 break;
82
83                         default:
84                                 // Huh, something goes wrong or maybe you have edited config.php ???
85                                 app_die(__FUNCTION__, __LINE__, '<strong>{--FATAL_ERROR--}:</strong> {--LANG_NO_RENDER_DIRECT--}');
86                                 break;
87                 } // END - switch
88         } elseif ((getPhpCaching() == 'on') && ((!isset($GLOBALS['header'])) || (count($GLOBALS['header']) == 0))) {
89                 // Output cached HTML code
90                 $GLOBALS['output'] = ob_get_contents();
91
92                 // Clear output buffer for later output if output is found
93                 if (!empty($GLOBALS['output'])) {
94                         clearOutputBuffer();
95                 } // END - if
96
97                 // Extension 'rewrite' installed?
98                 if ((isExtensionActive('rewrite')) && (getOutputMode() != 1)) {
99                         $GLOBALS['output'] = rewriteLinksInCode($GLOBALS['output']);
100                 } // END - if
101
102                 // Send all HTTP headers
103                 sendHttpHeaders();
104
105                 // Compile and run finished rendered HTML code
106                 compileFinalOutput();
107
108                 // Output code here, DO NOT REMOVE! ;-)
109                 outputRawCode($GLOBALS['output']);
110         } elseif ((getConfig('OUTPUT_MODE') == 'render') && (!empty($GLOBALS['output']))) {
111                 // Rewrite links when rewrite extension is active
112                 if ((isExtensionActive('rewrite')) && (getOutputMode() != 1)) {
113                         $GLOBALS['output'] = rewriteLinksInCode($GLOBALS['output']);
114                 } // END - if
115
116                 // Send all HTTP headers
117                 sendHttpHeaders();
118
119                 // Compile and run finished rendered HTML code
120                 compileFinalOutput();
121
122                 // Output code here, DO NOT REMOVE! ;-)
123                 outputRawCode($GLOBALS['output']);
124         } else {
125                 // And flush all headers
126                 flushHeaders();
127         }
128 }
129
130 // Sends out all headers required for HTTP/1.1 reply
131 function sendHttpHeaders () {
132         // Used later
133         $now = gmdate('D, d M Y H:i:s') . ' GMT';
134
135         // Send HTTP header
136         sendHeader('HTTP/1.1 200');
137
138         // General headers for no caching
139         sendHeader('Expires: ' . $now); // RFC2616 - Section 14.21
140         sendHeader('Last-Modified: ' . $now);
141         sendHeader('Cache-Control: no-store, no-cache, must-revalidate, pre-check=0, post-check=0, max-age=0'); // HTTP/1.1
142         sendHeader('Pragma: no-cache'); // HTTP/1.0
143         sendHeader('Connection: Close');
144         sendHeader('Content-Type: ' . getContentType() . '; charset=UTF-8');
145         sendHeader('Content-Language: ' . getLanguage());
146 }
147
148 // Compiles the final output
149 function compileFinalOutput () {
150         // Init counter
151         $cnt = '0';
152
153         // Add page header and footer
154         addPageHeaderFooter();
155
156         // Compile all out
157         while (((strpos($GLOBALS['output'], '{--') > 0) || (strpos($GLOBALS['output'], '{!') > 0) || (strpos($GLOBALS['output'], '{?') > 0)) && ($cnt < 3)) {
158                 // Init common variables
159                 $content = array();
160                 $newContent = '';
161
162                 // Compile it
163                 $eval = "\$newContent = \"".compileCode(escapeQuotes($GLOBALS['output']))."\";";
164                 eval($eval);
165
166                 // Was that eval okay?
167                 if (empty($newContent)) {
168                         // Something went wrong!
169                         debug_report_bug('Evaluation error:<pre>' . linenumberCode($eval) . '</pre>', false);
170                 } // END - if
171                 $GLOBALS['output'] = $newContent;
172
173                 // Count round
174                 $cnt++;
175         } // END - while
176
177         // Compress it?
178         if (!empty($_SERVER['HTTP_ACCEPT_ENCODING']) && (strpos('gzip', $_SERVER['HTTP_ACCEPT_ENCODING']) !== null)) {
179                 // Compress it for HTTP gzip
180                 $GLOBALS['output'] = gzencode($GLOBALS['output'], 9, true);
181
182                 // Add header
183                 sendHeader('Content-Encoding: gzip');
184         } elseif (!empty($_SERVER['HTTP_ACCEPT_ENCODING']) && (strpos('deflate', $_SERVER['HTTP_ACCEPT_ENCODING']) !== null)) {
185                 // Compress it for HTTP deflate
186                 $GLOBALS['output'] = gzcompress($GLOBALS['output'], 9);
187
188                 // Add header
189                 sendHeader('Content-Encoding: deflate');
190         }
191
192         // Add final length
193         sendHeader('Content-Length: ' . strlen($GLOBALS['output']));
194
195         // Flush all headers
196         flushHeaders();
197 }
198
199 // Output the raw HTML code
200 function outputRawCode ($htmlCode) {
201         // Output stripped HTML code to avoid broken JavaScript code, etc.
202         print(str_replace('{BACK}', "\\", $htmlCode));
203
204         // Flush the output if only getPhpCaching() is not 'on'
205         if (getPhpCaching() != 'on') {
206                 // Flush it
207                 flush();
208         } // END - if
209 }
210
211 // Init fatal message array
212 function initFatalMessages () {
213         $GLOBALS['fatal_messages'] = array();
214 }
215
216 // Getter for whole fatal error messages
217 function getFatalArray () {
218         return $GLOBALS['fatal_messages'];
219 }
220
221 // Add a fatal error message to the queue array
222 function addFatalMessage ($F, $L, $message, $extra = '') {
223         if (is_array($extra)) {
224                 // Multiple extras for a message with masks
225                 $message = call_user_func_array('sprintf', $extra);
226         } elseif (!empty($extra)) {
227                 // $message is text with a mask plus extras to insert into the text
228                 $message = sprintf($message, $extra);
229         }
230
231         // Add message to $GLOBALS['fatal_messages']
232         $GLOBALS['fatal_messages'][] = $message;
233
234         // Log fatal messages away
235         logDebugMessage($F, $L, 'Fatal error message: ' . $message);
236 }
237
238 // Getter for total fatal message count
239 function getTotalFatalErrors () {
240         // Init coun
241         $count = '0';
242
243         // Do we have at least the first entry?
244         if (!empty($GLOBALS['fatal_messages'][0])) {
245                 // Get total count
246                 $count = count($GLOBALS['fatal_messages']);
247         } // END - if
248
249         // Return value
250         return $count;
251 }
252
253 // Load a template file and return it's content (only it's name; do not use ' or ")
254 function loadTemplate ($template, $return = false, $content = array()) {
255         // @TODO Remove this sanity-check if all is fine
256         if (!is_bool($return)) debug_report_bug('return is not bool (' . gettype($return) . ')');
257
258         // @TODO Try to rewrite all $DATA to $content
259         global $DATA;
260
261         // Do we have cache?
262         if (isTemplateCached($template)) {
263                 // Evaluate the cache
264                 eval(readTemplateCache($template));
265         } elseif (!isset($GLOBALS['template_eval'][$template])) {
266                 // Add more variables which you want to use in your template files
267                 $username = getUsername();
268
269                 // Make all template names lowercase
270                 $template = strtolower($template);
271
272                 // Init some data
273                 $ret = '';
274                 if (empty($GLOBALS['refid'])) $GLOBALS['refid'] = '0';
275
276                 // Base directory
277                 $basePath = sprintf("%stemplates/%s/html/", getConfig('PATH'), getLanguage());
278                 $extraPath = detectExtraTemplatePath($template);;
279
280                 ////////////////////////
281                 // Generate file name //
282                 ////////////////////////
283                 $FQFN = $basePath . $extraPath . $template . '.tpl';
284
285                 // Does the special template exists?
286                 if (!isFileReadable($FQFN)) {
287                         // Reset to default template
288                         $FQFN = $basePath . $template . '.tpl';
289                 } // END - if
290
291                 // Now does the final template exists?
292                 if (isFileReadable($FQFN)) {
293                         // Count the template load
294                         incrementConfigEntry('num_templates');
295
296                         // The local file does exists so we load it. :)
297                         $GLOBALS['tpl_content'] = readFromFile($FQFN);
298
299                         // Do we have to compile the code?
300                         $ret = '';
301                         if ((strpos($GLOBALS['tpl_content'], '$') !== false) || (strpos($GLOBALS['tpl_content'], '{--') !== false) || (strpos($GLOBALS['tpl_content'], '{!') !== false) || (strpos($GLOBALS['tpl_content'], '{?') !== false) || (strpos($GLOBALS['tpl_content'], '{%') !== false)) {
302                                 // Normal HTML output?
303                                 if (getOutputMode() == '0') {
304                                         // Add surrounding HTML comments to help finding bugs faster
305                                         $ret = '<!-- Template ' . $template . " - Start -->\n" . $GLOBALS['tpl_content'] . '<!-- Template ' . $template . " - End -->\n";
306
307                                         // Prepare eval() command
308                                         $eval = '$ret = "' . compileCode(escapeQuotes($ret)) . '";';
309                                 } elseif (substr($template, 0, 3) == 'js_') {
310                                         // JavaScripts don't like entities and timings
311                                         $eval = '$ret = decodeEntities("' . compileRawCode(escapeJavaScriptQuotes($GLOBALS['tpl_content'])) . '");';
312                                 } else {
313                                         // Prepare eval() command, other output doesn't like entities, maybe
314                                         $eval = '$ret = decodeEntities("' . compileRawCode(escapeQuotes($GLOBALS['tpl_content'])) . '");';
315                                 }
316                         } else {
317                                 // Add surrounding HTML comments to help finding bugs faster
318                                 $ret = '<!-- Template ' . $template . " - Start -->\n" . $GLOBALS['tpl_content'] . '<!-- Template ' . $template . " - End -->\n";
319                                 $eval = '$ret = "' . compileRawCode(escapeQuotes($ret)) . '";';
320                         } // END - if
321
322                         // Cache the eval() command here
323                         $GLOBALS['template_eval'][$template] = $eval;
324
325                         // Eval the code
326                         eval($GLOBALS['template_eval'][$template]);
327                 } elseif ((isAdmin()) || ((isInstalling()) && (!isInstalled()))) {
328                         // Only admins shall see this warning or when installation mode is active
329                         $ret = '<br /><span class="guest_failed">{--TEMPLATE_404--}</span><br />
330 (' . $template . ')<br />
331 <br />
332 {--TEMPLATE_CONTENT--}
333 <pre>' . print_r($content, true) . '</pre>
334 {--TEMPLATE_DATA--}
335 <pre>' . print_r($DATA, true) . '</pre>
336 <br /><br />';
337                 } else {
338                         // No file!
339                         $GLOBALS['template_eval'][$template] = '404';
340                 }
341         } else {
342                 // Eval the code
343                 eval($GLOBALS['template_eval'][$template]);
344         }
345
346         // Do we have some content to output or return?
347         if (!empty($ret)) {
348                 // Not empty so let's put it out! ;)
349                 if ($return === true) {
350                         // Return the HTML code
351                         return $ret;
352                 } else {
353                         // Output directly
354                         outputHtml($ret);
355                 }
356         } elseif (isDebugModeEnabled()) {
357                 // Warning, empty output!
358                 return 'E:' . $template . ',content=<pre>' . print_r($content, true) . '</pre>';
359         }
360 }
361
362 // Detects the extra template path from given template name
363 function detectExtraTemplatePath ($template) {
364         // Default is empty
365         $extraPath = '';
366
367         // Do we have cache?
368         if (!isset($GLOBALS['extra_path'][$template])) {
369                 // Check for admin/guest/member/etc. templates
370                 if (substr($template, 0, 6) == 'admin_') {
371                         // Admin template found
372                         $extraPath = 'admin/';
373                 } elseif (substr($template, 0, 6) == 'guest_') {
374                         // Guest template found
375                         $extraPath = 'guest/';
376                 } elseif (substr($template, 0, 7) == 'member_') {
377                         // Member template found
378                         $extraPath = 'member/';
379                 } elseif (substr($template, 0, 7) == 'select_') {
380                         // Selection template found
381                         $extraPath = 'select/';
382                 } elseif (substr($template, 0, 8) == 'install_') {
383                         // Installation template found
384                         $extraPath = 'install/';
385                 } elseif (substr($template, 0, 4) == 'ext_') {
386                         // Extension template found
387                         $extraPath = 'ext/';
388                 } elseif (substr($template, 0, 3) == 'la_') {
389                         // 'Logical-area' template found
390                         $extraPath = 'la/';
391                 } elseif (substr($template, 0, 3) == 'js_') {
392                         // JavaScript template found
393                         $extraPath = 'js/';
394                 } elseif (substr($template, 0, 5) == 'menu_') {
395                         // Menu template found
396                         $extraPath = 'menu/';
397                 } else {
398                         // Test for extension
399                         $test = substr($template, 0, strpos($template, '_'));
400
401                         // Probe for valid extension name
402                         if (isExtensionNameValid($test)) {
403                                 // Set extra path to extension's name
404                                 $extraPath = $test . '/';
405                         } // END - if
406                 }
407
408                 // Store it in cache
409                 $GLOBALS['extra_path'][$template] = $extraPath;
410         } // END - if
411
412         // Return result
413         return $GLOBALS['extra_path'][$template];
414 }
415
416 // Loads an email template and compiles it
417 function loadEmailTemplate ($template, $content = array(), $userid = '0') {
418         global $DATA;
419
420         // Make sure all template names are lowercase!
421         $template = strtolower($template);
422
423         // Default 'nickname' if extension is not installed
424         $nick = '---';
425
426         // Neutral email address is default
427         $email = getConfig('WEBMASTER');
428
429         // Is content an array?
430         if (is_array($content)) {
431                 // Add expiration to array
432                 if ((isConfigEntrySet('auto_purge')) && (getConfig('auto_purge') == '0')) {
433                         // Will never expire!
434                         $content['expiration'] = getMessage('MAIL_WILL_NEVER_EXPIRE');
435                 } elseif (isConfigEntrySet('auto_purge')) {
436                         // Create nice date string
437                         $content['expiration'] = createFancyTime(getConfig('auto_purge'));
438                 } else {
439                         // Missing entry
440                         $content['expiration'] = getMessage('MAIL_NO_CONFIG_AUTO_PURGE');
441                 }
442         } // END - if
443
444         // Load user's data
445         //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>):UID={$userid},template={$template},content[]=".gettype($content).'<br />');
446         if (($userid > 0) && (is_array($content))) {
447                 // If nickname extension is installed, fetch nickname as well
448                 if ((isExtensionActive('nickname')) && (isNicknameUsed($userid))) {
449                         //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>):NICKNAME!<br />");
450                         // Load by nickname
451                         fetchUserData($userid, 'nickname');
452                 } else {
453                         //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>):NO-NICK!<br />");
454                         /// Load by userid
455                         fetchUserData($userid);
456                 }
457
458                 // Merge data if valid
459                 //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>):content()=".count($content)." - PRE<br />");
460                 if (isUserDataValid()) {
461                         $content = merge_array($content, getUserDataArray());
462                 } // END - if
463                 //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>):content()=".count($content)." - AFTER<br />");
464         } // END - if
465
466         // Translate M to male or F to female if present
467         if (isset($content['gender'])) $content['gender'] = translateGender($content['gender']);
468
469         // Overwrite email from data if present
470         if (isset($content['email'])) $email = $content['email'];
471
472         // Store email for some functions in global data array
473         // @TODO Do only use $content, not $DATA or raw variables
474         $DATA['email'] = $email;
475
476         // Base directory
477         $basePath = sprintf("%stemplates/%s/emails/", getConfig('PATH'), getLanguage());
478
479         // Detect extra path
480         $extraPath = detectExtraTemplatePath($template);
481
482         // Generate full FQFN
483         $FQFN = $basePath . $extraPath . $template . '.tpl';
484
485         // Does the special template exists?
486         if (!isFileReadable($FQFN)) {
487                 // Reset to default template
488                 $FQFN = $basePath . $template . '.tpl';
489         } // END - if
490
491         // Now does the final template exists?
492         $newContent = '';
493         if (isFileReadable($FQFN)) {
494                 // The local file does exists so we load it. :)
495                 $GLOBALS['tpl_content'] = readFromFile($FQFN);
496
497                 // Run code
498                 $GLOBALS['tpl_content'] = "\$newContent = decodeEntities(\"".compileRawCode(escapeQuotes($GLOBALS['tpl_content']))."\");";
499                 eval($GLOBALS['tpl_content']);
500         } elseif (!empty($template)) {
501                 // Template file not found!
502                 $newContent = '{--TEMPLATE_404--}: ' . $template . '<br />
503 {--TEMPLATE_CONTENT--}
504 <pre>' . print_r($content, true) . '</pre>
505 {--TEMPLATE_DATA--}
506 <pre>' . print_r($DATA, true) . '</pre>
507 <br /><br />';
508
509                 // Debug mode not active? Then remove the HTML tags
510                 if (!isDebugModeEnabled()) $newContent = secureString($newContent);
511         } else {
512                 // No template name supplied!
513                 $newContent = getMessage('NO_TEMPLATE_SUPPLIED');
514         }
515
516         // Is there some content?
517         if (empty($newContent)) {
518                 // Compiling failed
519                 $newContent = "Compiler error for template " . $template . " !\nUncompiled content:\n" . $GLOBALS['tpl_content'];
520
521                 // Add last error if the required function exists
522                 if (function_exists('error_get_last')) $newContent .= "\n--------------------------------------\nDebug:\n".print_r(error_get_last(), true)."--------------------------------------\nPlease don't alter these informations!\nThanx.";
523         } // END - if
524
525         // Remove content and data
526         unset($content);
527         unset($DATA);
528
529         // Return content
530         return $newContent;
531 }
532
533 // Send mail out to an email address
534 function sendEmail ($toEmail, $subject, $message, $isHtml = 'N', $mailHeader = '') {
535         //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>):TO={$toEmail},SUBJECT={$subject}<br />");
536
537         // Compile subject line (for POINTS constant etc.)
538         eval("\$subject = decodeEntities(\"".compileRawCode(escapeQuotes($subject))."\");");
539
540         // Set from header
541         if ((!eregi('@', $toEmail)) && ($toEmail > 0)) {
542                 // Value detected, is the message extension installed?
543                 // @TODO Extension 'msg' does not exist
544                 if (isExtensionActive('msg')) {
545                         ADD_MESSAGE_TO_BOX($toEmail, $subject, $message, $isHtml);
546                         return;
547                 } else {
548                         // Does the user exist?
549                         if (fetchUserData($toEmail)) {
550                                 // Get the email
551                                 $toEmail = getUserData('email');
552                         } else {
553                                 // Set webmaster
554                                 $toEmail = getConfig('WEBMASTER');
555                         }
556                 }
557         } elseif ($toEmail == '0') {
558                 // Is the webmaster!
559                 $toEmail = getConfig('WEBMASTER');
560         }
561         //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>):TO={$toEmail}<br />");
562
563         // Check for PHPMailer or debug-mode
564         if (!checkPhpMailerUsage()) {
565                 // Not in PHPMailer-Mode
566                 if (empty($mailHeader)) {
567                         // Load email header template
568                         $mailHeader = loadEmailTemplate('header');
569                 } else {
570                         // Append header
571                         $mailHeader .= loadEmailTemplate('header');
572                 }
573         } elseif (isDebugModeEnabled()) {
574                 if (empty($mailHeader)) {
575                         // Load email header template
576                         $mailHeader = loadEmailTemplate('header');
577                 } else {
578                         // Append header
579                         $mailHeader .= loadEmailTemplate('header');
580                 }
581         }
582
583         // Compile "TO"
584         eval("\$toEmail = \"".compileRawCode(escapeQuotes($toEmail))."\";");
585
586         // Compile "MSG"
587         eval("\$message = \"".str_replace('$', '&#36;', compileRawCode(escapeQuotes($message)))."\";");
588
589         // Fix HTML parameter (default is no!)
590         if (empty($isHtml)) $isHtml = 'N';
591         if (isDebugModeEnabled()) {
592                 // In debug mode we want to display the mail instead of sending it away so we can debug this part
593                 outputHtml('<pre>
594 Headers : ' . htmlentities(utf8_decode(trim($mailHeader))) . '
595 To      : ' . htmlentities(utf8_decode($toEmail)) . '
596 Subject : ' . htmlentities(utf8_decode($subject)) . '
597 Message : ' . htmlentities(utf8_decode($message)) . '
598 </pre>');
599         } elseif (($isHtml == 'Y') && (isExtensionActive('html_mail'))) {
600                 // Send mail as HTML away
601                 sendHtmlEmail($toEmail, $subject, $message, $mailHeader);
602         } elseif (!empty($toEmail)) {
603                 // Send Mail away
604                 sendRawEmail($toEmail, $subject, $message, $mailHeader);
605         } elseif ($isHtml != 'Y') {
606                 // Problem found!
607                 sendRawEmail(getConfig('WEBMASTER'), '[PROBLEM:]' . $subject, $message, $mailHeader);
608         }
609 }
610
611 // Check to use wether legacy mail() command or PHPMailer class
612 // @TODO Rewrite this to an extension 'smtp'
613 // @private
614 function checkPhpMailerUsage() {
615         return ((getConfig('SMTP_HOSTNAME') != '') && (getConfig('SMTP_USER') != ''));
616 }
617
618 // Send out a raw email with PHPMailer class or legacy mail() command
619 function sendRawEmail ($toEmail, $subject, $message, $from) {
620         // Just compile all again, to put out all configs, etc.
621         eval('$toEmail = decodeEntities("' . compileRawCode(escapeQuotes($toEmail)) . '");');
622         eval('$subject = decodeEntities("' . compileRawCode(escapeQuotes($subject)) . '");');
623         eval('$message = decodeEntities("' . compileRawCode(escapeQuotes($message)) . '");');
624         eval('$from    = decodeEntities("' . compileRawCode(escapeQuotes($from))    . '");');
625
626         // Shall we use PHPMailer class or legacy mode?
627         if (checkPhpMailerUsage()) {
628                 // Use PHPMailer class with SMTP enabled
629                 loadIncludeOnce('inc/phpmailer/class.phpmailer.php');
630                 loadIncludeOnce('inc/phpmailer/class.smtp.php');
631
632                 // get new instance
633                 $mail = new PHPMailer();
634
635                 // Set charset to UTF-8
636                 $mail->CharSet('UTF-8');
637
638                 // Path for PHPMailer
639                 $mail->PluginDir  = sprintf("%sinc/phpmailer/", getConfig('PATH'));
640
641                 $mail->IsSMTP();
642                 $mail->SMTPAuth   = true;
643                 $mail->Host       = getConfig('SMTP_HOSTNAME');
644                 $mail->Port       = 25;
645                 $mail->Username   = getConfig('SMTP_USER');
646                 $mail->Password   = getConfig('SMTP_PASSWORD');
647                 if (empty($from)) {
648                         $mail->From = getConfig('WEBMASTER');
649                 } else {
650                         $mail->From = $from;
651                 }
652                 $mail->FromName   = getConfig('MAIN_TITLE');
653                 $mail->Subject    = $subject;
654                 if ((isExtensionActive('html_mail')) && (secureString($message) != $message)) {
655                         $mail->Body       = $message;
656                         $mail->AltBody    = 'Your mail program required HTML support to read this mail!';
657                         $mail->WordWrap   = 70;
658                         $mail->IsHTML(true);
659                 } else {
660                         $mail->Body       = decodeEntities($message);
661                 }
662                 $mail->AddAddress($toEmail, '');
663                 $mail->AddReplyTo(getConfig('WEBMASTER'), getConfig('MAIN_TITLE'));
664                 $mail->AddCustomHeader('Errors-To:' . getConfig('WEBMASTER'));
665                 $mail->AddCustomHeader('X-Loop:' . getConfig('WEBMASTER'));
666                 $mail->Send();
667         } else {
668                 // Use legacy mail() command
669                 mail($toEmail, $subject, decodeEntities($message), $from);
670         }
671 }
672
673 // Generate a password in a specified length or use default password length
674 function generatePassword ($length = '0') {
675         // Auto-fix invalid length of zero
676         if ($length == '0') $length = getConfig('pass_len');
677
678         // Initialize array with all allowed chars
679         $ABC = explode(',', 'a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y,z,A,B,C,D,E,F,G,H,I,J,K,L,M,N,O,P,Q,R,S,T,U,V,W,X,Y,Z,0,1,2,3,4,5,6,7,8,9,-,+,_,/,.');
680
681         // Start creating password
682         $PASS = '';
683         for ($i = '0'; $i < $length; $i++) {
684                 $PASS .= $ABC[mt_rand(0, count($ABC) -1)];
685         } // END - for
686
687         // When the size is below 40 we can also add additional security by scrambling
688         // it. Otherwise we may corrupt hashes
689         if (strlen($PASS) <= 40) {
690                 // Also scramble the password
691                 $PASS = scrambleString($PASS);
692         } // END - if
693
694         // Return the password
695         return $PASS;
696 }
697
698 // Generates a human-readable timestamp from the Uni* stamp
699 function generateDateTime ($time, $mode = '0') {
700         // Filter out numbers
701         $time = bigintval($time);
702
703         // If the stamp is zero it mostly didn't "happen"
704         if ($time == '0') {
705                 // Never happend
706                 return getMessage('NEVER_HAPPENED');
707         } // END - if
708
709         switch (getLanguage()) {
710                 case 'de': // German date / time format
711                         switch ($mode) {
712                                 case '0': $ret = date("d.m.Y \u\m H:i \U\h\\r", $time); break;
713                                 case '1': $ret = strtolower(date('d.m.Y - H:i', $time)); break;
714                                 case '2': $ret = date('d.m.Y|H:i', $time); break;
715                                 case '3': $ret = date('d.m.Y', $time); break;
716                                 default:
717                                         logDebugMessage(__FUNCTION__, __LINE__, sprintf("Invalid date mode %s detected.", $mode));
718                                         break;
719                         }
720                         break;
721
722                 default: // Default is the US date / time format!
723                         switch ($mode) {
724                                 case '0': $ret = date('r', $time); break;
725                                 case '1': $ret = date('Y-m-d - g:i A', $time); break;
726                                 case '2': $ret = date('y-m-d|H:i', $time); break;
727                                 case '3': $ret = date('y-m-d', $time); break;
728                                 default:
729                                         logDebugMessage(__FUNCTION__, __LINE__, sprintf("Invalid date mode %s detected.", $mode));
730                                         break;
731                         } // END - switch
732         } // END - switch
733
734         // Return result
735         return $ret;
736 }
737
738 // Translates Y/N to yes/no
739 function translateYesNo ($yn) {
740         // Default
741         $translated = '??? (' . $yn . ')';
742         switch ($yn) {
743                 case 'Y': $translated = getMessage('YES'); break;
744                 case 'N': $translated = getMessage('NO'); break;
745                 default:
746                         // Log unknown value
747                         logDebugMessage(__FUNCTION__, __LINE__, sprintf("Unknown value %s. Expected Y/N!", $yn));
748                         break;
749         }
750
751         // Return it
752         return $translated;
753 }
754
755 // Translates the "pool type" into human-readable
756 function translatePoolType ($type) {
757         // Default?type is unknown
758         $translated = getMaskedMessage('POOL_TYPE_UNKNOWN', $type);
759
760         // Generate constant
761         $constName = sprintf("POOL_TYPE_%s", $type);
762
763         // Does it exist?
764         if (isMessageIdValid($constName)) {
765                 // Then use it
766                 $translated = getMessage($constName);
767         } // END - if
768
769         // Return "translation"
770         return $translated;
771 }
772
773 // Translates the american decimal dot into a german comma
774 function translateComma ($dotted, $cut = true, $max = '0') {
775         // Default is 3 you can change this in admin area "Misc -> Misc Options"
776         if (!isConfigEntrySet('max_comma')) setConfigEntry('max_comma', 3);
777
778         // Use from config is default
779         $maxComma = getConfig('max_comma');
780
781         // Use from parameter?
782         if ($max > 0) $maxComma = $max;
783
784         // Cut zeros off?
785         if (($cut === true) && ($max == '0')) {
786                 // Test for commata if in cut-mode
787                 $com = explode('.', $dotted);
788                 if (count($com) < 2) {
789                         // Don't display commatas even if there are none... ;-)
790                         $maxComma = '0';
791                 }
792         } // END - if
793
794         // Debug log
795         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, "dotted={$dotted},maxComma={$maxComma}");
796
797         // Translate it now
798         switch (getLanguage()) {
799                 case 'de': // German language
800                         $dotted = number_format($dotted, $maxComma, ',', '.');
801                         break;
802
803                 default: // All others
804                         $dotted = number_format($dotted, $maxComma, '.', ',');
805                         break;
806         }
807
808         // Return translated value
809         return $dotted;
810 }
811
812 // Translate Uni*-like gender to human-readable
813 function translateGender ($gender) {
814         // Default
815         $ret = '!' . $gender . '!';
816
817         // Male/female or company?
818         switch ($gender) {
819                 case 'M': $ret = getMessage('GENDER_M'); break;
820                 case 'F': $ret = getMessage('GENDER_F'); break;
821                 case 'C': $ret = getMessage('GENDER_C'); break;
822                 default:
823                         // Please report bugs on unknown genders
824                         debug_report_bug(sprintf("Unknown gender %s detected.", $gender));
825                         break;
826         } // END - switch
827
828         // Return translated gender
829         return $ret;
830 }
831
832 // "Translates" the user status
833 function translateUserStatus ($status) {
834         // Generate message depending on status
835         switch ($status) {
836                 case 'UNCONFIRMED':
837                 case 'CONFIRMED':
838                 case 'LOCKED':
839                         $ret = getMessage(sprintf("ACCOUNT_%s", $status));
840                         break;
841
842                 case '':
843                 case null:
844                         $ret = getMessage('ACCOUNT_DELETED');
845                         break;
846
847                 default:
848                         // Please report all unknown status
849                         debug_report_bug(sprintf("Unknown status %s detected.", $status));
850                         break;
851         } // END - switch
852
853         // Return it
854         return $ret;
855 }
856
857 // Generates an URL for the dereferer
858 function generateDerefererUrl ($URL) {
859         // Don't de-refer our own links!
860         if (substr($URL, 0, strlen(getConfig('URL'))) != getConfig('URL')) {
861                 // De-refer this link
862                 $URL = '{%url=modules.php?module=loader&amp;url=' . encodeString(compileUriCode($URL)) . '%}';
863         } // END - if
864
865         // Return link
866         return $URL;
867 }
868
869 // Generates an URL for the frametester
870 function generateFrametesterUrl ($URL) {
871         // Prepare frametester URL
872         $frametesterUrl = sprintf("{%%url=modules.php?module=frametester&amp;url=%s%%}",
873                 encodeString(compileUriCode($URL))
874         );
875
876         // Return the new URL
877         return $frametesterUrl;
878 }
879
880 // Count entries from e.g. a selection box
881 function countSelection ($array) {
882         // Integrity check
883         if (!is_array($array)) {
884                 // Not an array!
885                 debug_report_bug(__FUNCTION__.': No array provided.');
886         } // END - if
887
888         // Init count
889         $ret = '0';
890
891         // Count all entries
892         foreach ($array as $key => $selected) {
893                 // Is it checked?
894                 if (!empty($selected)) $ret++;
895         } // END - foreach
896
897         // Return counted selections
898         return $ret;
899 }
900
901 // Generate XHTML code for the CAPTCHA
902 function generateCaptchaCode ($code, $type, $DATA, $userid) {
903         return '<img border="0" alt="Code ' . $code . '" src="{%url=mailid_top.php?userid=' . $userid . '&amp;' . $type . '=' . $DATA . '&amp;mode=img&amp;code=' . $code . '%}" />';
904 }
905
906 // Generates a timestamp (some wrapper for mktime())
907 function makeTime ($hours, $minutes, $seconds, $stamp) {
908         // Extract day, month and year from given timestamp
909         $days   = date('d', $stamp);
910         $months = date('m', $stamp);
911         $years  = date('Y', $stamp);
912
913         // Create timestamp for wished time which depends on extracted date
914         return mktime(
915                 $hours,
916                 $minutes,
917                 $seconds,
918                 $months,
919                 $days,
920                 $years
921         );
922 }
923
924 // Redirects to an URL and if neccessarry extends it with own base URL
925 function redirectToUrl ($URL) {
926         // Compile out codes
927         eval('$URL = "' . compileRawCode(encodeUrl($URL)) . '";');
928
929         // Default 'rel' value is external, nofollow is evil from Google and hurts the Internet
930         $rel = ' rel="external"';
931
932         // Do we have internal or external URL?
933         if (substr($URL, 0, strlen(getConfig('URL'))) == getConfig('URL')) {
934                 // Own (=internal) URL
935                 $rel = '';
936         } // END - if
937
938         // Three different ways to debug...
939         //* DEBUG: */ debug_report_bug(sprintf("%s[%s:] URL=%s", __FUNCTION__, __LINE__, $URL));
940         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'URL=' . $URL);
941         //* DEBUG: */ die($URL);
942
943         // Simple probe for bots/spiders from search engines
944         if (isSpider()) {
945                 // Secure the URL against bad things such als HTML insertions and so on...
946                 $URL = secureString($URL);
947
948                 // Set content-type here to fix a missing array element
949                 setContentType('text/html');
950
951                 // Output new location link as anchor
952                 outputHtml('<a href="' . $URL . '"' . $rel . '>' . $URL . '</a>');
953         } elseif (!headers_sent()) {
954                 // Clear own output buffer
955                 $GLOBALS['output'] = '';
956
957                 // Load URL when headers are not sent
958                 sendHeader('Location: '.str_replace('&amp;', '&', $URL));
959         } else {
960                 // Output error message
961                 loadInclude('inc/header.php');
962                 loadTemplate('redirect_url', false, str_replace('&amp;', '&', $URL));
963                 loadInclude('inc/footer.php');
964         }
965
966         // Shut the mailer down here
967         shutdown();
968 }
969
970 // Wrapper for redirectToUrl but URL comes from a configuration entry
971 function redirectToConfiguredUrl ($configEntry) {
972         // Get the URL
973         $URL = getConfig($configEntry);
974
975         // Is this URL set?
976         if (is_null($URL)) {
977                 // Then abort here
978                 debug_report_bug(sprintf("Configuration entry %s is not set!", $configEntry));
979         } // END - if
980
981         // Load the URL
982         redirectToUrl($URL);
983 }
984
985 // Compiles the given HTML/mail code
986 function compileCode ($code, $simple = false, $constants = true, $full = true) {
987         // Is the code a string?
988         if (!is_string($code)) {
989                 // Silently return it
990                 return $code;
991         } // END - if
992
993         // Start couting
994         $startCompile = microtime(true);
995
996         // Comile the code
997         $code = compileRawCode($code, $simple, $constants, $full);
998
999         // Get timing
1000         $compiled = microtime(true);
1001
1002         // Add timing
1003         $code .= '<!-- Compilation time: ' . (($compiled - $startCompile) * 1000). 'ms //-->';
1004
1005         // Return compiled code
1006         return $code;
1007 }
1008
1009 // Compiles the code (use compileCode() only for HTML because of the comments)
1010 // @TODO $simple is deprecated
1011 function compileRawCode ($code, $simple = false, $constants = true, $full = true) {
1012         // Is the code a string?
1013         if (!is_string($code)) {
1014                 // Silently return it
1015                 return $code;
1016         } // END - if
1017
1018         // Init replacement-array with smaller set of security characters
1019         $secChars = $GLOBALS['url_chars'];
1020
1021         // Select full set of chars to replace when we e.g. want to compile URLs
1022         if ($full === true) $secChars = $GLOBALS['security_chars'];
1023
1024         // Compile more through a filter
1025         $code = runFilterChain('compile_code', $code);
1026
1027         // Compile constants
1028         if ($constants === true) {
1029                 // BEFORE 0.2.1 : Language and data constants
1030                 // WITH 0.2.1+  : Only language constants
1031                 $code = str_replace('{--', "\" . getMessage('", str_replace('--}', "') . \"", $code));
1032
1033                 // BEFORE 0.2.1 : Not used
1034                 // WITH 0.2.1+  : Data constants
1035                 $code = str_replace('{!', "\" . constant('", str_replace('!}', "') . \"", $code));
1036         } // END - if
1037
1038         // Compile QUOT and other non-HTML codes
1039         foreach ($secChars['to'] as $k => $to) {
1040                 // Do the reversed thing as in inc/libs/security_functions.php
1041                 $code = str_replace($to, $secChars['from'][$k], $code);
1042         } // END - foreach
1043
1044         // Find $content[bla][blub] entries
1045         // @TODO Do only use $content and deprecate $GLOBALS and $DATA in templates
1046         preg_match_all('/\$(content|GLOBALS|DATA)((\[([a-zA-Z0-9-_]+)\])*)/', $code, $matches);
1047
1048         // Are some matches found?
1049         if ((count($matches) > 0) && (count($matches[0]) > 0)) {
1050                 // Replace all matches
1051                 $matchesFound = array();
1052                 foreach ($matches[0] as $key => $match) {
1053                         // Fuzzy look has failed by default
1054                         $fuzzyFound = false;
1055
1056                         // Fuzzy look on match if already found
1057                         foreach ($matchesFound as $found => $set) {
1058                                 // Get test part
1059                                 $test = substr($found, 0, strlen($match));
1060
1061                                 // Does this entry exist?
1062                                 //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>):found={$found},match={$match},set={$set}<br />");
1063                                 if ($test == $match) {
1064                                         // Match found!
1065                                         //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>):fuzzyFound!<br />");
1066                                         $fuzzyFound = true;
1067                                         break;
1068                                 } // END - if
1069                         } // END - foreach
1070
1071                         // Skip this entry?
1072                         if ($fuzzyFound === true) continue;
1073
1074                         // Take all string elements
1075                         if ((is_string($matches[4][$key])) && (!isset($matchesFound[$match])) && (!isset($matchesFound[$key."_" . $matches[4][$key]]))) {
1076                                 // Replace it in the code
1077                                 //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>):key={$key},match={$match}<br />");
1078                                 $newMatch = str_replace('[', "['", str_replace(']', "']", $match));
1079                                 $code = str_replace($match, '".' . $newMatch . '."', $code);
1080                                 $matchesFound[$key . '_' . $matches[4][$key]] = 1;
1081                                 $matchesFound[$match] = 1;
1082                         } elseif (!isset($matchesFound[$match])) {
1083                                 // Not yet replaced!
1084                                 //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>):match={$match}<br />");
1085                                 $code = str_replace($match, '".' . $match . '."', $code);
1086                                 $matchesFound[$match] = 1;
1087                         }
1088                 } // END - foreach
1089         } // END - if
1090
1091         // Return it
1092         return $code;
1093 }
1094
1095 /************************************************************************
1096  *                                                                      *
1097  * Gaenderter Sortier-Algorythmus, $array wird nach dem Array (!)       *
1098  * $a_sort sortiert:                                                    *
1099  *                                                                      *
1100  * $array - Das 3-dimensionale Array, das paralell sortiert werden soll *
1101  * $a_sort - Array, das die Sortiereihenfolge der ersten Elementeben    *
1102  * $primary_key - Prim.rschl.ssel aus $a_sort, nach dem sortiert wird   *
1103  * $order - Sortiereihenfolge: -1 = a-Z, 0 = keine, 1 = Z-a             *
1104  * $nums - true = Als Zahlen sortieren, false = Als Zeichen sortieren   *
1105  *                                                                      *
1106  * $a_sort muss Elemente enthalten, deren Wert Schluessel von $array    *
1107  * sind... Klingt kompliziert, suchen Sie mal mein Beispiel, dann sehen *
1108  * Sie, dass es doch nicht so schwer ist! :-)                           *
1109  *                                                                      *
1110  ************************************************************************/
1111 function array_pk_sort (&$array, $a_sort, $primary_key = '0', $order = -1, $nums = false) {
1112         $dummy = $array;
1113         while ($primary_key < count($a_sort)) {
1114                 foreach ($dummy[$a_sort[$primary_key]] as $key => $value) {
1115                         foreach ($dummy[$a_sort[$primary_key]] as $key2 => $value2) {
1116                                 $match = false;
1117                                 if ($nums === false) {
1118                                         // Sort byte-by-byte (also numbers will be interpreted as chars! E.g.: "9" > "10")
1119                                         if (($key != $key2) && (strcmp(strtolower($dummy[$a_sort[$primary_key]][$key]), strtolower($dummy[$a_sort[$primary_key]][$key2])) == $order)) $match = true;
1120                                 } elseif ($key != $key2) {
1121                                         // Sort numbers (E.g.: 9 < 10)
1122                                         if (($dummy[$a_sort[$primary_key]][$key] < $dummy[$a_sort[$primary_key]][$key2]) && ($order == -1)) $match = true;
1123                                         if (($dummy[$a_sort[$primary_key]][$key] > $dummy[$a_sort[$primary_key]][$key2]) && ($order == 1))  $match = true;
1124                                 }
1125
1126                                 if ($match) {
1127                                         // We have found two different values, so let's sort whole array
1128                                         foreach ($dummy as $sort_key => $sort_val) {
1129                                                 $t                       = $dummy[$sort_key][$key];
1130                                                 $dummy[$sort_key][$key]  = $dummy[$sort_key][$key2];
1131                                                 $dummy[$sort_key][$key2] = $t;
1132                                                 unset($t);
1133                                         } // END - foreach
1134                                 } // END - if
1135                         } // END - foreach
1136                 } // END - foreach
1137
1138                 // Count one up
1139                 $primary_key++;
1140         } // END - while
1141
1142         // Write back sorted array
1143         $array = $dummy;
1144 }
1145
1146 //
1147 function addSelectionBox ($type, $default, $prefix = '', $id = '0', $class = 'register_select') {
1148         $OUT = '';
1149
1150         if ($type == 'yn') {
1151                 // This is a yes/no selection only!
1152                 if ($id > 0) $prefix .= "[" . $id."]";
1153                 $OUT .= "    <select name=\"" . $prefix."\" class=\"" . $class . "\" size=\"1\">\n";
1154         } else {
1155                 // Begin with regular selection box here
1156                 if (!empty($prefix)) $prefix .= "_";
1157                 $type2 = $type;
1158                 if ($id > 0) $type2 .= "[" . $id."]";
1159                 $OUT .= "    <select name=\"".strtolower($prefix . $type2)."\" class=\"" . $class . "\" size=\"1\">\n";
1160         }
1161
1162         switch ($type) {
1163                 case 'day': // Day
1164                         for ($idx = 1; $idx < 32; $idx++) {
1165                                 $OUT .= "<option value=\"" . $idx."\"";
1166                                 if ($default == $idx) $OUT .= ' selected="selected"';
1167                                 $OUT .= ">" . $idx."</option>\n";
1168                         } // END - for
1169                         break;
1170
1171                 case 'month': // Month
1172                         foreach ($GLOBALS['month_descr'] as $month => $descr) {
1173                                 $OUT .= "<option value=\"" . $month."\"";
1174                                 if ($default == $month) $OUT .= ' selected="selected"';
1175                                 $OUT .= ">" . $descr."</option>\n";
1176                         } // END - for
1177                         break;
1178
1179                 case 'year': // Year
1180                         // Get current year
1181                         $year = date('Y', time());
1182
1183                         // Use configured min age or fixed?
1184                         if ((isExtensionActive('other')) && (getExtensionVersion('other') >= '0.2.1')) {
1185                                 // Configured
1186                                 $startYear = $year - getConfig('min_age');
1187                         } else {
1188                                 // Fixed 16 years
1189                                 $startYear = $year - 16;
1190                         }
1191
1192                         // Calculate earliest year (100 years old people can still enter Internet???)
1193                         $minYear = $year - 100;
1194
1195                         // Check if the default value is larger than minimum and bigger than actual year
1196                         if (($default > $minYear) && ($default >= $year)) {
1197                                 for ($idx = $year; $idx < ($year + 11); $idx++) {
1198                                         $OUT .= "<option value=\"" . $idx."\"";
1199                                         if ($default == $idx) $OUT .= ' selected="selected"';
1200                                         $OUT .= ">" . $idx."</option>\n";
1201                                 } // END - for
1202                         } elseif ($default == -1) {
1203                                 // Current year minus 1
1204                                 for ($idx = $startYear; $idx <= ($year + 1); $idx++)
1205                                 {
1206                                         $OUT .= "<option value=\"" . $idx."\">" . $idx."</option>\n";
1207                                 }
1208                         } else {
1209                                 // Get current year and subtract the configured minimum age
1210                                 $OUT .= "<option value=\"".($minYear - 1)."\">&lt;" . $minYear."</option>\n";
1211                                 // Calculate earliest year depending on extension version
1212                                 if ((isExtensionActive('other')) && (getExtensionVersion('other') >= '0.2.1')) {
1213                                         // Use configured minimum age
1214                                         $year = date('Y', time()) - getConfig('min_age');
1215                                 } else {
1216                                         // Use fixed 16 years age
1217                                         $year = date('Y', time()) - 16;
1218                                 }
1219
1220                                 // Construct year selection list
1221                                 for ($idx = $minYear; $idx <= $year; $idx++) {
1222                                         $OUT .= "<option value=\"" . $idx."\"";
1223                                         if ($default == $idx) $OUT .= ' selected="selected"';
1224                                         $OUT .= ">" . $idx."</option>\n";
1225                                 } // END - for
1226                         }
1227                         break;
1228
1229                 case 'sec':
1230                 case 'min':
1231                         for ($idx = '0'; $idx < 60; $idx+=5) {
1232                                 if (strlen($idx) == 1) $idx = '0' . $idx;
1233                                 $OUT .= "<option value=\"" . $idx."\"";
1234                                 if ($default == $idx) $OUT .= ' selected="selected"';
1235                                 $OUT .= ">" . $idx."</option>\n";
1236                         } // END - for
1237                         break;
1238
1239                 case 'hour':
1240                         for ($idx = '0'; $idx < 24; $idx++) {
1241                                 if (strlen($idx) == 1) $idx = '0' . $idx;
1242                                 $OUT .= "<option value=\"" . $idx."\"";
1243                                 if ($default == $idx) $OUT .= ' selected="selected"';
1244                                 $OUT .= ">" . $idx."</option>\n";
1245                         } // END - for
1246                         break;
1247
1248                 case 'yn':
1249                         $OUT .= "<option value=\"Y\"";
1250                         if ($default == 'Y') $OUT .= ' selected="selected"';
1251                         $OUT .= ">{--YES--}</option>\n<option value=\"N\"";
1252                         if ($default != 'Y') $OUT .= ' selected="selected"';
1253                         $OUT .= ">{--NO--}</option>\n";
1254                         break;
1255         }
1256         $OUT .= "    </select>\n";
1257         return $OUT;
1258 }
1259
1260 //
1261 // Deprecated : $length
1262 // Optional   : $DATA
1263 //
1264 function generateRandomCode ($length, $code, $userid, $DATA = '') {
1265         // Build server string
1266         $server = $_SERVER['PHP_SELF'] . getConfig('ENCRYPT_SEPERATOR') . detectUserAgent() . getConfig('ENCRYPT_SEPERATOR') . getenv('SERVER_SOFTWARE') . getConfig('ENCRYPT_SEPERATOR') . detectRemoteAddr().":'.':".filemtime(getConfig('PATH').'inc/databases.php');
1267
1268         // Build key string
1269         $keys = getConfig('SITE_KEY') . getConfig('ENCRYPT_SEPERATOR') . getConfig('DATE_KEY');
1270         if (isConfigEntrySet('secret_key'))  $keys .= getConfig('ENCRYPT_SEPERATOR').getConfig('secret_key');
1271         if (isConfigEntrySet('file_hash'))   $keys .= getConfig('ENCRYPT_SEPERATOR').getConfig('file_hash');
1272         $keys .= getConfig('ENCRYPT_SEPERATOR') . date('d-m-Y (l-F-T)', getConfig('patch_ctime'));
1273         if (isConfigEntrySet('master_salt')) $keys .= getConfig('ENCRYPT_SEPERATOR').getConfig('master_salt');
1274
1275         // Build string from misc data
1276         $data   = $code . getConfig('ENCRYPT_SEPERATOR') . $userid . getConfig('ENCRYPT_SEPERATOR') . $DATA;
1277
1278         // Add more additional data
1279         if (isSessionVariableSet('u_hash'))         $data .= getConfig('ENCRYPT_SEPERATOR') . getSession('u_hash');
1280
1281         // Add referal id, language, theme and userid
1282         $data .= getConfig('ENCRYPT_SEPERATOR') . determineReferalId();
1283         $data .= getConfig('ENCRYPT_SEPERATOR') . getLanguage();
1284         $data .= getConfig('ENCRYPT_SEPERATOR') . getCurrentTheme();
1285         $data .= getConfig('ENCRYPT_SEPERATOR') . getMemberId();
1286
1287         // Calculate number for generating the code
1288         $a = $code + getConfig('_ADD') - 1;
1289
1290         if (isConfigEntrySet('master_salt')) {
1291                 // Generate hash with master salt from modula of number with the prime number and other data
1292                 $saltedHash = generateHash(($a % getConfig('_PRIME')) . getConfig('ENCRYPT_SEPERATOR') . $server . getConfig('ENCRYPT_SEPERATOR') . $keys . getConfig('ENCRYPT_SEPERATOR') . $data . getConfig('ENCRYPT_SEPERATOR') . getConfig('DATE_KEY') . getConfig('ENCRYPT_SEPERATOR') . $a, getConfig('master_salt'));
1293
1294                 // Create number from hash
1295                 $rcode = hexdec(substr($saltedHash, strlen(getConfig('master_salt')), 9)) / abs(getConfig('rand_no') - $a + sqrt(getConfig('_ADD'))) / pi();
1296         } else {
1297                 // Generate hash with "hash of site key" from modula of number with the prime number and other data
1298                 $saltedHash = generateHash(($a % getConfig('_PRIME')) . getConfig('ENCRYPT_SEPERATOR') . $server . getConfig('ENCRYPT_SEPERATOR') . $keys . getConfig('ENCRYPT_SEPERATOR') . $data . getConfig('ENCRYPT_SEPERATOR') . getConfig('DATE_KEY') . getConfig('ENCRYPT_SEPERATOR') . $a, substr(sha1(getConfig('SITE_KEY')), 0, getConfig('salt_length')));
1299
1300                 // Create number from hash
1301                 $rcode = hexdec(substr($saltedHash, 8, 9)) / abs(getConfig('rand_no') - $a + sqrt(getConfig('_ADD'))) / pi();
1302         }
1303
1304         // At least 10 numbers shall be secure enought!
1305         $len = getConfig('code_length');
1306         if ($len == '0') $len = $length;
1307         if ($len == '0') $len = 10;
1308
1309         // Cut off requested counts of number
1310         $return = substr(str_replace('.', '', $rcode), 0, $len);
1311
1312         // Done building code
1313         return $return;
1314 }
1315
1316 // Does only allow numbers
1317 function bigintval ($num, $castValue = true) {
1318         // Filter all numbers out
1319         $ret = preg_replace('/[^0123456789]/', '', $num);
1320
1321         // Shall we cast?
1322         if ($castValue === true) $ret = (double)$ret;
1323
1324         // Has the whole value changed?
1325         if ('' . $ret . '' != '' . $num . '') {
1326                 // Log the values
1327                 debug_report_bug('Problem with number found. ret=' . $ret . ', num='. $num);
1328         } // END - if
1329
1330         // Return result
1331         return $ret;
1332 }
1333
1334 // Insert the code in $img_code into jpeg or PNG image
1335 function generateImageOrCode ($img_code, $headerSent = true) {
1336         // Is the code size oversized or shouldn't we display it?
1337         if ((strlen($img_code) > 6) || (empty($img_code)) || (getConfig('code_length') == '0')) {
1338                 // Stop execution of function here because of over-sized code length
1339                 debug_report_bug('img_code ' . $img_code .' has invalid length. img_code()=' . strlen($img_code) . ' code_length=' . getConfig('code_length'));
1340         } elseif ($headerSent === false) {
1341                 // Return an HTML code here
1342                 return "<img src=\"{%url=img.php?code=" . $img_code."%}\" alt=\"Image\" />\n";
1343         }
1344
1345         // Load image
1346         $img = sprintf("%s/theme/%s/images/code_bg.%s",
1347                 getConfig('PATH'),
1348                 getCurrentTheme(),
1349                 getConfig('img_type')
1350         );
1351
1352         // Is it readable?
1353         if (isFileReadable($img)) {
1354                 // Switch image type
1355                 switch (getConfig('img_type'))
1356                 {
1357                         case 'jpg':
1358                                 // Okay, load image and hide all errors
1359                                 $image = imagecreatefromjpeg($img);
1360                                 break;
1361
1362                         case 'png':
1363                                 // Okay, load image and hide all errors
1364                                 $image = imagecreatefrompng($img);
1365                                 break;
1366                 }
1367         } else {
1368                 // Exit function here
1369                 logDebugMessage(__FUNCTION__, __LINE__, sprintf("File for image type %s not found.", getConfig('img_type')));
1370                 return;
1371         }
1372
1373         // Generate text color (red/green/blue; 0 = dark, 255 = bright)
1374         $text_color = imagecolorallocate($image, 0, 0, 0);
1375
1376         // Insert code into image
1377         imagestring($image, 5, 14, 2, $img_code, $text_color);
1378
1379         // Return to browser
1380         sendHeader('Content-Type: image/' . getConfig('img_type'));
1381
1382         // Output image with matching image factory
1383         switch (getConfig('img_type')) {
1384                 case 'jpg': imagejpeg($image); break;
1385                 case 'png': imagepng($image);  break;
1386         }
1387
1388         // Remove image from memory
1389         imagedestroy($image);
1390 }
1391 // Create selection box or array of splitted timestamp
1392 function createTimeSelections ($timestamp, $prefix = '', $display = '', $align = 'center', $return_array=false) {
1393         // Do not continue if ONE_DAY is absend
1394         if (!isConfigEntrySet('ONE_DAY')) {
1395                 // And return the timestamp itself or empty array
1396                 if ($return_array === true) {
1397                         return array();
1398                 } else {
1399                         return $timestamp;
1400                 }
1401         } // END - if
1402
1403         // Calculate 2-seconds timestamp
1404         $stamp = round($timestamp);
1405         //* DEBUG: */ print("*" . $stamp.'/' . $timestamp."*<br />");
1406
1407         // Do we have a leap year?
1408         $SWITCH = '0';
1409         $TEST = date('Y', time()) / 4;
1410         $M1 = date('m', time());
1411         $M2 = date('m', (time() + $timestamp));
1412
1413         // If so and if current time is before 02/29 and estimated time is after 02/29 then add 86400 seconds (one day)
1414         if ((floor($TEST) == $TEST) && ($M1 == "02") && ($M2 > "02"))  $SWITCH = getConfig('ONE_DAY');
1415
1416         // First of all years...
1417         $Y = abs(floor($timestamp / (31536000 + $SWITCH)));
1418         //* DEBUG: */ print("Y={$Y}<br />");
1419         // Next months...
1420         $M = abs(floor($timestamp / 2628000 - $Y * 12));
1421         //* DEBUG: */ print("M={$M}<br />");
1422         // Next weeks
1423         $W = abs(floor($timestamp / 604800 - $Y * ((365 + $SWITCH / getConfig('ONE_DAY')) / 7) - ($M / 12 * (365 + $SWITCH / getConfig('ONE_DAY')) / 7)));
1424         //* DEBUG: */ print("W={$W}<br />");
1425         // Next days...
1426         $D = abs(floor($timestamp / 86400 - $Y * (365 + $SWITCH / getConfig('ONE_DAY')) - ($M / 12 * (365 + $SWITCH / getConfig('ONE_DAY'))) - $W * 7));
1427         //* DEBUG: */ print("D={$D}<br />");
1428         // Next hours...
1429         $h = abs(floor($timestamp / 3600 - $Y * (365 + $SWITCH / getConfig('ONE_DAY')) * 24 - ($M / 12 * (365 + $SWITCH / getConfig('ONE_DAY')) * 24) - $W * 7 * 24 - $D * 24));
1430         //* DEBUG: */ print("h={$h}<br />");
1431         // Next minutes..
1432         $m = abs(floor($timestamp / 60 - $Y * (365 + $SWITCH / getConfig('ONE_DAY')) * 24 * 60 - ($M / 12 * (365 + $SWITCH / getConfig('ONE_DAY')) * 24 * 60) - $W * 7 * 24 * 60 - $D * 24 * 60 - $h * 60));
1433         //* DEBUG: */ print("m={$m}<br />");
1434         // And at last seconds...
1435         $s = abs(floor($timestamp - $Y * (365 + $SWITCH / getConfig('ONE_DAY')) * 24 * 3600 - ($M / 12 * (365 + $SWITCH / getConfig('ONE_DAY')) * 24 * 3600) - $W * 7 * 24 * 3600 - $D * 24 * 3600 - $h * 3600 - $m * 60));
1436         //* DEBUG: */ print("s={$s}<br />");
1437
1438         // Is seconds zero and time is < 60 seconds?
1439         if (($s == '0') && ($timestamp < 60)) {
1440                 // Fix seconds
1441                 $s = round($timestamp);
1442         } // END - if
1443
1444         //
1445         // Now we convert them in seconds...
1446         //
1447         if ($return_array) {
1448                 // Just put all data in an array for later use
1449                 $OUT = array(
1450                         'YEARS'   => $Y,
1451                         'MONTHS'  => $M,
1452                         'WEEKS'   => $W,
1453                         'DAYS'    => $D,
1454                         'HOURS'   => $h,
1455                         'MINUTES' => $m,
1456                         'SECONDS' => $s
1457                 );
1458         } else {
1459                 // Generate table
1460                 $OUT  = "<div align=\"" . $align."\">\n";
1461                 $OUT .= "<table border=\"0\" cellspacing=\"0\" cellpadding=\"0\" class=\"timebox_table dashed\">\n";
1462                 $OUT .= "<tr>\n";
1463
1464                 if (ereg('Y', $display) || (empty($display))) {
1465                         $OUT .= "  <td align=\"center\" class=\"timebox_column bottom\"><div class=\"tiny\">{--_YEARS--}</strong></td>\n";
1466                 }
1467
1468                 if (ereg('M', $display) || (empty($display))) {
1469                         $OUT .= "  <td align=\"center\" class=\"timebox_column bottom\"><div class=\"tiny\">{--_MONTHS--}</strong></td>\n";
1470                 }
1471
1472                 if (ereg('W', $display) || (empty($display))) {
1473                         $OUT .= "  <td align=\"center\" class=\"timebox_column bottom\"><div class=\"tiny\">{--_WEEKS--}</strong></td>\n";
1474                 }
1475
1476                 if (ereg('D', $display) || (empty($display))) {
1477                         $OUT .= "  <td align=\"center\" class=\"timebox_column bottom\"><div class=\"tiny\">{--_DAYS--}</strong></td>\n";
1478                 }
1479
1480                 if (ereg('h', $display) || (empty($display))) {
1481                         $OUT .= "  <td align=\"center\" class=\"timebox_column bottom\"><div class=\"tiny\">{--_HOURS--}</strong></td>\n";
1482                 }
1483
1484                 if (ereg('m', $display) || (empty($display))) {
1485                         $OUT .= "  <td align=\"center\" class=\"timebox_column bottom\"><div class=\"tiny\">{--_MINUTES--}</strong></td>\n";
1486                 }
1487
1488                 if (ereg('s', $display) || (empty($display))) {
1489                         $OUT .= "  <td align=\"center\" class=\"timebox_column bottom\"><div class=\"tiny\">{--_SECONDS--}</strong></td>\n";
1490                 }
1491
1492                 $OUT .= "</tr>\n";
1493                 $OUT .= "<tr>\n";
1494
1495                 if (ereg('Y', $display) || (empty($display))) {
1496                         // Generate year selection
1497                         $OUT .= "  <td align=\"center\"><select class=\"mini_select\" name=\"" . $prefix . "_ye\" size=\"1\">\n";
1498                         for ($idx = '0'; $idx <= 10; $idx++) {
1499                                 $OUT .= "    <option class=\"mini_select\" value=\"" . $idx."\"";
1500                                 if ($idx == $Y) $OUT .= ' selected="selected"';
1501                                 $OUT .= ">" . $idx."</option>\n";
1502                         }
1503                         $OUT .= "  </select></td>\n";
1504                 } else {
1505                         $OUT .= '<input type="hidden" name="' . $prefix . '_ye" value="0" />';
1506                 }
1507
1508                 if (ereg('M', $display) || (empty($display))) {
1509                         // Generate month selection
1510                         $OUT .= "  <td align=\"center\"><select class=\"mini_select\" name=\"" . $prefix . "_mo\" size=\"1\">\n";
1511                         for ($idx = '0'; $idx <= 11; $idx++)
1512                         {
1513                                 $OUT .= "  <option class=\"mini_select\" value=\"" . $idx."\"";
1514                                 if ($idx == $M) $OUT .= ' selected="selected"';
1515                                 $OUT .= ">" . $idx."</option>\n";
1516                         }
1517                         $OUT .= "  </select></td>\n";
1518                 } else {
1519                         $OUT .= '<input type="hidden" name="' . $prefix . '_mo" value="0" />';
1520                 }
1521
1522                 if (ereg('W', $display) || (empty($display))) {
1523                         // Generate week selection
1524                         $OUT .= "  <td align=\"center\"><select class=\"mini_select\" name=\"" . $prefix . "_we\" size=\"1\">\n";
1525                         for ($idx = '0'; $idx <= 4; $idx++) {
1526                                 $OUT .= "  <option class=\"mini_select\" value=\"" . $idx."\"";
1527                                 if ($idx == $W) $OUT .= ' selected="selected"';
1528                                 $OUT .= ">" . $idx."</option>\n";
1529                         }
1530                         $OUT .= "  </select></td>\n";
1531                 } else {
1532                         $OUT .= '<input type="hidden" name="' . $prefix . '_we" value="0" />';
1533                 }
1534
1535                 if (ereg('D', $display) || (empty($display))) {
1536                         // Generate day selection
1537                         $OUT .= "  <td align=\"center\"><select class=\"mini_select\" name=\"" . $prefix . "_da\" size=\"1\">\n";
1538                         for ($idx = '0'; $idx <= 31; $idx++) {
1539                                 $OUT .= "  <option class=\"mini_select\" value=\"" . $idx."\"";
1540                                 if ($idx == $D) $OUT .= ' selected="selected"';
1541                                 $OUT .= ">" . $idx."</option>\n";
1542                         }
1543                         $OUT .= "  </select></td>\n";
1544                 } else {
1545                         $OUT .= '<input type="hidden" name="' . $prefix . '_da" value="0" />';
1546                 }
1547
1548                 if (ereg('h', $display) || (empty($display))) {
1549                         // Generate hour selection
1550                         $OUT .= "  <td align=\"center\"><select class=\"mini_select\" name=\"" . $prefix . "_ho\" size=\"1\">\n";
1551                         for ($idx = '0'; $idx <= 23; $idx++)    {
1552                                 $OUT .= "  <option class=\"mini_select\" value=\"" . $idx."\"";
1553                                 if ($idx == $h) $OUT .= ' selected="selected"';
1554                                 $OUT .= ">" . $idx."</option>\n";
1555                         }
1556                         $OUT .= "  </select></td>\n";
1557                 } else {
1558                         $OUT .= '<input type="hidden" name="' . $prefix . '_ho" value="0" />';
1559                 }
1560
1561                 if (ereg('m', $display) || (empty($display))) {
1562                         // Generate minute selection
1563                         $OUT .= "  <td align=\"center\"><select class=\"mini_select\" name=\"" . $prefix . "_mi\" size=\"1\">\n";
1564                         for ($idx = '0'; $idx <= 59; $idx++) {
1565                                 $OUT .= "  <option class=\"mini_select\" value=\"" . $idx."\"";
1566                                 if ($idx == $m) $OUT .= ' selected="selected"';
1567                                 $OUT .= ">" . $idx."</option>\n";
1568                         }
1569                         $OUT .= "  </select></td>\n";
1570                 } else {
1571                         $OUT .= '<input type="hidden" name="' . $prefix . '_mi" value="0" />';
1572                 }
1573
1574                 if (ereg('s', $display) || (empty($display))) {
1575                         // Generate second selection
1576                         $OUT .= "  <td align=\"center\"><select class=\"mini_select\" name=\"" . $prefix . "_se\" size=\"1\">\n";
1577                         for ($idx = '0'; $idx <= 59; $idx++) {
1578                                 $OUT .= "  <option class=\"mini_select\" value=\"" . $idx."\"";
1579                                 if ($idx == $s) $OUT .= ' selected="selected"';
1580                                 $OUT .= ">" . $idx."</option>\n";
1581                         }
1582                         $OUT .= "  </select></td>\n";
1583                 } else {
1584                         $OUT .= '<input type="hidden" name="' . $prefix . '_se" value="0" />';
1585                 }
1586                 $OUT .= "</tr>\n";
1587                 $OUT .= "</table>\n";
1588                 $OUT .= "</div>\n";
1589                 // Return generated HTML code
1590         }
1591         return $OUT;
1592 }
1593
1594 //
1595 function createTimestampFromSelections ($prefix, $postData) {
1596         // Initial return value
1597         $ret = '0';
1598
1599         // Do we have a leap year?
1600         $SWITCH = '0';
1601         $TEST = date('Y', time()) / 4;
1602         $M1   = date('m', time());
1603         // If so and if current time is before 02/29 and estimated time is after 02/29 then add 86400 seconds (one day)
1604         if ((floor($TEST) == $TEST) && ($M1 == '02') && ($postData[$prefix . '_mo'] > '02'))  $SWITCH = getConfig('ONE_DAY');
1605         // First add years...
1606         $ret += $postData[$prefix . '_ye'] * (31536000 + $SWITCH);
1607         // Next months...
1608         $ret += $postData[$prefix . '_mo'] * 2628000;
1609         // Next weeks
1610         $ret += $postData[$prefix . '_we'] * 604800;
1611         // Next days...
1612         $ret += $postData[$prefix . '_da'] * 86400;
1613         // Next hours...
1614         $ret += $postData[$prefix . '_ho'] * 3600;
1615         // Next minutes..
1616         $ret += $postData[$prefix . '_mi'] * 60;
1617         // And at last seconds...
1618         $ret += $postData[$prefix . '_se'];
1619         // Return calculated value
1620         return $ret;
1621 }
1622
1623 // Creates a 'fancy' human-readable timestamp from a Uni* stamp
1624 function createFancyTime ($stamp) {
1625         // Get data array with years/months/weeks/days/...
1626         $data = createTimeSelections($stamp, '', '', '', true);
1627         $ret = '';
1628         foreach($data as $k => $v) {
1629                 if ($v > 0) {
1630                         // Value is greater than 0 "eval" data to return string
1631                         eval("\$ret .= \", \".\$v.\" {--_".strtoupper($k)."--}\";");
1632                         break;
1633                 } // END - if
1634         } // END - foreach
1635
1636         // Do we have something there?
1637         if (strlen($ret) > 0) {
1638                 // Remove leading commata and space
1639                 $ret = substr($ret, 2);
1640         } else {
1641                 // Zero seconds
1642                 $ret = "0 {--_SECONDS--}";
1643         }
1644
1645         // Return fancy time string
1646         return $ret;
1647 }
1648
1649 // Generates a navigation row for listing emails
1650 function addEmailNavigation ($PAGES, $offset, $show_form, $colspan, $return=false) {
1651         $TOP = '';
1652         if ($show_form === false) {
1653                 $TOP = " top";
1654         }
1655
1656         $NAV = '';
1657         for ($page = 1; $page <= $PAGES; $page++) {
1658                 // Is the page currently selected or shall we generate a link to it?
1659                 if (($page == getRequestParameter('page')) || ((!isGetRequestParameterSet('page')) && ($page == 1))) {
1660                         // Is currently selected, so only highlight it
1661                         $NAV .= '<strong>-';
1662                 } else {
1663                         // Open anchor tag and add base URL
1664                         $NAV .= '<a href="{%url=modules.php?module=admin&amp;what=' . getWhat() . '&amp;page=' . $page . '&amp;offset=' . $offset;
1665
1666                         // Add userid when we shall show all mails from a single member
1667                         if ((isGetRequestParameterSet('userid')) && (bigintval(getRequestParameter('userid')) > 0)) $NAV .= '&amp;userid=' . bigintval(getRequestParameter('userid'));
1668
1669                         // Close open anchor tag
1670                         $NAV .= '%}">';
1671                 }
1672                 $NAV .= $page;
1673                 if (($page == getRequestParameter('page')) || ((!isGetRequestParameterSet('page')) && ($page == 1))) {
1674                         // Is currently selected, so only highlight it
1675                         $NAV .= '-</strong>';
1676                 } else {
1677                         // Close anchor tag
1678                         $NAV .= '</a>';
1679                 }
1680
1681                 // Add seperator if we have not yet reached total pages
1682                 if ($page < $PAGES) $NAV .= '&nbsp;|&nbsp;';
1683         } // END - for
1684
1685         // Define constants only once
1686         $content['nav']  = $NAV;
1687         $content['span'] = $colspan;
1688         $content['top']  = $TOP;
1689
1690         // Load navigation template
1691         $OUT = loadTemplate('admin_email_nav_row', true, $content);
1692
1693         if ($return === true) {
1694                 // Return generated HTML-Code
1695                 return $OUT;
1696         } else {
1697                 // Output HTML-Code
1698                 outputHtml($OUT);
1699         }
1700 }
1701
1702 // Extract host from script name
1703 function extractHostnameFromUrl (&$script) {
1704         // Use default SERVER_URL by default... ;) So?
1705         $url = getConfig('SERVER_URL');
1706
1707         // Is this URL valid?
1708         if (substr($script, 0, 7) == 'http://') {
1709                 // Use the hostname from script URL as new hostname
1710                 $url = substr($script, 7);
1711                 $extract = explode('/', $url);
1712                 $url = $extract[0];
1713                 // Done extracting the URL :)
1714         } // END - if
1715
1716         // Extract host name
1717         $host = str_replace('http://', '', $url);
1718         if (ereg('/', $host)) $host = substr($host, 0, strpos($host, '/'));
1719
1720         // Generate relative URL
1721         //* DEBUG: */ print("SCRIPT=" . $script.'<br />');
1722         if (substr(strtolower($script), 0, 7) == 'http://') {
1723                 // But only if http:// is in front!
1724                 $script = substr($script, (strlen($url) + 7));
1725         } elseif (substr(strtolower($script), 0, 8) == 'https://') {
1726                 // Does this work?!
1727                 $script = substr($script, (strlen($url) + 8));
1728         }
1729
1730         //* DEBUG: */ print("SCRIPT=" . $script.'<br />');
1731         if (substr($script, 0, 1) == '/') $script = substr($script, 1);
1732
1733         // Return host name
1734         return $host;
1735 }
1736
1737 // Send a GET request
1738 function sendGetRequest ($script, $data = array()) {
1739         // Extract host name from script
1740         $host = extractHostnameFromUrl($script);
1741
1742         // Add data
1743         $body = http_build_query($data, '', '&');
1744
1745         // Do we have a question-mark in the script?
1746         if (strpos($script, '?') === false) {
1747                 // No, so first char must be question mark
1748                 $body = '?' . $body;
1749         } else {
1750                 // Ok, add &
1751                 $body = '&' . $body;
1752         }
1753
1754         // Add script data
1755         $script .= $body;
1756
1757         // Remove trailed & to make it more conform
1758         if (substr($script, -1, 1) == '&') $script = substr($script, 0, -1);
1759
1760         // Generate GET request header
1761         $request  = 'GET /' . trim($script) . ' HTTP/1.1' . getConfig('HTTP_EOL');
1762         $request .= 'Host: ' . $host . getConfig('HTTP_EOL');
1763         $request .= 'Referer: ' . getConfig('URL') . '/admin.php' . getConfig('HTTP_EOL');
1764         if (isConfigEntrySet('FULL_VERSION')) {
1765                 $request .= 'User-Agent: ' . getConfig('TITLE') . '/' . getConfig('FULL_VERSION') . getConfig('HTTP_EOL');
1766         } else {
1767                 $request .= 'User-Agent: ' . getConfig('TITLE') . '/' . getConfig('VERSION') . getConfig('HTTP_EOL');
1768         }
1769         $request .= 'Accept: text/plain;q=0.8' . getConfig('HTTP_EOL');
1770         $request .= 'Accept-Charset: UTF-8,*' . getConfig('HTTP_EOL');
1771         $request .= 'Cache-Control: no-cache' . getConfig('HTTP_EOL');
1772         $request .= 'Content-Type: text/plain' . getConfig('HTTP_EOL');
1773         $request .= 'Content-Length: 0' . getConfig('HTTP_EOL');
1774         $request .= 'Connection: close' . getConfig('HTTP_EOL');
1775         $request .= getConfig('HTTP_EOL');
1776
1777         // Send the raw request
1778         $response = sendRawRequest($host, $request);
1779
1780         // Return the result to the caller function
1781         return $response;
1782 }
1783
1784 // Send a POST request
1785 function sendPostRequest ($script, $postData) {
1786         // Is postData an array?
1787         if (!is_array($postData)) {
1788                 // Abort here
1789                 logDebugMessage(__FUNCTION__, __LINE__, sprintf("postData is not an array. Type: %s", gettype($postData)));
1790                 return array('', '', '');
1791         } // END - if
1792
1793         // Extract host name from script
1794         $host = extractHostnameFromUrl($script);
1795
1796         // Construct request
1797         $body = http_build_query($postData, '', '&');
1798
1799         // Generate POST request header
1800         $request  = 'POST /' . trim($script) . ' HTTP/1.1' . getConfig('HTTP_EOL');
1801         $request .= 'Host: ' . $host . getConfig('HTTP_EOL');
1802         $request .= 'Referer: ' . getConfig('URL') . '/admin.php' . getConfig('HTTP_EOL');
1803         $request .= 'User-Agent: ' . getConfig('TITLE') . '/' . getConfig('FULL_VERSION') . getConfig('HTTP_EOL');
1804         $request .= 'Cache-Control: no-cache' . getConfig('HTTP_EOL');
1805         $request .= 'Content-Type: application/x-www-form-urlencoded' . getConfig('HTTP_EOL');
1806         $request .= 'Connection: close' . getConfig('HTTP_EOL');
1807         $request .= getConfig('HTTP_EOL');
1808
1809         // Add body
1810         $request .= $body;
1811
1812         // Send the raw request
1813         $response = sendRawRequest($host, $request);
1814
1815         // Return the result to the caller function
1816         return $response;
1817 }
1818
1819 // Sends a raw request to another host
1820 function sendRawRequest ($host, $request) {
1821         // Init errno and errdesc with 'all fine' values
1822         $errno = '0'; $errdesc = '';
1823
1824         // Initialize array
1825         $response = array('', '', '');
1826
1827         // Default is not to use proxy
1828         $useProxy = false;
1829
1830         // Are proxy settins set?
1831         if ((isConfigEntrySet('proxy_host')) && (getConfig('proxy_host') != '') && (isConfigEntrySet('proxy_port')) && (getConfig('proxy_port') > 0)) {
1832                 // Then use it
1833                 $useProxy = true;
1834         } // END - if
1835
1836         // Open connection
1837         //* DEBUG: */ die("SCRIPT=" . $script.'<br />');
1838         if ($useProxy === true) {
1839                 // Connect to host through proxy connection
1840                 $fp = fsockopen(compileRawCode(getConfig('proxy_host')), bigintval(getConfig('proxy_port')), $errno, $errdesc, 30);
1841         } else {
1842                 // Connect to host directly
1843                 $fp = fsockopen($host, 80, $errno, $errdesc, 30);
1844         }
1845
1846         // Is there a link?
1847         if (!is_resource($fp)) {
1848                 // Failed!
1849                 logDebugMessage(__FUNCTION__, __LINE__, $errdesc . ' (' . $errno . ')');
1850                 return $response;
1851         } elseif ((!stream_set_blocking($fp, 0)) || (!stream_set_timeout($fp, 1))) {
1852                 // Cannot set non-blocking mode or timeout
1853                 logDebugMessage(__FUNCTION__, __LINE__, socket_strerror(socket_last_error()));
1854                 return $response;
1855         }
1856
1857         // Do we use proxy?
1858         if ($useProxy === true) {
1859                 // Generate CONNECT request header
1860                 $proxyTunnel  = 'CONNECT ' . $host . ':80 HTTP/1.1' . getConfig('HTTP_EOL');
1861                 $proxyTunnel .= 'Host: ' . $host . getConfig('HTTP_EOL');
1862
1863                 // Use login data to proxy? (username at least!)
1864                 if (getConfig('proxy_username') != '') {
1865                         // Add it as well
1866                         $encodedAuth = base64_encode(compileRawCode(getConfig('proxy_username')) . getConfig('ENCRYPT_SEPERATOR') . compileRawCode(getConfig('proxy_password')));
1867                         $proxyTunnel .= 'Proxy-Authorization: Basic ' . $encodedAuth . getConfig('HTTP_EOL');
1868                 } // END - if
1869
1870                 // Add last new-line
1871                 $proxyTunnel .= getConfig('HTTP_EOL');
1872                 //* DEBUG: */ print('<strong>proxyTunnel=</strong><pre>' . $proxyTunnel.'</pre>');
1873
1874                 // Write request
1875                 fwrite($fp, $proxyTunnel);
1876
1877                 // Got response?
1878                 if (feof($fp)) {
1879                         // No response received
1880                         return $response;
1881                 } // END - if
1882
1883                 // Read the first line
1884                 $resp = trim(fgets($fp, 10240));
1885                 $respArray = explode(' ', $resp);
1886                 if ((strtolower($respArray[0]) !== 'http/1.0') || ($respArray[1] != '200')) {
1887                         // Invalid response!
1888                         return $response;
1889                 } // END - if
1890         } // END - if
1891
1892         // Write request
1893         fwrite($fp, $request);
1894
1895         // Start counting
1896         $start = microtime(true);
1897
1898         // Read response
1899         while (!feof($fp)) {
1900                 // Get info from stream
1901                 $info = stream_get_meta_data($fp);
1902
1903                 // Is it timed out? 15 seconds is a really patient...
1904                 if (($info['timed_out'] == true) || (microtime(true) - $start) > 15) {
1905                         // Timeout
1906                         logDebugMessage(__FUNCTION__, __LINE__, 'Timed out to get data from host ' . $host);
1907
1908                         // Abort here
1909                         break;
1910                 } // END - if
1911
1912                 // Get line from stream
1913                 $line = fgets($fp, 128);
1914
1915                 // Ignore empty lines because of non-blocking mode
1916                 if (empty($line)) {
1917                         // uslepp a little to avoid 100% CPU load
1918                         usleep(10);
1919
1920                         // Skip this
1921                         continue;
1922                 } // END - if
1923
1924                 // Add it to response
1925                 $response[] = trim($line);
1926         } // END - while
1927
1928         // Close socket
1929         fclose($fp);
1930
1931         // Time request if debug-mode is enabled
1932         if (isDebugModeEnabled()) {
1933                 // Add debug message...
1934                 logDebugMessage(__FUNCTION__, __LINE__, 'Request took ' . (microtime(true) - $start) . ' seconds.');
1935         } // END - if
1936
1937         // Skip first empty lines
1938         $resp = $response;
1939         foreach ($resp as $idx => $line) {
1940                 // Trim space away
1941                 $line = trim($line);
1942
1943                 // Is this line empty?
1944                 if (empty($line)) {
1945                         // Then remove it
1946                         array_shift($response);
1947                 } else {
1948                         // Abort on first non-empty line
1949                         break;
1950                 }
1951         } // END - foreach
1952
1953         //* DEBUG: */ print('<strong>Response:</strong><pre>'.print_r($response, true).'</pre>');
1954
1955         // Proxy agent found or something went wrong?
1956         if (!isset($response[0])) {
1957                 // No response, maybe timeout
1958                 $response = array('', '', '');
1959         } elseif ((substr(strtolower($response[0]), 0, 11) == 'proxy-agent') && ($useProxy === true)) {
1960                 // Proxy header detected, so remove two lines
1961                 array_shift($response);
1962                 array_shift($response);
1963         } // END - if
1964
1965         // Was the request successfull?
1966         if ((!eregi('200 OK', $response[0])) || (empty($response[0]))) {
1967                 // Not found / access forbidden
1968                 $response = array('', '', '');
1969         } // END - if
1970
1971         // Return response
1972         return $response;
1973 }
1974
1975 // Taken from www.php.net eregi() user comments
1976 function isEmailValid ($email) {
1977         // Check first part of email address
1978         $first = '[-a-z0-9!#$%&\'*+/=?^_<{|}~]+(\.[-a-zA-Z0-9!#$%&\'*+/=?^_<{|}~]+)*';
1979
1980         //  Check domain
1981         $domain = '[a-z0-9-]+(\.[a-z0-9-]{2,5})+';
1982
1983         // Generate pattern
1984         $regex = '@^' . $first . '\@' . $domain . '$@iU';
1985
1986         // Return check result
1987         return preg_match($regex, $email);
1988 }
1989
1990 // Function taken from user comments on www.php.net / function eregi()
1991 function isUrlValid ($URL, $compile=true) {
1992         // Trim URL a little
1993         $URL = trim(urldecode($URL));
1994         //* DEBUG: */ outputHtml($URL.'<br />');
1995
1996         // Compile some chars out...
1997         if ($compile === true) $URL = compileUriCode($URL, false, false, false);
1998         //* DEBUG: */ outputHtml($URL.'<br />');
1999
2000         // Check for the extension filter
2001         if (isExtensionActive('filter')) {
2002                 // Use the extension's filter set
2003                 return FILTER_VALIDATE_URL($URL, false);
2004         } // END - if
2005
2006         // If not installed, perform a simple test. Just make it sure there is always a http:// or
2007         // https:// in front of the URLs
2008         return isUrlValidSimple($URL);
2009 }
2010
2011 // Generate a list of administrative links to a given userid
2012 function generateMemberAdminActionLinks ($userid, $status = '') {
2013         // Make sure userid is a number
2014         if ($userid != bigintval($userid)) debug_report_bug('userid is not a number!');
2015
2016         // Define all main targets
2017         $targetArray = array('del_user', 'edit_user', 'lock_user', 'add_points', 'sub_points');
2018
2019         // Begin of navigation links
2020         $OUT = '[&nbsp;';
2021
2022         foreach ($targetArray as $tar) {
2023                 $OUT .= '<span class="admin_user_link"><a href="{%url=modules.php?module=admin&amp;what=' . $tar . '&amp;userid=' . $userid . '%}" title="{--ADMIN_LINK_';
2024                 //* DEBUG: */ outputHtml('*' . $tar.'/' . $status.'*<br />');
2025                 if (($tar == 'lock_user') && ($status == 'LOCKED')) {
2026                         // Locked accounts shall be unlocked
2027                         $OUT .= 'UNLOCK_USER';
2028                 } else {
2029                         // All other status is fine
2030                         $OUT .= strtoupper($tar);
2031                 }
2032                 $OUT .= '_TITLE--}">{--ADMIN_';
2033                 if (($tar == 'lock_user') && ($status == 'LOCKED')) {
2034                         // Locked accounts shall be unlocked
2035                         $OUT .= 'UNLOCK_USER';
2036                 } else {
2037                         // All other status is fine
2038                         $OUT .= strtoupper($tar);
2039                 }
2040                 $OUT .= '--}</a></span>&nbsp;|&nbsp;';
2041         }
2042
2043         // Finish navigation link
2044         $OUT = substr($OUT, 0, -7) . ']';
2045
2046         // Return string
2047         return $OUT;
2048 }
2049
2050 // Generate an email link
2051 function generateEmailLink ($email, $table = 'admins') {
2052         // Default email link (INSECURE! Spammer can read this by harvester programs)
2053         $EMAIL = 'mailto:' . $email;
2054
2055         // Check for several extensions
2056         if ((isExtensionActive('admins')) && ($table == 'admins')) {
2057                 // Create email link for contacting admin in guest area
2058                 $EMAIL = generateAdminEmailLink($email);
2059         } elseif ((isExtensionActive('user')) && (getExtensionVersion('user') >= '0.3.3') && ($table == 'user_data')) {
2060                 // Create email link for contacting a member within admin area (or later in other areas, too?)
2061                 $EMAIL = generateUserEmailLink($email, 'admin');
2062         } elseif ((isExtensionActive('sponsor')) && ($table == 'sponsor_data')) {
2063                 // Create email link to contact sponsor within admin area (or like the link above?)
2064                 $EMAIL = generateSponsorEmailLink($email, 'sponsor_data');
2065         }
2066
2067         // Shall I close the link when there is no admin?
2068         if ((!isAdmin()) && ($EMAIL == $email)) $EMAIL = '#'; // Closed!
2069
2070         // Return email link
2071         return $EMAIL;
2072 }
2073
2074 // Generate a hash for extra-security for all passwords
2075 function generateHash ($plainText, $salt = '', $hash = true) {
2076         // Is the required extension 'sql_patches' there and a salt is not given?
2077         if (((isExtensionInstalledAndOlder('sql_patches', '0.3.6')) || (!isExtensionActive('sql_patches')) || (!isExtensionInstalledAndNewer('other', '0.2.5'))) && (empty($salt))) {
2078                 // Extension sql_patches is missing/outdated so we hash the plain text with MD5
2079                 if ($hash === true) {
2080                         // Is plain password
2081                         return md5($plainText);
2082                 } else {
2083                         // Is already a hash
2084                         return $plainText;
2085                 }
2086         } // END - if
2087
2088         // Do we miss an arry element here?
2089         if (!isConfigEntrySet('file_hash')) {
2090                 // Stop here
2091                 debug_report_bug('Missing file_hash in ' . __FUNCTION__ . '.');
2092         } // END - if
2093
2094         // When the salt is empty build a new one, else use the first x configured characters as the salt
2095         if (empty($salt)) {
2096                 // Build server string (inc/databases.php is no longer updated with every commit)
2097                 $server = $_SERVER['PHP_SELF'] . getConfig('ENCRYPT_SEPERATOR') . detectUserAgent() . getConfig('ENCRYPT_SEPERATOR') . getenv('SERVER_SOFTWARE') . getConfig('ENCRYPT_SEPERATOR') . detectRemoteAddr();
2098
2099                 // Build key string
2100                 $keys   = getConfig('SITE_KEY') . getConfig('ENCRYPT_SEPERATOR') . getConfig('DATE_KEY') . getConfig('ENCRYPT_SEPERATOR') . getConfig('secret_key') . getConfig('ENCRYPT_SEPERATOR') . getConfig('file_hash') . getConfig('ENCRYPT_SEPERATOR') . date('d-m-Y (l-F-T)', getConfig('patch_ctime')) . getConfig('ENCRYPT_SEPERATOR') . getConfig('master_salt');
2101
2102                 // Additional data
2103                 $data = $plainText . getConfig('ENCRYPT_SEPERATOR') . uniqid(mt_rand(), true) . getConfig('ENCRYPT_SEPERATOR') . time();
2104
2105                 // Calculate number for generating the code
2106                 $a = time() + getConfig('_ADD') - 1;
2107
2108                 // Generate SHA1 sum from modula of number and the prime number
2109                 $sha1 = sha1(($a % getConfig('_PRIME')) . $server . getConfig('ENCRYPT_SEPERATOR') . $keys . getConfig('ENCRYPT_SEPERATOR') . $data . getConfig('ENCRYPT_SEPERATOR') . getConfig('DATE_KEY') . getConfig('ENCRYPT_SEPERATOR') . $a);
2110                 //* DEBUG: */ outputHtml('SHA1=' . $sha1.' ('.strlen($sha1).')<br />');
2111                 $sha1 = scrambleString($sha1);
2112                 //* DEBUG: */ outputHtml('Scrambled=' . $sha1.' ('.strlen($sha1).')<br />');
2113                 //* DEBUG: */ $sha1b = descrambleString($sha1);
2114                 //* DEBUG: */ outputHtml('Descrambled=' . $sha1b.' ('.strlen($sha1b).')<br />');
2115
2116                 // Generate the password salt string
2117                 $salt = substr($sha1, 0, getConfig('salt_length'));
2118                 //* DEBUG: */ outputHtml($salt.' ('.strlen($salt).')<br />');
2119         } else {
2120                 // Use given salt
2121                 //* DEBUG: */ print 'salt=' . $salt . '<br />';
2122                 $salt = substr($salt, 0, getConfig('salt_length'));
2123                 //* DEBUG: */ print 'salt=' . $salt . '(' . strlen($salt) . '/' . getConfig('salt_length') . ')<br />';
2124
2125                 // Sanity check on salt
2126                 if (strlen($salt) != getConfig('salt_length')) {
2127                         // Not the same!
2128                         debug_report_bug(__FUNCTION__.': salt length mismatch! ('.strlen($salt).'/'.getConfig('salt_length').')');
2129                 } // END - if
2130         }
2131
2132         // Return hash
2133         return $salt.sha1($salt . $plainText);
2134 }
2135
2136 // Scramble a string
2137 function scrambleString($str) {
2138         // Init
2139         $scrambled = '';
2140
2141         // Final check, in case of failture it will return unscrambled string
2142         if (strlen($str) > 40) {
2143                 // The string is to long
2144                 return $str;
2145         } elseif (strlen($str) == 40) {
2146                 // From database
2147                 $scrambleNums = explode(':', getConfig('pass_scramble'));
2148         } else {
2149                 // Generate new numbers
2150                 $scrambleNums = explode(':', genScrambleString(strlen($str)));
2151         }
2152
2153         // Compare both lengths and abort if different
2154         if (strlen($str) != count($scrambleNums)) return $str;
2155
2156         // Scramble string here
2157         //* DEBUG: */ outputHtml('***Original=' . $str.'***<br />');
2158         for ($idx = '0'; $idx < strlen($str); $idx++) {
2159                 // Get char on scrambled position
2160                 $char = substr($str, $scrambleNums[$idx], 1);
2161
2162                 // Add it to final output string
2163                 $scrambled .= $char;
2164         } // END - for
2165
2166         // Return scrambled string
2167         //* DEBUG: */ outputHtml('***Scrambled=' . $scrambled.'***<br />');
2168         return $scrambled;
2169 }
2170
2171 // De-scramble a string scrambled by scrambleString()
2172 function descrambleString($str) {
2173         // Scramble only 40 chars long strings
2174         if (strlen($str) != 40) return $str;
2175
2176         // Load numbers from config
2177         $scrambleNums = explode(':', getConfig('pass_scramble'));
2178
2179         // Validate numbers
2180         if (count($scrambleNums) != 40) return $str;
2181
2182         // Begin descrambling
2183         $orig = str_repeat(' ', 40);
2184         //* DEBUG: */ outputHtml('+++Scrambled=' . $str.'+++<br />');
2185         for ($idx = '0'; $idx < 40; $idx++) {
2186                 $char = substr($str, $idx, 1);
2187                 $orig = substr_replace($orig, $char, $scrambleNums[$idx], 1);
2188         } // END - for
2189
2190         // Return scrambled string
2191         //* DEBUG: */ outputHtml('+++Original=' . $orig.'+++<br />');
2192         return $orig;
2193 }
2194
2195 // Generated a "string" for scrambling
2196 function genScrambleString ($len) {
2197         // Prepare array for the numbers
2198         $scrambleNumbers = array();
2199
2200         // First we need to setup randomized numbers from 0 to 31
2201         for ($idx = '0'; $idx < $len; $idx++) {
2202                 // Generate number
2203                 $rand = mt_rand(0, ($len -1));
2204
2205                 // Check for it by creating more numbers
2206                 while (array_key_exists($rand, $scrambleNumbers)) {
2207                         $rand = mt_rand(0, ($len -1));
2208                 } // END - while
2209
2210                 // Add number
2211                 $scrambleNumbers[$rand] = $rand;
2212         } // END - for
2213
2214         // So let's create the string for storing it in database
2215         $scrambleString = implode(':', $scrambleNumbers);
2216         return $scrambleString;
2217 }
2218
2219 // Generate an PGP-like encrypted hash of given hash for e.g. cookies
2220 function generatePassString ($passHash) {
2221         // Return vanilla password hash
2222         $ret = $passHash;
2223
2224         // Is a secret key and master salt already initialized?
2225         if ((isExtensionInstalled('sql_patches')) && (isConfigEntrySet('_PRIME')) && (isConfigEntrySet('secret_key')) && (isConfigEntrySet('master_salt'))) {
2226                 // Only calculate when the secret key is generated
2227                 if (strlen($passHash) != getConfig('secret_key')) {
2228                         // Both keys must have same length so return unencrypted
2229                         return $ret;
2230                 } // END - if
2231
2232                 $newHash = ''; $start = 9;
2233                 //* DEBUG: */ outputHtml('passHash=' . $passHash . '(' . strlen($passHash) . ')<br />');
2234                 for ($idx = 0; $idx < 20; $idx++) {
2235                         $part1 = hexdec(substr($passHash, ($idx * 2), 2));
2236                         $part2 = hexdec(substr(getConfig('secret_key'), $start, 2));
2237                         //* DEBUG: */ outputHtml('part1='.$part1.'/part2='.$part2.'<br />');
2238                         $mod = dechex($idx);
2239                         if ($part1 > $part2) {
2240                                 $mod = dechex(sqrt(($part1 - $part2) * getConfig('_PRIME') / pi()));
2241                         } elseif ($part2 > $part1) {
2242                                 $mod = dechex(sqrt(($part2 - $part1) * getConfig('_PRIME') / pi()));
2243                         }
2244                         $mod = substr($mod, 0, 2);
2245                         //* DEBUG: */ outputHtml('part1='.$part1.'/part2='.$part2.'/mod=' . $mod . '('.strlen($mod).')<br />');
2246                         $mod = str_repeat(0, (2 - strlen($mod))) . $mod;
2247                         //* DEBUG: */ outputHtml('mod(' . ($idx * 2) . ')=' . $mod . '*<br />');
2248                         $start += 2;
2249                         $newHash .= $mod;
2250                 } // END - for
2251
2252                 //* DEBUG: */ print($passHash . '<br />' . $newHash . ' (' . strlen($newHash) . ')<br />');
2253                 $ret = generateHash($newHash, getConfig('master_salt'));
2254                 //* DEBUG: */ print('ret=' . $ret . '<br />');
2255         } // END - if
2256
2257         // Return result
2258         return $ret;
2259 }
2260
2261 // Fix "deleted" cookies
2262 function fixDeletedCookies ($cookies) {
2263         // Is this an array with entries?
2264         if ((is_array($cookies)) && (count($cookies) > 0)) {
2265                 // Then check all cookies if they are marked as deleted!
2266                 foreach ($cookies as $cookieName) {
2267                         // Is the cookie set to "deleted"?
2268                         if (getSession($cookieName) == 'deleted') {
2269                                 setSession($cookieName, '');
2270                         } // END - if
2271                 } // END - foreach
2272         } // END - if
2273 }
2274
2275 // Output error messages in a fasioned way and die...
2276 function app_die ($F, $L, $message) {
2277         // Check if Script is already dieing and not let it kill itself another 1000 times
2278         if (!isset($GLOBALS['app_died'])) {
2279                 // Make sure, that the script realy realy diese here and now
2280                 $GLOBALS['app_died'] = true;
2281
2282                 // Set content type if not set
2283                 if (!isContentTypeSet()) {
2284                         // text/html is the right one
2285                         setContentType('text/html');
2286                 } // END - if
2287
2288                 // Load header
2289                 loadIncludeOnce('inc/header.php');
2290
2291                 // Rewrite message for output
2292                 $message = sprintf(getMessage('MXCHANGE_HAS_DIED'), basename($F), $L, $message);
2293
2294                 // Better log this message away
2295                 if ($F != 'debug_report_bug') logDebugMessage($F, $L, $message);
2296
2297                 // Load the message template
2298                 loadTemplate('app_die_message', false, $message);
2299
2300                 // Load footer
2301                 loadIncludeOnce('inc/footer.php');
2302         } else {
2303                 // Script tried to kill itself twice
2304                 debug_report_bug('Script wanted to kill itself more than once! Raw message=' . $message . ', file/function=' . $F . ', line=' . $L);
2305         }
2306 }
2307
2308 // Display parsing time and number of SQL queries in footer
2309 function displayParsingTime() {
2310         // Is the timer started?
2311         if (!isset($GLOBALS['startTime'])) {
2312                 // Abort here
2313                 return false;
2314         } // END - if
2315
2316         // Get end time
2317         $endTime = microtime(true);
2318
2319         // "Explode" both times
2320         $start = explode(' ', $GLOBALS['startTime']);
2321         $end = explode(' ', $endTime);
2322         $runTime = $end[0] - $start[0];
2323         if ($runTime < 0) $runTime = '0';
2324
2325         // Prepare output
2326         $content = array(
2327                 'runtime'  => translateComma($runTime),
2328                 'timeSQLs' => translateComma(getConfig('sql_time') * 1000),
2329         );
2330
2331         // Load the template
2332         $GLOBALS['page_footer'] .= loadTemplate('show_timings', true, $content);
2333 }
2334
2335 // Check wether a boolean constant is set
2336 // Taken from user comments in PHP documentation for function constant()
2337 function isBooleanConstantAndTrue ($constName) { // : Boolean
2338         // Failed by default
2339         $res = false;
2340
2341         // In cache?
2342         if (isset($GLOBALS['cache_array']['const'][$constName])) {
2343                 // Use cache
2344                 //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__ . '</font>): ' . $constName."-CACHE!<br />");
2345                 $res = ($GLOBALS['cache_array']['const'][$constName] === true);
2346         } else {
2347                 // Check constant
2348                 //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__ . '</font>): ' . $constName."-RESOLVE!<br />");
2349                 if (defined($constName)) {
2350                         // Found!
2351                         //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__ . '</font>): ' . $constName."-FOUND!<br />");
2352                         $res = (constant($constName) === true);
2353                 } // END - if
2354
2355                 // Set cache
2356                 $GLOBALS['cache_array']['const'][$constName] = $res;
2357         }
2358         //* DEBUG: */ var_dump($res);
2359
2360         // Return value
2361         return $res;
2362 }
2363
2364 // Checks if a given apache module is loaded
2365 function isApacheModuleLoaded ($apacheModule) {
2366         // Check it and return result
2367         return (((function_exists('apache_get_modules')) && (in_array($apacheModule, apache_get_modules()))) || (!function_exists('apache_get_modules')));
2368 }
2369
2370 // Get current theme name
2371 function getCurrentTheme () {
2372         // The default theme is 'default'... ;-)
2373         $ret = 'default';
2374
2375         // Do we have ext-theme installed and active?
2376         if (isExtensionActive('theme')) {
2377                 // Call inner method
2378                 $ret = getActualTheme();
2379         } // END - if
2380
2381         // Return theme value
2382         return $ret;
2383 }
2384
2385 // Generates an error code from given account status
2386 function generateErrorCodeFromUserStatus ($status='') {
2387         // If no status is provided, use the default, cached
2388         if ((empty($status)) && (isMember())) {
2389                 // Get user status
2390                 $status = getUserData('status');
2391         } // END - if
2392
2393         // Default error code if unknown account status
2394         $errorCode = getCode('UNKNOWN_STATUS');
2395
2396         // Generate constant name
2397         $codeName = sprintf("ACCOUNT_%s", strtoupper($status));
2398
2399         // Is the constant there?
2400         if (isCodeSet($codeName)) {
2401                 // Then get it!
2402                 $errorCode = getCode($codeName);
2403         } else {
2404                 // Unknown status
2405                 logDebugMessage(__FUNCTION__, __LINE__, sprintf("Unknown error status %s detected.", $status));
2406         }
2407
2408         // Return error code
2409         return $errorCode;
2410 }
2411
2412 // Function to search for the last modifified file
2413 function searchDirsRecursive ($dir, &$last_changed) {
2414         // Get dir as array
2415         //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>):dir=" . $dir.'<br />');
2416         // Does it match what we are looking for? (We skip a lot files already!)
2417         // RegexPattern to exclude  ., .., .revision,  .svn, debug.log or .cache in the filenames
2418         $excludePattern = '@(\.revision|debug\.log|\.cache|config\.php)$@';
2419         $ds = getArrayFromDirectory($dir, '', true, false, array(), '.php', $excludePattern);
2420         //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>):ds[]=".count($ds).'<br />');
2421
2422         // Walk through all entries
2423         foreach ($ds as $d) {
2424                 // Generate proper FQFN
2425                 $FQFN = str_replace('//', '/', getConfig('PATH') . $dir. '/'. $d);
2426
2427                 // Is it a file and readable?
2428                 //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>):FQFN={$FQFN}<br />");
2429                 if (isDirectory($FQFN)) {
2430                         // $FQFN is a directory so also crawl into this directory
2431                         $newDir = $d;
2432                         if (!empty($dir)) $newDir = $dir . '/'. $d;
2433                         //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>):DESCENT: " . $newDir.'<br />');
2434                         searchDirsRecursive($newDir, $last_changed);
2435                 } elseif (isFileReadable($FQFN)) {
2436                         // $FQFN is a filename and no directory
2437                         $time = filemtime($FQFN);
2438                         //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>):File: " . $d." found. (".($last_changed['time'] - $time).")<br />");
2439                         if ($last_changed['time'] < $time) {
2440                                 // This file is newer as the file before
2441                                 //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>) - NEWER!<br />");
2442                                 $last_changed['path_name'] = $FQFN;
2443                                 $last_changed['time'] = $time;
2444                         } // END - if
2445                 }
2446         } // END - foreach
2447 }
2448
2449 // "Getter" for revision/version data
2450 function getActualVersion ($type = 'Revision') {
2451         // By default nothing is new... ;-)
2452         $new = false;
2453
2454         // Is the cache entry there?
2455         if (isset($GLOBALS['cache_array']['revision'][$type])) {
2456                 // Found so increase cache hit
2457                 incrementStatsEntry('cache_hits');
2458
2459                 // Return it
2460                 return $GLOBALS['cache_array']['revision'][$type][0];
2461         } else {
2462                 // FQFN of revision file
2463                 $FQFN = sprintf("%s/.revision", getConfig('CACHE_PATH'));
2464
2465                 // Check if 'check_revision_data' is setted (switch for manually rewrite the .revision-File)
2466                 if ((isGetRequestParameterSet('check_revision_data')) && (getRequestParameter('check_revision_data') == 'yes')) {
2467                         // Forced rebuild of .revision file
2468                         $new = true;
2469                 } else {
2470                         // Check for revision file
2471                         if (!isFileReadable($FQFN)) {
2472                                 // Not found, so we need to create it
2473                                 $new = true;
2474                         } else {
2475                                 // Revision file found
2476                                 $ins_vers = explode("\n", readFromFile($FQFN));
2477
2478                                 // Get array for mapping information
2479                                 $mapper = array_flip(getSearchFor());
2480                                 //* DEBUG: */ print('<pre>mapper='.print_r($mapper, true).'</pre>ins_vers=<pre>'.print_r($ins_vers, true).'</pre>');
2481
2482                                 // Is the content valid?
2483                                 if ((!is_array($ins_vers)) || (count($ins_vers) <= 0) || (!isset($ins_vers[$mapper[$type]])) || (trim($ins_vers[$mapper[$type]]) == '') || ($ins_vers[0]) == 'new') {
2484                                         // File needs update!
2485                                         $new = true;
2486                                 } else {
2487                                         // Generate fake cache entry
2488                                         foreach ($mapper as $map => $idx) {
2489                                                 $GLOBALS['cache_array']['revision'][$map][0] = $ins_vers[$idx];
2490                                         } // END - foreach
2491
2492                                         // Return found value
2493                                         return getActualVersion($type);
2494                                 }
2495                         }
2496                 }
2497
2498                 // Has it been updated?
2499                 if ($new === true)  {
2500                         // Write it
2501                         writeToFile($FQFN, implode("\n", getArrayFromActualVersion()));
2502
2503                         // ... and call recursive
2504                         return getActualVersion($type);
2505                 } // END - if
2506         }
2507 }
2508
2509 // Repares an array we are looking for
2510 // The returned Array is needed twice (in getArrayFromActualVersion() and in getActualVersion() in the old .revision-fallback) so I puted it in an extra function to not polute the global namespace
2511 function getSearchFor () {
2512         // Add Revision, Date, Tag and Author
2513         $searchFor = array('File', 'Revision', 'Date', 'Tag', 'Author');
2514
2515         // Return the created array
2516         return $searchFor;
2517 }
2518
2519 // @TODO Please describe this function
2520 function getArrayFromActualVersion () {
2521         // Init variables
2522         $next_dir = '';
2523
2524         // Directory to start with search
2525         $last_changed = array(
2526                 'path_name' => '',
2527                 'time'      => 0
2528         );
2529
2530         // Init return array
2531         $akt_vers = array();
2532
2533         // Init value for counting the founded keywords
2534         $res = '0';
2535
2536         // Searches all Files and there date of the last modifikation and puts the newest File in $last_changed.
2537         searchDirsRecursive($next_dir, $last_changed); // @TODO small change to API to $last_changed = searchDirsRecursive($next_dir, $time);
2538
2539         // Get file
2540         $last_file = readFromFile($last_changed['path_name']);
2541
2542         // Get all the keywords to search for
2543         $searchFor = getSearchFor();
2544
2545         // Save the last-changed filename for debugging
2546         $GLOBALS['cache_array']['revision']['File'] = $last_changed['path_name'];
2547
2548         // This foreach loops the $searchFor-Tags (array('Revision', 'Date', 'Tag', 'Author') --> could easaly extended in the future)
2549         foreach ($searchFor as $search) {
2550                 // Searches for "$search-tag:VALUE$" or "$search-tag::VALUE$"(the stylish keywordversion ;-)) in the lates modified file
2551                 $res += preg_match('@\$' . $search.'(:|::) (.*) \$@U', $last_file, $t);
2552
2553                 // This trimms the search-result and puts it in the $GLOBALS['cache_array']['revision']-return array
2554                 if (isset($t[2])) {
2555                         $GLOBALS['cache_array']['revision'][$search] = trim($t[2]);
2556                 } // END - if
2557         } // END - foreach
2558
2559         // at least 3 keyword-Tags are needed for propper values
2560         if ($res && $res >= 3
2561         && isset($GLOBALS['cache_array']['revision']['Revision']) && $GLOBALS['cache_array']['revision']['Revision'] != ''
2562         && isset($GLOBALS['cache_array']['revision']['Date']) && $GLOBALS['cache_array']['revision']['Date'] != ''
2563         && isset($GLOBALS['cache_array']['revision']['Tag']) && $GLOBALS['cache_array']['revision']['Tag'] != '') {
2564                 // Prepare content witch need special treadment
2565
2566                 // Prepare timestamp for date
2567                 preg_match('@(....)-(..)-(..) (..):(..):(..)@', $GLOBALS['cache_array']['revision']['Date'], $match_d);
2568                 $GLOBALS['cache_array']['revision']['Date'] = mktime($match_d[4], $match_d[5], $match_d[6], $match_d[2], $match_d[3], $match_d[1]);
2569
2570                 // Add author to the Tag if the author is set and is not quix0r (lead coder)
2571                 if ((isset($GLOBALS['cache_array']['revision']['Author'])) && ($GLOBALS['cache_array']['revision']['Author'] != 'quix0r')) {
2572                         $GLOBALS['cache_array']['revision']['Tag'] .= '-'.strtoupper($GLOBALS['cache_array']['revision']['Author']);
2573                 } // END - if
2574
2575         } else {
2576                 // No valid Data from the last modificated file so read the Revision from the Server. Fallback-solution!! Should not be removed I think.
2577                 $version = sendGetRequest('check-updates3.php');
2578
2579                 // Invalid request reply?
2580                 if (!isset($version[11])) {
2581                         // Cannot continue here
2582                         debug_report_bug('Invalid response from check-updates3.php, count should be 10, is ' . count($version));
2583                 } // END - if
2584
2585                 // Prepare content
2586                 // Only sets not setted or not proper values to the Online-Server-Fallback-Solution
2587                 if (!isset($GLOBALS['cache_array']['revision']['File'])     || $GLOBALS['cache_array']['revision']['File']     == '') $GLOBALS['cache_array']['revision']['File']     = trim($version[11]);
2588                 if (!isset($GLOBALS['cache_array']['revision']['Revision']) || $GLOBALS['cache_array']['revision']['Revision'] == '') $GLOBALS['cache_array']['revision']['Revision'] = trim($version[10]);
2589                 if (!isset($GLOBALS['cache_array']['revision']['Date'])     || $GLOBALS['cache_array']['revision']['Date']     == '') $GLOBALS['cache_array']['revision']['Date']     = trim($version[9]);
2590                 if (!isset($GLOBALS['cache_array']['revision']['Tag'])      || $GLOBALS['cache_array']['revision']['Tag']      == '') $GLOBALS['cache_array']['revision']['Tag']      = trim($version[8]);
2591                 if (!isset($GLOBALS['cache_array']['revision']['Author'])   || $GLOBALS['cache_array']['revision']['Author']   == '') $GLOBALS['cache_array']['revision']['Author']   = 'quix0r';
2592         }
2593
2594         // Return prepared array
2595         return $GLOBALS['cache_array']['revision'];
2596 }
2597
2598 // Back-ported from the new ship-simu engine. :-)
2599 function debug_get_printable_backtrace () {
2600         // Init variable
2601         $backtrace = "<ol>\n";
2602
2603         // Get and prepare backtrace for output
2604         $backtraceArray = debug_backtrace();
2605         foreach ($backtraceArray as $key => $trace) {
2606                 if (!isset($trace['file'])) $trace['file'] = __FUNCTION__;
2607                 if (!isset($trace['line'])) $trace['line'] = __LINE__;
2608                 if (!isset($trace['args'])) $trace['args'] = array();
2609                 $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>\n";
2610         } // END - foreach
2611
2612         // Close it
2613         $backtrace .= "</ol>\n";
2614
2615         // Return the backtrace
2616         return $backtrace;
2617 }
2618
2619 // A mail-able backtrace
2620 function debug_get_mailable_backtrace () {
2621         // Init variable
2622         $backtrace = '';
2623
2624         // Get and prepare backtrace for output
2625         $backtraceArray = debug_backtrace();
2626         foreach ($backtraceArray as $key => $trace) {
2627                 if (!isset($trace['file'])) $trace['file'] = __FUNCTION__;
2628                 if (!isset($trace['line'])) $trace['line'] = __LINE__;
2629                 if (!isset($trace['args'])) $trace['args'] = array();
2630                 $backtrace .= ($key+1) . '.:' . basename($trace['file']) . ':' . $trace['line'] . ', ' . $trace['function'] . '(' . count($trace['args']) . ")\n";
2631         } // END - foreach
2632
2633         // Return the backtrace
2634         return $backtrace;
2635 }
2636
2637 // Output a debug backtrace to the user
2638 function debug_report_bug ($message = '', $sendEmail = true) {
2639         // Is this already called?
2640         if (isset($GLOBALS[__FUNCTION__])) {
2641                 // Other backtrace
2642                 print 'Message:'.$message.'<br />Backtrace:<pre>';
2643                 debug_print_backtrace();
2644                 die('</pre>');
2645         } // END - if
2646
2647         // Set this function as called
2648         $GLOBALS[__FUNCTION__] = true;
2649
2650         // Init message
2651         $debug = '';
2652
2653         // Is the optional message set?
2654         if (!empty($message)) {
2655                 // Use and log it
2656                 $debug = sprintf("Note: %s<br />\n",
2657                         $message
2658                 );
2659
2660                 // @TODO Add a little more infos here
2661                 logDebugMessage(__FUNCTION__, __LINE__, strip_tags($message));
2662         } // END - if
2663
2664         // Add output
2665         $debug .= "Please report this bug at <a title=\"Direct link to the bug-tracker\" href=\"http://bugs.mxchange.org\" rel=\"external\" target=\"_blank\">http://bugs.mxchange.org</a> and include the logfile from <strong>" . str_replace(getConfig('PATH'), '', getConfig('CACHE_PATH')) . "debug.log</strong> in your report (you can now attach files):<pre>";
2666         $debug .= debug_get_printable_backtrace();
2667         $debug .= "</pre>\nRequest-URI: " . getRequestUri()."<br />\n";
2668         $debug .= "Thank you for finding bugs.";
2669
2670         // Send an email? (e.g. not wanted for evaluation errors)
2671         if (($sendEmail === true) && (!isInstallationPhase())) {
2672                 // Prepare content
2673                 $content = array(
2674                         'message'     => trim($message),
2675                         'backtrace'   => trim(debug_get_mailable_backtrace())
2676                 );
2677
2678                 // Send email to webmaster
2679                 sendAdminNotification(getMessage('DEBUG_REPORT_BUG_SUBJECT'), 'admin_report_bug', $content);
2680         } // END - if
2681
2682         // And abort here
2683         app_die(__FUNCTION__, __LINE__, $debug);
2684 }
2685
2686 // Generates a ***weak*** seed
2687 function generateSeed () {
2688         return microtime(true) * 100000;
2689 }
2690
2691 // Converts a message code to a human-readable message
2692 function getMessageFromErrorCode ($code) {
2693         $message = '';
2694         switch ($code) {
2695                 case '': break;
2696                 case getCode('LOGOUT_DONE')        : $message = getMessage('LOGOUT_DONE'); break;
2697                 case getCode('LOGOUT_FAILED')      : $message = '<span class="guest_failed">{--LOGOUT_FAILED--}</span>'; break;
2698                 case getCode('DATA_INVALID')       : $message = getMessage('MAIL_DATA_INVALID'); break;
2699                 case getCode('POSSIBLE_INVALID')   : $message = getMessage('MAIL_POSSIBLE_INVALID'); break;
2700                 case getCode('USER_404')           : $message = getMessage('USER_404'); break;
2701                 case getCode('STATS_404')          : $message = getMessage('MAIL_STATS_404'); break;
2702                 case getCode('ALREADY_CONFIRMED')  : $message = getMessage('MAIL_ALREADY_CONFIRMED'); break;
2703                 case getCode('WRONG_PASS')         : $message = getMessage('LOGIN_WRONG_PASS'); break;
2704                 case getCode('WRONG_ID')           : $message = getMessage('LOGIN_WRONG_ID'); break;
2705                 case getCode('ACCOUNT_LOCKED')     : $message = getMessage('LOGIN_STATUS_LOCKED'); break;
2706                 case getCode('ACCOUNT_UNCONFIRMED'): $message = getMessage('LOGIN_STATUS_UNCONFIRMED'); break;
2707                 case getCode('COOKIES_DISABLED')   : $message = getMessage('LOGIN_COOKIES_DISABLED'); break;
2708                 case getCode('BEG_SAME_AS_OWN')    : $message = getMessage('BEG_SAME_UID_AS_OWN'); break;
2709                 case getCode('LOGIN_FAILED')       : $message = getMessage('LOGIN_FAILED_GENERAL'); break;
2710                 case getCode('MODULE_MEM_ONLY')    : $message = getMaskedMessage('MODULE_MEM_ONLY', getRequestParameter('mod')); break;
2711                 case getCode('OVERLENGTH')         : $message = getMessage('MEMBER_TEXT_OVERLENGTH'); break;
2712                 case getCode('URL_FOUND')          : $message = getMessage('MEMBER_TEXT_CONTAINS_URL'); break;
2713                 case getCode('SUBJ_URL')           : $message = getMessage('MEMBER_SUBJ_CONTAINS_URL'); break;
2714                 case getCode('BLIST_URL')          : $message = "{--MEMBER_URL_BLACK_LISTED--}<br />\n{--MEMBER_BLIST_TIME--}: ".generateDateTime(getRequestParameter('blist'), 0); break;
2715                 case getCode('NO_RECS_LEFT')       : $message = getMessage('MEMBER_SELECTED_MORE_RECS'); break;
2716                 case getCode('INVALID_TAGS')       : $message = getMessage('MEMBER_HTML_INVALID_TAGS'); break;
2717                 case getCode('MORE_POINTS')        : $message = getMessage('MEMBER_MORE_POINTS_NEEDED'); break;
2718                 case getCode('MORE_RECEIVERS1')    : $message = getMessage('MEMBER_ENTER_MORE_RECEIVERS'); break;
2719                 case getCode('MORE_RECEIVERS2')    : $message = getMessage('MEMBER_NO_MORE_RECEIVERS_FOUND'); break;
2720                 case getCode('MORE_RECEIVERS3')    : $message = getMessage('MEMBER_ENTER_MORE_MIN_RECEIVERS'); break;
2721                 case getCode('INVALID_URL')        : $message = getMessage('MEMBER_ENTER_INVALID_URL'); break;
2722                 case getCode('UNKNOWN_ERROR')      : $message = getMessage('LOGIN_UNKNOWN_ERROR'); break;
2723                 case getCode('UNKNOWN_STATUS')     : $message = getMessage('LOGIN_UNKNOWN_STATUS'); break;
2724
2725                 case getCode('ERROR_MAILID'):
2726                         if (isExtensionActive('mailid', true)) {
2727                                 $message = getMessage('ERROR_CONFIRMING_MAIL');
2728                         } else {
2729                                 $message = getMaskedMessage('EXTENSION_PROBLEM_NOT_INSTALLED', 'mailid');
2730                         }
2731                         break;
2732
2733                 case getCode('EXTENSION_PROBLEM'):
2734                         if (isGetRequestParameterSet('ext')) {
2735                                 $message = generateExtensionInactiveNotInstalledMessage(getRequestParameter('ext'));
2736                         } else {
2737                                 $message = getMessage('EXTENSION_PROBLEM_UNSET_EXT');
2738                         }
2739                         break;
2740
2741                 case getCode('URL_TLOCK'):
2742                         // @TODO Move this SQL code into a function, let's say 'getTimestampFromPoolId($id) ?
2743                         $result = SQL_QUERY_ESC("SELECT `timestamp` FROM `{?_MYSQL_PREFIX?}_pool` WHERE `id`=%s LIMIT 1",
2744                                 array(bigintval(getRequestParameter('id'))), __FILE__, __LINE__);
2745
2746                         // Load timestamp from last order
2747                         list($timestamp) = SQL_FETCHROW($result);
2748
2749                         // Free memory
2750                         SQL_FREERESULT($result);
2751
2752                         // Translate it for templates
2753                         $timestamp = generateDateTime($timestamp, 1);
2754
2755                         // Calculate hours...
2756                         $STD = round(getConfig('url_tlock') / 60 / 60);
2757
2758                         // Minutes...
2759                         $MIN = round((getConfig('url_tlock') - $STD * 60 * 60) / 60);
2760
2761                         // And seconds
2762                         $SEC = getConfig('url_tlock') - $STD * 60 * 60 - $MIN * 60;
2763
2764                         // Finally contruct the message
2765                         // @TODO Rewrite this old lost code to a template
2766                         $message = "{--MEMBER_URL_TIME_LOCK--}<br />{--CONFIG_URL_TLOCK--} ".$STD."
2767                         {--_HOURS--}, ".$MIN." {--_MINUTES--} {--_AND--} ".$SEC." {--_SECONDS--}<br />
2768                         {--MEMBER_LAST_TLOCK--}: ".$timestamp;
2769                         break;
2770
2771                 default:
2772                         // Missing/invalid code
2773                         $message = getMaskedMessage('UNKNOWN_MAILID_CODE', $code);
2774
2775                         // Log it
2776                         logDebugMessage(__FUNCTION__, __LINE__, $message);
2777                         break;
2778         } // END - switch
2779
2780         // Return the message
2781         return $message;
2782 }
2783
2784 // Compile characters which are allowed in URLs
2785 function compileUriCode ($code, $simple = true) {
2786         // Compile constants
2787         if ($simple === false) $code = str_replace('{--', '".', str_replace('--}', '."', $code));
2788
2789         // Compile QUOT and other non-HTML codes
2790         $code = str_replace('{DOT}', '.',
2791                 str_replace('{SLASH}', '/',
2792                 str_replace('{QUOT}', "'",
2793                 str_replace('{DOLLAR}', '$',
2794                 str_replace('{OPEN_ANCHOR}', '(',
2795                 str_replace('{CLOSE_ANCHOR}', ')',
2796                 str_replace('{OPEN_SQR}', '[',
2797                 str_replace('{CLOSE_SQR}', ']',
2798                 str_replace('{PER}', '%',
2799                 $code
2800         )))))))));
2801
2802         // Return compiled code
2803         return $code;
2804 }
2805
2806 // Function taken from user comments on www.php.net / function eregi()
2807 function isUrlValidSimple ($url) {
2808         // Prepare URL
2809         $url = secureString(str_replace("\\", '', compileRawCode(urldecode($url))));
2810
2811         // Allows http and https
2812         $http      = "(http|https)+(:\/\/)";
2813         // Test domain
2814         $domain1   = "([[:alnum:]]([-[:alnum:]])*\.)?([[:alnum:]][-[:alnum:]\.]*[[:alnum:]])(\.[[:alpha:]]{2,5})?";
2815         // Test double-domains (e.g. .de.vu)
2816         $domain2   = "([-[:alnum:]])?(\.[[:alnum:]][-[:alnum:]\.]*[[:alnum:]])(\.[[:alpha:]]{2,5})(\.[[:alpha:]]{2,5})?";
2817         // Test IP number
2818         $ip        = "([[:digit:]]{1,3})\.([[:digit:]]{1,3})\.([[:digit:]]{1,3})\.([[:digit:]]{1,3})";
2819         // ... directory
2820         $dir       = "((/)+([-_\.[:alnum:]])+)*";
2821         // ... page
2822         $page      = "/([-_[:alnum:]][-\._[:alnum:]]*\.[[:alnum:]]{2,5})?";
2823         // ... and the string after and including question character
2824         $getstring1 = "([\?/]([[:alnum:]][-\._%[:alnum:]]*(=)?([-\@\._:%[:alnum:]])+)(&([[:alnum:]]([-_%[:alnum:]])*(=)?([-\@\[\._:%[:alnum:]])+(\])*))*)?";
2825         // Pattern for URLs like http://url/dir/doc.html?var=value
2826         $pattern['d1dpg1']  = $http . $domain1 . $dir . $page . $getstring1;
2827         $pattern['d2dpg1']  = $http . $domain2 . $dir . $page . $getstring1;
2828         $pattern['ipdpg1']  = $http . $ip . $dir . $page . $getstring1;
2829         // Pattern for URLs like http://url/dir/?var=value
2830         $pattern['d1dg1']  = $http . $domain1 . $dir.'/' . $getstring1;
2831         $pattern['d2dg1']  = $http . $domain2 . $dir.'/' . $getstring1;
2832         $pattern['ipdg1']  = $http . $ip . $dir.'/' . $getstring1;
2833         // Pattern for URLs like http://url/dir/page.ext
2834         $pattern['d1dp']  = $http . $domain1 . $dir . $page;
2835         $pattern['d1dp']  = $http . $domain2 . $dir . $page;
2836         $pattern['ipdp']  = $http . $ip . $dir . $page;
2837         // Pattern for URLs like http://url/dir
2838         $pattern['d1d']  = $http . $domain1 . $dir;
2839         $pattern['d2d']  = $http . $domain2 . $dir;
2840         $pattern['ipd']  = $http . $ip . $dir;
2841         // Pattern for URLs like http://url/?var=value
2842         $pattern['d1g1']  = $http . $domain1 . '/' . $getstring1;
2843         $pattern['d2g1']  = $http . $domain2 . '/' . $getstring1;
2844         $pattern['ipg1']  = $http . $ip . '/' . $getstring1;
2845         // Pattern for URLs like http://url?var=value
2846         $pattern['d1g12']  = $http . $domain1 . $getstring1;
2847         $pattern['d2g12']  = $http . $domain2 . $getstring1;
2848         $pattern['ipg12']  = $http . $ip . $getstring1;
2849         // Test all patterns
2850         $reg = false;
2851         foreach ($pattern as $key => $pat) {
2852                 // Debug regex?
2853                 if (isDebugRegExpressionEnabled()) {
2854                         // @TODO Are these convertions still required?
2855                         $pat = str_replace('.', "&#92;&#46;", $pat);
2856                         $pat = str_replace('@', "&#92;&#64;", $pat);
2857                         //* DEBUG: */ outputHtml($key."=&nbsp;" . $pat . '<br />');
2858                 } // END - if
2859
2860                 // Check if expression matches
2861                 $reg = ($reg || preg_match(('^' . $pat.'^'), $url));
2862
2863                 // Does it match?
2864                 if ($reg === true) break;
2865         }
2866
2867         // Return true/false
2868         return $reg;
2869 }
2870
2871 // Wtites data to a config.php-style file
2872 // @TODO Rewrite this function to use readFromFile() and writeToFile()
2873 function changeDataInFile ($FQFN, $comment, $prefix, $suffix, $DATA, $seek=0) {
2874         // Initialize some variables
2875         $done = false;
2876         $seek++;
2877         $next  = -1;
2878         $found = false;
2879
2880         // Is the file there and read-/write-able?
2881         if ((isFileReadable($FQFN)) && (is_writeable($FQFN))) {
2882                 $search = 'CFG: ' . $comment;
2883                 $tmp = $FQFN . '.tmp';
2884
2885                 // Open the source file
2886                 $fp = fopen($FQFN, 'r') or outputHtml('<strong>READ:</strong> ' . $FQFN . '<br />');
2887
2888                 // Is the resource valid?
2889                 if (is_resource($fp)) {
2890                         // Open temporary file
2891                         $fp_tmp = fopen($tmp, 'w') or outputHtml('<strong>WRITE:</strong> ' . $tmp . '<br />');
2892
2893                         // Is the resource again valid?
2894                         if (is_resource($fp_tmp)) {
2895                                 // Mark temporary file as readable
2896                                 $GLOBALS['file_readable'][$tmp] = true;
2897
2898                                 // Start reading
2899                                 while (!feof($fp)) {
2900                                         // Read from source file
2901                                         $line = fgets ($fp, 1024);
2902
2903                                         if (strpos($line, $search) > -1) { $next = '0'; $found = true; }
2904
2905                                         if ($next > -1) {
2906                                                 if ($next === $seek) {
2907                                                         $next = -1;
2908                                                         $line = $prefix . $DATA . $suffix . "\n";
2909                                                 } else {
2910                                                         $next++;
2911                                                 }
2912                                         } // END - if
2913
2914                                         // Write to temp file
2915                                         fwrite($fp_tmp, $line);
2916                                 } // END - while
2917
2918                                 // Close temp file
2919                                 fclose($fp_tmp);
2920
2921                                 // Finished writing tmp file
2922                                 $done = true;
2923                         } // END - if
2924
2925                         // Close source file
2926                         fclose($fp);
2927
2928                         if (($done === true) && ($found === true)) {
2929                                 // Copy back tmp file and delete tmp :-)
2930                                 copyFileVerified($tmp, $FQFN, 0644);
2931                                 return removeFile($tmp);
2932                         } elseif ($found === false) {
2933                                 outputHtml('<strong>CHANGE:</strong> 404!');
2934                         } else {
2935                                 outputHtml('<strong>TMP:</strong> UNDONE!');
2936                         }
2937                 }
2938         } else {
2939                 // File not found, not readable or writeable
2940                 outputHtml('<strong>404:</strong> ' . $FQFN . '<br />');
2941         }
2942
2943         // An error was detected!
2944         return false;
2945 }
2946 // Send notification to admin
2947 function sendAdminNotification ($subject, $templateName, $content=array(), $userid = '0') {
2948         if ((isExtensionInstalledAndNewer('admins', '0.4.1')) && (function_exists('sendAdminsEmails'))) {
2949                 // Send new way
2950                 sendAdminsEmails($subject, $templateName, $content, $userid);
2951         } else {
2952                 // Send out out-dated way
2953                 $message = loadEmailTemplate($templateName, $content, $userid);
2954                 sendAdminEmails($subject, $message);
2955         }
2956 }
2957
2958 // Debug message logger
2959 function logDebugMessage ($funcFile, $line, $message, $force=true) {
2960         // Is debug mode enabled?
2961         if ((isDebugModeEnabled()) || ($force === true)) {
2962                 // Remove CRLF
2963                 $message = str_replace("\r", '', str_replace("\n", '', $message));
2964
2965                 // Log this message away, we better don't call app_die() here to prevent an endless loop
2966                 $fp = fopen(getConfig('CACHE_PATH') . 'debug.log', 'a') or die(__FUNCTION__.'['.__LINE__.']: Cannot write logfile debug.log!');
2967                 fwrite($fp, date('d.m.Y|H:i:s', time()) . '|' . getModule(false) . '|' . basename($funcFile) . '|' . $line . '|' . $message . "\n");
2968                 fclose($fp);
2969         } // END - if
2970 }
2971
2972 // Handle extra values
2973 function handleExtraValues ($filterFunction, $value, $extraValue) {
2974         // Default is the value itself
2975         $ret = $value;
2976
2977         // Do we have a special filter function?
2978         if (!empty($filterFunction)) {
2979                 // Does the filter function exist?
2980                 if (function_exists($filterFunction)) {
2981                         // Do we have extra parameters here?
2982                         if (!empty($extraValue)) {
2983                                 // Put both parameters in one new array by default
2984                                 $args = array($value, $extraValue);
2985
2986                                 // If we have an array simply use it and pre-extend it with our value
2987                                 if (is_array($extraValue)) {
2988                                         // Make the new args array
2989                                         $args = merge_array(array($value), $extraValue);
2990                                 } // END - if
2991
2992                                 // Call the multi-parameter call-back
2993                                 $ret = call_user_func_array($filterFunction, $args);
2994                         } else {
2995                                 // One parameter call
2996                                 $ret = call_user_func($filterFunction, $value);
2997                         }
2998                 } // END - if
2999         } // END - if
3000
3001         // Return the value
3002         return $ret;
3003 }
3004
3005 // Converts timestamp selections into a timestamp
3006 function convertSelectionsToTimestamp (&$postData, &$DATA, &$id, &$skip) {
3007         // Init test variable
3008         $skip  = false;
3009         $test2 = '';
3010
3011         // Get last three chars
3012         $test = substr($id, -3);
3013
3014         // Improved way of checking! :-)
3015         if (in_array($test, array('_ye', '_mo', '_we', '_da', '_ho', '_mi', '_se'))) {
3016                 // Found a multi-selection for timings?
3017                 $test = substr($id, 0, -3);
3018                 if ((isset($postData[$test.'_ye'])) && (isset($postData[$test.'_mo'])) && (isset($postData[$test.'_we'])) && (isset($postData[$test.'_da'])) && (isset($postData[$test.'_ho'])) && (isset($postData[$test.'_mi'])) && (isset($postData[$test.'_se'])) && ($test != $test2)) {
3019                         // Generate timestamp
3020                         $postData[$test] = createTimestampFromSelections($test, $postData);
3021                         $DATA[] = sprintf("`%s`='%s'", $test, $postData[$test]);
3022                         $GLOBALS['skip_config'][$test] = true;
3023
3024                         // Remove data from array
3025                         foreach (array('ye', 'mo', 'we', 'da', 'ho', 'mi', 'se') as $rem) {
3026                                 unset($postData[$test . '_' . $rem]);
3027                         } // END - foreach
3028
3029                         // Skip adding
3030                         unset($id);
3031                         $skip = true;
3032                         $test2 = $test;
3033                 } // END - if
3034         } // END - if
3035 }
3036
3037 // Reverts the german decimal comma into Computer decimal dot
3038 function convertCommaToDot ($str) {
3039         // Default float is not a float... ;-)
3040         $float = false;
3041
3042         // Which language is selected?
3043         switch (getLanguage()) {
3044                 case 'de': // German language
3045                         // Remove german thousand dots first
3046                         $str = str_replace('.', '', $str);
3047
3048                         // Replace german commata with decimal dot and cast it
3049                         $float = (float)str_replace(',', '.', $str);
3050                         break;
3051
3052                 default: // US and so on
3053                         // Remove thousand dots first and cast
3054                         $float = (float)str_replace(',', '', $str);
3055                         break;
3056         }
3057
3058         // Return float
3059         return $float;
3060 }
3061
3062 // Handle menu-depending failed logins and return the rendered content
3063 function handleLoginFailtures ($accessLevel) {
3064         // Default output is empty ;-)
3065         $OUT = '';
3066
3067         // Is the session data set?
3068         if ((isSessionVariableSet('mxchange_' . $accessLevel.'_failures')) && (isSessionVariableSet('mxchange_' . $accessLevel.'_last_fail'))) {
3069                 // Ignore zero values
3070                 if (getSession('mxchange_' . $accessLevel.'_failures') > 0) {
3071                         // Non-guest has login failures found, get both data and prepare it for template
3072                         //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>):accessLevel={$accessLevel}<br />");
3073                         $content = array(
3074                                 'login_failures' => getSession('mxchange_' . $accessLevel.'_failures'),
3075                                 'last_failure'   => generateDateTime(getSession('mxchange_' . $accessLevel.'_last_fail'), 2)
3076                         );
3077
3078                         // Load template
3079                         $OUT = loadTemplate('login_failures', true, $content);
3080                 } // END - if
3081
3082                 // Reset session data
3083                 setSession('mxchange_' . $accessLevel.'_failures', '');
3084                 setSession('mxchange_' . $accessLevel.'_last_fail', '');
3085         } // END - if
3086
3087         // Return rendered content
3088         return $OUT;
3089 }
3090
3091 // Rebuild cache
3092 function rebuildCacheFile ($cache, $inc = '', $force = false) {
3093         // Debug message
3094         /* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, sprintf("cache=%s, inc=%s, force=%s", $cache, $inc, intval($force)));
3095
3096         // Shall I remove the cache file?
3097         if (isCacheInstanceValid()) {
3098                 // Rebuild cache
3099                 if ($GLOBALS['cache_instance']->loadCacheFile($cache)) {
3100                         // Destroy it
3101                         $GLOBALS['cache_instance']->removeCacheFile($force);
3102                 } // END - if
3103
3104                 // Include file given?
3105                 if (!empty($inc)) {
3106                         // Construct FQFN
3107                         $inc = sprintf("inc/loader/load_cache-%s.php", $inc);
3108
3109                         // Is the include there?
3110                         if (isIncludeReadable($inc)) {
3111                                 // And rebuild it from scratch
3112                                 //* DEBUG: */ outputHtml(__FUNCTION__ . '(<font color="#0000aa">' . __LINE__."</font>): inc={$inc} - LOADED!<br />");
3113                                 loadInclude($inc);
3114                         } else {
3115                                 // Include not found!
3116                                 logDebugMessage(__FUNCTION__, __LINE__, "Include {$inc} not found. cache={$cache}");
3117                         }
3118                 } // END - if
3119         } // END - if
3120 }
3121
3122 // Determines the real remote address
3123 function determineRealRemoteAddress () {
3124         // Is a proxy in use?
3125         if (isset($_SERVER['HTTP_X_FORWARDED_FOR'])) {
3126                 // Proxy was used
3127                 $address = $_SERVER['HTTP_X_FORWARDED_FOR'];
3128         } elseif (isset($_SERVER['HTTP_CLIENT_IP'])) {
3129                 // Yet, another proxy
3130                 $address = $_SERVER['HTTP_CLIENT_IP'];
3131         } else {
3132                 // The regular address when no proxy was used
3133                 $address = $_SERVER['REMOTE_ADDR'];
3134         }
3135
3136         // This strips out the real address from proxy output
3137         if (strstr($address, ',')) {
3138                 $addressArray = explode(',', $address);
3139                 $address = $addressArray[0];
3140         } // END - if
3141
3142         // Return the result
3143         return $address;
3144 }
3145
3146 // Adds a bonus mail to the queue
3147 // This is a high-level function!
3148 function addNewBonusMail ($data, $mode = '', $output=true) {
3149         // Use mode from data if not set and availble ;-)
3150         if ((empty($mode)) && (isset($data['mode']))) $mode = $data['mode'];
3151
3152         // Generate receiver list
3153         $receiver = generateReceiverList($data['cat'], $data['receiver'], $mode);
3154
3155         // Receivers added?
3156         if (!empty($receiver)) {
3157                 // Add bonus mail to queue
3158                 addBonusMailToQueue(
3159                 $data['subject'],
3160                 $data['text'],
3161                 $receiver,
3162                 $data['points'],
3163                 $data['seconds'],
3164                 $data['url'],
3165                 $data['cat'],
3166                 $mode,
3167                 $data['receiver']
3168                 );
3169
3170                 // Mail inserted into bonus pool
3171                 if ($output) loadTemplate('admin_settings_saved', false, getMessage('ADMIN_BONUS_SEND'));
3172         } elseif ($output) {
3173                 // More entered than can be reached!
3174                 loadTemplate('admin_settings_saved', false, getMessage('ADMIN_MORE_SELECTED'));
3175         } else {
3176                 // Debug log
3177                 logDebugMessage(__FUNCTION__, __LINE__, "cat={$data['cat']},receiver={$data['receiver']},data=".base64_encode(serialize($data))." More selected, than available!");
3178         }
3179 }
3180
3181 // Determines referal id and sets it
3182 function determineReferalId () {
3183         // Skip this in non-html-mode and outside ref.php
3184         if ((getOutputMode() != 0) && (basename($_SERVER['PHP_SELF']) != 'ref.php')) return false;
3185
3186         // Check if refid is set
3187         if ((isset($GLOBALS['refid'])) && ($GLOBALS['refid'] > 0)) {
3188                 // This is fine...
3189         } elseif ((isGetRequestParameterSet('user')) && (basename($_SERVER['PHP_SELF']) == 'click.php')) {
3190                 // The variable user comes from the click-counter script click.php and we only accept this here
3191                 $GLOBALS['refid'] = bigintval(getRequestParameter('user'));
3192         } elseif (isPostRequestParameterSet('refid')) {
3193                 // Get referal id from variable refid (so I hope this makes my script more compatible to other scripts)
3194                 $GLOBALS['refid'] = secureString(postRequestParameter('refid'));
3195         } elseif (isGetRequestParameterSet('refid')) {
3196                 // Get referal id from variable refid (so I hope this makes my script more compatible to other scripts)
3197                 $GLOBALS['refid'] = secureString(getRequestParameter('refid'));
3198         } elseif (isGetRequestParameterSet('ref')) {
3199                 // Set refid=ref (the referal link uses such variable)
3200                 $GLOBALS['refid'] = secureString(getRequestParameter('ref'));
3201         } elseif ((isSessionVariableSet('refid')) && (getSession('refid') != 0)) {
3202                 // Set session refid als global
3203                 $GLOBALS['refid'] = bigintval(getSession('refid'));
3204         } elseif ((isExtensionInstalledAndNewer('user', '0.3.4')) && (getConfig('select_user_zero_refid') == 'Y')) {
3205                 // Select a random user which has confirmed enougth mails
3206                 $GLOBALS['refid'] = determineRandomReferalId();
3207         } elseif ((isExtensionInstalled('sql_patches')) && (getConfig('def_refid') > 0)) {
3208                 // Set default refid as refid in URL
3209                 $GLOBALS['refid'] = getConfig('def_refid');
3210         } else {
3211                 // No default id when sql_patches is not installed or none set
3212                 $GLOBALS['refid'] = '0';
3213         }
3214
3215         // Set cookie when default refid > 0
3216         if (!isSessionVariableSet('refid') || (!empty($GLOBALS['refid'])) || ((getSession('refid') == '0') && (isConfigEntrySet('def_refid')) && (getConfig('def_refid') > 0))) {
3217                 // Default is not found
3218                 $found = false;
3219
3220                 // Do we have nickname or userid set?
3221                 if ((isExtensionActive('nickname')) && (isNicknameUsed($GLOBALS['refid']))) {
3222                         // Nickname in URL, so load the id
3223                         $found = fetchUserData($GLOBALS['refid'], 'nickname');
3224                 } elseif ($GLOBALS['refid'] > 0) {
3225                         // Direct userid entered
3226                         $found = fetchUserData($GLOBALS['refid']);
3227                 }
3228
3229                 // Is the record valid?
3230                 if ((($found === false) || (!isUserDataValid())) && (isConfigEntrySet('def_refid'))) {
3231                         // No, then reset referal id
3232                         $GLOBALS['refid'] = getConfig('def_refid');
3233                 } // END - if
3234
3235                 // Set cookie
3236                 setSession('refid', $GLOBALS['refid']);
3237         } // END - if
3238
3239         // Return determined refid
3240         return $GLOBALS['refid'];
3241 }
3242
3243 // Enables the reset mode and runs it
3244 function doReset () {
3245         // Enable the reset mode
3246         $GLOBALS['reset_enabled'] = true;
3247
3248         // Run filters
3249         runFilterChain('reset');
3250 }
3251
3252 // Our shutdown-function
3253 function shutdown () {
3254         // Call the filter chain 'shutdown'
3255         runFilterChain('shutdown', null);
3256
3257         // Check if not in installation phase and the link is up
3258         if ((!isInstallationPhase()) && (SQL_IS_LINK_UP())) {
3259                 // Close link
3260                 SQL_CLOSE(__FILE__, __LINE__);
3261         } elseif (!isInstallationPhase()) {
3262                 // No database link
3263                 addFatalMessage(__FILE__, __LINE__, getMessage('NO_DB_LINK_SHUTDOWN'));
3264         }
3265
3266         // Stop executing here
3267         exit;
3268 }
3269
3270 // Init member id
3271 function initMemberId () {
3272         $GLOBALS['member_id'] = '0';
3273 }
3274
3275 // Setter for member id
3276 function setMemberId ($memberid) {
3277         // We should not set member id to zero
3278         if ($memberid == '0') debug_report_bug('Userid should not be set zero.');
3279
3280         // Set it secured
3281         $GLOBALS['member_id'] = bigintval($memberid);
3282 }
3283
3284 // Getter for member id or returns zero
3285 function getMemberId () {
3286         // Default member id
3287         $memberid = '0';
3288
3289         // Is the member id set?
3290         if (isMemberIdSet()) {
3291                 // Then use it
3292                 $memberid = $GLOBALS['member_id'];
3293         } // END - if
3294
3295         // Return it
3296         return $memberid;
3297 }
3298
3299 // Checks ether the member id is set
3300 function isMemberIdSet () {
3301         return (isset($GLOBALS['member_id']));
3302 }
3303
3304 // Handle message codes from URL
3305 function handleCodeMessage () {
3306         if (isGetRequestParameterSet('code')) {
3307                 // Default extension is 'unknown'
3308                 $ext = 'unknown';
3309
3310                 // Is extension given?
3311                 if (isGetRequestParameterSet('ext')) $ext = getRequestParameter('ext');
3312
3313                 // Convert the 'code' parameter from URL to a human-readable message
3314                 $message = getMessageFromErrorCode(getRequestParameter('code'));
3315
3316                 // Load message template
3317                 loadTemplate('message', false, $message);
3318         } // END - if
3319 }
3320
3321 // Setter for extra title
3322 function setExtraTitle ($extraTitle) {
3323         $GLOBALS['extra_title'] = $extraTitle;
3324 }
3325
3326 // Getter for extra title
3327 function getExtraTitle () {
3328         // Is the extra title set?
3329         if (!isExtraTitleSet()) {
3330                 // No, then abort here
3331                 debug_report_bug('extra_title is not set!');
3332         } // END - if
3333
3334         // Return it
3335         return $GLOBALS['extra_title'];
3336 }
3337
3338 // Checks if the extra title is set
3339 function isExtraTitleSet () {
3340         return ((isset($GLOBALS['extra_title'])) && (!empty($GLOBALS['extra_title'])));
3341 }
3342
3343 // Generates a 'extension foo inactive' message
3344 function generateExtensionInactiveMessage ($ext_name) {
3345         // Is the extension empty?
3346         if (empty($ext_name)) {
3347                 // This should not happen
3348                 debug_report_bug(__FUNCTION__ . ': Parameter ext is empty. This should not happen.');
3349         } // END - if
3350
3351         // Default message
3352         $message = getMaskedMessage('EXTENSION_PROBLEM_EXT_INACTIVE', $ext_name);
3353
3354         // Is an admin logged in?
3355         if (isAdmin()) {
3356                 // Then output admin message
3357                 $message = getMaskedMessage('ADMIN_EXTENSION_PROBLEM_EXT_INACTIVE', $ext_name);
3358         } // END - if
3359
3360         // Return prepared message
3361         return $message;
3362 }
3363
3364 // Generates a 'extension foo not installed' message
3365 function generateExtensionNotInstalledMessage ($ext_name) {
3366         // Is the extension empty?
3367         if (empty($ext_name)) {
3368                 // This should not happen
3369                 debug_report_bug(__FUNCTION__ . ': Parameter ext is empty. This should not happen.');
3370         } // END - if
3371
3372         // Default message
3373         $message = getMaskedMessage('EXTENSION_PROBLEM_EXT_NOT_INSTALLED', $ext_name);
3374
3375         // Is an admin logged in?
3376         if (isAdmin()) {
3377                 // Then output admin message
3378                 $message = getMaskedMessage('ADMIN_EXTENSION_PROBLEM_EXT_NOT_INSTALLED', $ext_name);
3379         } // END - if
3380
3381         // Return prepared message
3382         return $message;
3383 }
3384
3385 // Generates a message depending on if the extension is not installed or not
3386 // just activated
3387 function generateExtensionInactiveNotInstalledMessage ($ext_name) {
3388         // Init message
3389         $message = '';
3390
3391         // Is the extension not installed or just deactivated?
3392         switch (isExtensionInstalled($ext_name)) {
3393                 case true; // Deactivated!
3394                         $message = generateExtensionInactiveMessage($ext_name);
3395                         break;
3396
3397                 case false; // Not installed!
3398                         $message = generateExtensionNotInstalledMessage($ext_name);
3399                         break;
3400
3401                 default: // Should not happen!
3402                         logDebugMessage(__FUNCTION__, __LINE__, sprintf("Invalid state of extension %s detected.", $ext_name));
3403                         $message = sprintf("Invalid state of extension %s detected.", $ext_name);
3404                         break;
3405         } // END - switch
3406
3407         // Return the message
3408         return $message;
3409 }
3410
3411 // Reads a directory recursively by default and searches for files not matching
3412 // an exclusion pattern. You can now keep the exclusion pattern empty for reading
3413 // a whole directory.
3414 function getArrayFromDirectory ($baseDir, $prefix, $fileIncludeDirs = false, $addBaseDir = true, $excludeArray = array(), $extension = '.php', $excludePattern = '@(\.|\.\.)$@', $recursive = true, $suffix = '') {
3415         // Add default entries we should exclude
3416         $excludeArray[] = '.';
3417         $excludeArray[] = '..';
3418         $excludeArray[] = '.svn';
3419         $excludeArray[] = '.htaccess';
3420
3421         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, "baseDir={$baseDir},prefix={$prefix} - Entered!");
3422         // Init includes
3423         $files = array();
3424
3425         // Open directory
3426         $dirPointer = opendir(getConfig('PATH') . $baseDir) or app_die(__FUNCTION__, __LINE__, 'Cannot read directory ' . basename($baseDir) . '.');
3427
3428         // Read all entries
3429         while ($baseFile = readdir($dirPointer)) {
3430                 // Exclude '.', '..' and entries in $excludeArray automatically
3431                 if (in_array($baseFile, $excludeArray, true))  {
3432                         // Exclude them
3433                         //* DEBUG: */ outputHtml('excluded=' . $baseFile . '<br />');
3434                         continue;
3435                 } // END - if
3436
3437                 // Construct include filename and FQFN
3438                 $fileName = $baseDir . $baseFile;
3439                 $FQFN = getConfig('PATH') . $fileName;
3440
3441                 // Remove double slashes
3442                 $FQFN = str_replace('//', '/', $FQFN);
3443
3444                 // Check if the base filenname matches an exclusion pattern and if the pattern is not empty
3445                 if ((!empty($excludePattern)) && (preg_match($excludePattern, $baseFile, $match))) {
3446                         // These Lines are only for debugging!!
3447                         //* DEBUG: */ outputHtml('baseDir:' . $baseDir . '<br />');
3448                         //* DEBUG: */ outputHtml('baseFile:' . $baseFile . '<br />');
3449                         //* DEBUG: */ outputHtml('FQFN:' . $FQFN . '<br />');
3450
3451                         // Exclude this one
3452                         continue;
3453                 } // END - if
3454
3455                 // Skip also files with non-matching prefix genericly
3456                 if (($recursive === true) && (isDirectory($FQFN))) {
3457                         // Is a redirectory so read it as well
3458                         $files = merge_array($files, getArrayFromDirectory($baseDir . $baseFile . '/', $prefix, $fileIncludeDirs, $addBaseDir, $excludeArray, $extension, $excludePattern, $recursive));
3459
3460                         // And skip further processing
3461                         continue;
3462                 } elseif (substr($baseFile, 0, strlen($prefix)) != $prefix) {
3463                         // Skip this file
3464                         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, "Invalid prefix in file " . $baseFile . ", prefix=" . $prefix);
3465                         continue;
3466                 } elseif ((!empty($suffix)) && (substr($baseFile, -(strlen($suffix . $extension)), (strlen($suffix . $extension))) != $suffix . $extension)) {
3467                         // Skip wrong suffix as well
3468                         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, "Invalid suffix in file " . $baseFile . ", suffix=" . $suffix);
3469                         continue;
3470                 } elseif (!isFileReadable($FQFN)) {
3471                         // Not readable so skip it
3472                         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, "File " . $FQFN . " is not readable!");
3473                         continue;
3474                 }
3475
3476                 // Is the file a PHP script or other?
3477                 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, "baseDir={$baseDir},prefix={$prefix},baseFile={$baseFile}");
3478                 if ((substr($baseFile, -4, 4) == '.php') || (($fileIncludeDirs === true) && (isDirectory($FQFN)))) {
3479                         // Is this a valid include file?
3480                         if ($extension == '.php') {
3481                                 // Remove both for extension name
3482                                 $extName = substr($baseFile, strlen($prefix), -4);
3483
3484                                 // Is the extension valid and active?
3485                                 if (isExtensionNameValid($extName)) {
3486                                         // Then add this file
3487                                         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'Extension entry ' . $baseFile . ' added.');
3488                                         $files[] = $fileName;
3489                                 } else {
3490                                         // Add non-extension files as well
3491                                         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'Regular entry ' . $baseFile . ' added.');
3492                                         if ($addBaseDir === true) {
3493                                                 $files[] = $fileName;
3494                                         } else {
3495                                                 $files[] = $baseFile;
3496                                         }
3497                                 }
3498                         } else {
3499                                 // We found .php file but should not search for them, why?
3500                                 debug_report_bug('We should find files with extension=' . $extension . ', but we found a PHP script.');
3501                         }
3502                 } elseif (substr($baseFile, -4, 4) == $extension) {
3503                         // Other, generic file found
3504                         $files[] = $fileName;
3505                 }
3506         } // END - while
3507
3508         // Close directory
3509         closedir($dirPointer);
3510
3511         // Sort array
3512         sort($files);
3513
3514         // Return array with include files
3515         //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, '- Left!');
3516         return $files;
3517 }
3518
3519 // Maps a module name into a database table name
3520 function mapModuleToTable ($moduleName) {
3521         // Map only these, still lame code...
3522         switch ($moduleName) {
3523                 // 'index' is the guest's menu
3524                 case 'index': $moduleName = 'guest';  break;
3525                 // ... and 'login' the member's menu
3526                 case 'login': $moduleName = 'member'; break;
3527                 // Anything else will not be mapped, silently.
3528         } // END - switch
3529
3530         // Return result
3531         return $moduleName;
3532 }
3533
3534 // Add SQL debug data to array for later output
3535 function addSqlToDebug ($result, $sqlString, $timing, $F, $L) {
3536         // Already executed?
3537         if (isset($GLOBALS['debug_sqls'][$F][$L][$sqlString])) {
3538                 // Then abort here, we don't need to profile a query twice
3539                 return;
3540         } // END - if
3541
3542         // Remeber this as profiled (or not, but we don't care here)
3543         $GLOBALS['debug_sqls'][$F][$L][$sqlString] = true;
3544
3545         // Do we have cache?
3546         if (!isset($GLOBALS['debug_sql_available'])) {
3547                 // Check it and cache it in $GLOBALS
3548                 $GLOBALS['debug_sql_available'] = ((isConfigurationLoaded()) && (isExtensionInstalledAndNewer('other', '0.2.2')) && (getConfig('display_debug_sqls') == 'Y'));
3549         } // END - if
3550         
3551         // Don't execute anything here if we don't need or ext-other is missing
3552         if ($GLOBALS['debug_sql_available'] === false) {
3553                 return;
3554         } // END - if
3555
3556         // Generate record
3557         $record = array(
3558                 'num_rows' => SQL_NUMROWS($result),
3559                 'affected' => SQL_AFFECTEDROWS(),
3560                 'sql_str'  => $sqlString,
3561                 'timing'   => $timing,
3562                 'file'     => basename($F),
3563                 'line'     => $L
3564         );
3565
3566         // Add it
3567         $GLOBALS['debug_sqls'][] = $record;
3568 }
3569
3570 // Initializes the cache instance
3571 function initCacheInstance () {
3572         // Load include for CacheSystem class
3573         loadIncludeOnce('inc/classes/cachesystem.class.php');
3574
3575         // Initialize cache system only when it's needed
3576         $GLOBALS['cache_instance'] = new CacheSystem();
3577         if ($GLOBALS['cache_instance']->getStatus() != 'done') {
3578                 // Failed to initialize cache sustem
3579                 addFatalMessage(__FILE__, __LINE__, '(<font color="#0000aa">' . __LINE__ . '</font>): ' . getMessage('CACHE_CANNOT_INITIALIZE'));
3580         } // END - if
3581 }
3582
3583 // Getter for message from array or raw message
3584 function getMessageFromIndexedArray ($message, $pos, $array) {
3585         // Check if the requested message was found in array
3586         if (isset($array[$pos])) {
3587                 // ... if yes then use it!
3588                 $ret = $array[$pos];
3589         } else {
3590                 // ... else use default message
3591                 $ret = $message;
3592         }
3593
3594         // Return result
3595         return $ret;
3596 }
3597
3598 // Print code with line numbers
3599 function linenumberCode ($code)    {
3600         if (!is_array($code)) $codeE = explode("\n", $code); else $codeE = $code;
3601         $count_lines = count($codeE);
3602
3603         $r = 'Line | Code:<br />';
3604         foreach($codeE as $line => $c) {
3605                 $r .= '<div class="line"><span class="linenum">';
3606                 if ($count_lines == 1) {
3607                         $r .= 1;
3608                 } else {
3609                         $r .= ($line == ($count_lines - 1)) ? '' :  ($line+1);
3610                 }
3611                 $r .= '</span>|';
3612
3613                 // Add code
3614                 $r .= '<span class="linetext">' . htmlentities($c) . '</span></div>';
3615         }
3616
3617         return '<div class="code">' . $r . '</div>';
3618 }
3619
3620 // Convert ';' to ', ' for e.g. receiver list
3621 function convertReceivers ($old) {
3622         return str_replace(';', ', ', $old);
3623 }
3624
3625 // Determines the right page title
3626 function determinePageTitle () {
3627         // Config and database connection valid?
3628         if ((isConfigLocalLoaded()) && (isConfigurationLoaded()) && (SQL_IS_LINK_UP()) && (isExtensionInstalledAndNewer('sql_patches', '0.1.6'))) {
3629                 // Init title
3630                 $TITLE = '';
3631
3632                 // Title decoration enabled?
3633                 if ((getConfig('enable_title_deco') == 'Y') && (getConfig('title_left') != '')) $TITLE .= trim(getConfig('title_left')) . ' ';
3634
3635                 // Do we have some extra title?
3636                 if (isExtraTitleSet()) {
3637                         // Then prepent it
3638                         $TITLE .= getExtraTitle() . ' by ';
3639                 } // END - if
3640
3641                 // Add main title
3642                 $TITLE .= getConfig('MAIN_TITLE');
3643
3644                 // Add title of module? (middle decoration will also be added!)
3645                 if ((getConfig('enable_mod_title') == 'Y') || ((!isWhatSet()) && (!isActionSet())) || (getModule() == 'admin')) {
3646                         $TITLE .= ' ' . trim(getConfig('title_middle')) . ' ' . getModuleTitle(getModule());
3647                 } // END - if
3648
3649                 // Add title from what file
3650                 $mode = '';
3651                 if (getModule() == 'login') $mode = 'member';
3652                 elseif (getModule() == 'index') $mode = 'guest';
3653                 if ((!empty($mode)) && (getConfig('enable_what_title') == 'Y')) $TITLE .= ' ' . trim(getConfig('title_middle')) . ' ' . getTitleFromMenu($mode, getWhat());
3654
3655                 // Add title decorations? (right)
3656                 if ((getConfig('enable_title_deco') == 'Y') && (getConfig('title_right') != '')) $TITLE .= ' ' . trim(getConfig('title_right'));
3657
3658                 // Remember title in constant for the template
3659                 $pageTitle = $TITLE;
3660         } elseif ((isInstalled()) && (isAdminRegistered())) {
3661                 // Installed, admin registered but no ext-sql_patches
3662                 $pageTitle = '[-- ' . getConfig('MAIN_TITLE') . ' - ' . getModuleTitle(getModule()) . ' --]';
3663         } elseif ((isInstalled()) && (!isAdminRegistered())) {
3664                 // Installed but no admin registered
3665                 $pageTitle = getMessage('SETUP_OF_MXCHANGE');
3666         } elseif ((!isInstalled()) || (!isAdminRegistered())) {
3667                 // Installation mode
3668                 $pageTitle = getMessage('INSTALLATION_OF_MXCHANGE');
3669         } else {
3670                 // Configuration not found!
3671                 $pageTitle = getMessage('NO_CONFIG_FOUND_TITLE');
3672
3673                 // Do not add the fatal message in installation mode
3674                 if ((!isInstalling()) && (!isConfigurationLoaded())) addFatalMessage(__FILE__, __LINE__, getMessage('NO_CONFIG_FOUND'));
3675         }
3676
3677         // Return title
3678         return decodeEntities($pageTitle);
3679 }
3680
3681 // Checks wethere there is a cache file there. This function is cached.
3682 function isTemplateCached ($template) {
3683         // Do we have cached this result?
3684         if (!isset($GLOBALS['template_cache'][$template])) {
3685                 // Generate FQFN
3686                 $FQFN = generateCacheFqfn($template);
3687
3688                 // Is it there?
3689                 $GLOBALS['template_cache'][$template] = isFileReadable($FQFN);
3690         } // END - if
3691
3692         // Return it
3693         return $GLOBALS['template_cache'][$template];
3694 }
3695
3696 // Flushes non-flushed template cache to disk
3697 function flushTemplateCache ($template, $eval) {
3698         // Is this cache flushed?
3699         if ((isDebuggingTemplateCache() === false) && (isTemplateCached($template) === false) && ($eval != '404')) {
3700                 // Generate FQFN
3701                 $FQFN = generateCacheFqfn($template);
3702
3703                 // Replace username with a call
3704                 $eval = str_replace('$username', '".getUsername()."', $eval);
3705
3706                 // And flush it
3707                 writeToFile($FQFN, $eval, true);
3708         } // END - if
3709 }
3710
3711 // Reads a template cache
3712 function readTemplateCache ($template) {
3713         // Check it again
3714         if ((isDebuggingTemplateCache() === false) && (isTemplateCached($template))) {
3715                 // Generate FQFN
3716                 $FQFN = generateCacheFqfn($template);
3717
3718                 // And read from it
3719                 $GLOBALS['template_eval'][$template] = readFromFile($FQFN);
3720         } // END - if
3721
3722         // And return it
3723         return $GLOBALS['template_eval'][$template];
3724 }
3725
3726 // Escapes quotes (default is only double-quotes)
3727 function escapeQuotes ($str, $single = false) {
3728         // Should we escape all?
3729         if ($single === true) {
3730                 // Escape all (including null)
3731                 $str = addslashes($str);
3732         } else {
3733                 // Escape only double-quotes but prevent double-quoting
3734                 $str = str_replace("\\\\", "\\", str_replace('"', "\\\"", $str));
3735         }
3736
3737         // Return the escaped string
3738         return $str;
3739 }
3740
3741 // Escapes the JavaScript code, prevents \r and \n becoming char 10/13
3742 function escapeJavaScriptQuotes ($str) {
3743         // Replace all double-quotes and secure back-ticks
3744         $str = str_replace('"', '\"', str_replace("\\", '{BACK}', $str));
3745
3746         // Return it
3747         return $str;
3748 }
3749
3750 // Send out mails depending on the 'mod/modes' combination
3751 // @TODO Lame description for this function
3752 function sendModeMails ($mod, $modes) {
3753         // Load hash
3754         if (fetchUserData(getMemberId())) {
3755                 // Extract salt from cookie
3756                 $salt = substr(getSession('u_hash'), 0, -40);
3757
3758                 // Now let's compare passwords
3759                 $hash = generatePassString(getUserData('password'));
3760
3761                 // Does the hash match or should we change it?
3762                 if (($hash == getSession('u_hash')) || (postRequestParameter('pass1') == postRequestParameter('pass2'))) {
3763                         // Load the data
3764                         $content = getUserDataArray();
3765
3766                         // Translate gender
3767                         $content['gender'] = translateGender($content['gender']);
3768
3769                         // Clear/init the content variable
3770                         $content['message'] = '';
3771
3772                         // Which mail?
3773                         // @TODO Move this in a filter
3774                         switch ($mod) {
3775                                 case 'mydata':
3776                                         foreach ($modes as $mode) {
3777                                                 switch ($mode) {
3778                                                         case 'normal': break; // Do not add any special lines
3779                                                         case 'email': // Email was changed!
3780                                                                 $content['message'] = getMessage('MEMBER_CHANGED_EMAIL').": ".postRequestParameter('old_email')."\n";
3781                                                                 break;
3782
3783                                                         case 'pass': // Password was changed
3784                                                                 $content['message'] = getMessage('MEMBER_CHANGED_PASS')."\n";
3785                                                                 break;
3786
3787                                                         default:
3788                                                                 logDebugMessage(__FUNCTION__, __LINE__, sprintf("Unknown mode %s detected.", $mode));
3789                                                                 $content['message'] = getMessage('MEMBER_UNKNOWN_MODE') . ': ' . $mode . "\n\n";
3790                                                                 break;
3791                                                 } // END - switch
3792                                         } // END - foreach
3793
3794                                         if (isExtensionActive('country')) {
3795                                                 // Replace code with description
3796                                                 $content['country'] = generateCountryInfo(postRequestParameter('country_code'));
3797                                         } // END - if
3798
3799                                         // Merge content with data from POST
3800                                         $content = merge_array($content, postRequestArray());
3801
3802                                         // Load template
3803                                         $message = loadEmailTemplate('member_mydata_notify', $content, getMemberId());
3804
3805                                         if (getConfig('admin_notify') == 'Y') {
3806                                                 // The admin needs to be notified about a profile change
3807                                                 $message_admin = 'admin_mydata_notify';
3808                                                 $sub_adm   = getMessage('ADMIN_CHANGED_DATA');
3809                                         } else {
3810                                                 // No mail to admin
3811                                                 $message_admin = '';
3812                                                 $sub_adm   = '';
3813                                         }
3814
3815                                         // Set subject lines
3816                                         $sub_mem = getMessage('MEMBER_CHANGED_DATA');
3817
3818                                         // Output success message
3819                                         $content = '<span class="member_done">{--MYDATA_MAIL_SENT--}</span>';
3820                                         break;
3821
3822                                 default: // Unsupported module!
3823                                         logDebugMessage(__FUNCTION__, __LINE__, sprintf("Unsupported module %s detected.", $mod));
3824                                         $content = '<span class="member_failed">{--UNKNOWN_MODULE--}</span>';
3825                                         break;
3826                         } // END - switch
3827                 } else {
3828                         // Passwords mismatch
3829                         $content = '<span class="member_failed">{--MEMBER_PASSWORD_ERROR--}</span>';
3830                 }
3831         } else {
3832                 // Could not load profile
3833                 $content = '<span class="member_failed">{--MEMBER_CANNOT_LOAD_PROFILE--}</span>';
3834         }
3835
3836         // Send email to user if required
3837         if ((!empty($sub_mem)) && (!empty($message))) {
3838                 // Send member mail
3839                 sendEmail($content['email'], $sub_mem, $message);
3840         } // END - if
3841
3842         // Send only if no other error has occured
3843         if (empty($content)) {
3844                 if ((!empty($sub_adm)) && (!empty($message_admin))) {
3845                         // Send admin mail
3846                         sendAdminNotification($sub_adm, $message_admin, $content, getMemberId());
3847                 } elseif (getConfig('admin_notify') == 'Y') {
3848                         // Cannot send mails to admin!
3849                         $content = getMessage('CANNOT_SEND_ADMIN_MAILS');
3850                 } else {
3851                         // No mail to admin
3852                         $content = '<span class="member_done">{--MYDATA_MAIL_SENT--}</span>';
3853                 }
3854         } // END - if
3855
3856         // Load template
3857         loadTemplate('admin_settings_saved', false, $content);
3858 }
3859
3860 // Generates a 'selection box' from given array
3861 function generateSelectionBoxFromArray ($options, $name, $optionValue, $optionContent) {
3862         // Start the output
3863         $OUT = '<select name="' . $name . '" size="1" class="admin_select">
3864 <option value="X" disabled="disabled">{--PLEASE_SELECT--}</option>';
3865
3866         // Walk through all options
3867         foreach ($options as $option) {
3868                 // Add the <option> entry
3869                 $OUT .= '<option value="' . $option[$optionValue] . '">' . $option[$optionContent] . '</option>';
3870         } // END - foreach
3871
3872         // Finish selection box
3873         $OUT .= '</select>';
3874
3875         // Prepare output
3876         $content = array(
3877                 'selection_box' => $OUT,
3878                 'module'        => getModule(),
3879                 'what'          => getWhat()
3880         );
3881
3882         // Load template and return it
3883         return loadTemplate('select_' . $name . '_box', true, $content);
3884 }
3885
3886 // Get a module from filename and access level
3887 function getModuleFromFileName ($file, $accessLevel) {
3888         // Default is 'invalid';
3889         $modCheck = 'invalid';
3890
3891         // @TODO This is still very static, rewrite it somehow
3892         switch ($accessLevel) {
3893                 case 'admin':
3894                         $modCheck = 'admin';
3895                         break;
3896
3897                 case 'sponsor':
3898                 case 'guest':
3899                 case 'member':
3900                         $modCheck = getModule();
3901                         break;
3902
3903                 default: // Unsupported file name / access level
3904                         debug_report_bug('Unsupported file name=' . basename($file) . '/access level=' . $accessLevel);
3905                         break;
3906         }
3907
3908         // Return result
3909         return $modCheck;
3910 }
3911
3912 // Encodes an URL for adding session id, etc.
3913 function encodeUrl ($url, $outputMode = '0') {
3914         // Do we have already have a PHPSESSID inside? Then it is already converted...
3915         if (strpos($url, session_name()) !== false) return $url;
3916
3917         // Do we have a valid session?
3918         if (((!isset($GLOBALS['valid_session'])) || ($GLOBALS['valid_session'] === false) || (!isset($_COOKIE[session_name()]))) && (isSpider() === false)) {
3919                 // Invalid session
3920                 // Determine right seperator
3921                 $seperator = '&amp;';
3922                 if (strpos($url, '?') === false) {
3923                         // No question mark
3924                         $seperator = '?';
3925                 } elseif ((getOutputMode() != '0') || ($outputMode != '0')) {
3926                         // Non-HTML mode
3927                         $seperator = '&';
3928                 }
3929
3930                 // Add it to URL
3931                 if (session_id() != '') {
3932                         $url .= $seperator . session_name() . '=' . session_id();
3933                 } // END - if
3934         } // END - if
3935
3936         // Add {?URL?} ?
3937         if ((substr($url, 0, strlen(getConfig('URL'))) != getConfig('URL')) && (substr($url, 0, 7) != '{?URL?}') && (substr($url, 0, 7) != 'http://') && (substr($url, 0, 8) != 'https://')) {
3938                 // Add it
3939                 $url = '{?URL?}/' . $url;
3940         } // END - if
3941
3942         // Return the URL
3943         return $url;
3944 }
3945
3946 // Simple check for spider
3947 function isSpider () {
3948         // Get the UA
3949         $userAgent = strtolower(detectUserAgent(true));
3950
3951         // It should not be empty, if so it is better a spider/bot
3952         if (empty($userAgent)) return true;
3953
3954         // Is it a spider?
3955         return ((strpos($userAgent, 'spider') !== false) || (strpos($userAgent, 'slurp') !== false) || (strpos($userAgent, 'bot') !== false));
3956 }
3957
3958 // Prepares the header for HTML output
3959 function loadHtmlHeader () {
3960         // Determine the page title
3961         $content['header_title'] = determinePageTitle();
3962
3963         // Output page header code
3964         $GLOBALS['page_header'] = loadTemplate('page_header', true, $content);
3965
3966         // Include meta data in 'guest' module
3967         if (getModule() == 'index') {
3968                 // Load meta data template
3969                 $GLOBALS['page_header'] .= loadTemplate('metadata', true);
3970
3971                 // Add meta description to header
3972                 if ((isInstalled()) && (isAdminRegistered()) && (SQL_IS_LINK_UP())) {
3973                         // Add meta description not in admin and login module and when the script is installed
3974                         generateMetaDescriptionCode();
3975                 } // END - if
3976         } // END - if
3977
3978         // Include more header data here
3979         $GLOBALS['page_header'] .= loadTemplate('header', true);
3980
3981         // Include stylesheet
3982         loadIncludeOnce('inc/stylesheet.php');
3983
3984         // Closing HEAD tag
3985         $GLOBALS['page_header'] .= '</head>';
3986 }
3987
3988 // Adds page header and footer to output array element
3989 function addPageHeaderFooter () {
3990         // Init output
3991         $OUT = '';
3992
3993         // Add them all together. This is maybe to simple
3994         foreach (array('page_header', 'output', 'page_footer') as $pagePart) {
3995                 // Add page part if set
3996                 if (isset($GLOBALS[$pagePart])) $OUT .= $GLOBALS[$pagePart];
3997         } // END - foreach
3998
3999         // Transfer $OUT to 'output'
4000         $GLOBALS['output'] = $OUT;
4001 }
4002
4003 // Generates meta description for current module and 'what' value
4004 function generateMetaDescriptionCode () {
4005         // Only include from guest area
4006         if (getModule() == 'index') {
4007                 // Construct dynamic description
4008                 $DESCR = '{?MAIN_TITLE?} '.trim(getConfig('title_middle')) . ' ' . getTitleFromMenu('guest', getWhat());
4009
4010                 // Output it directly
4011                 $GLOBALS['page_header'] .= '<meta name="description" content="' . $DESCR . '" />';
4012         } // END - if
4013
4014         // Remove depth
4015         unset($GLOBALS['ref_level']);
4016 }
4017
4018 // Generates an FQFN for template cache from the given template name
4019 function generateCacheFqfn ($template) {
4020         // Is this cached?
4021         if (!isset($GLOBALS['template_cache_fqfn'][$template])) {
4022                 // Generate the FQFN
4023                 $GLOBALS['template_cache_fqfn'][$template] = sprintf("%s_compiled/html/%s.tpl.cache", getConfig('CACHE_PATH'), $template);
4024         } // END - if
4025
4026         // Return it
4027         return $GLOBALS['template_cache_fqfn'][$template];
4028 }
4029
4030 //////////////////////////////////////////////////
4031 // AUTOMATICALLY RE-GENERATED MISSING FUNCTIONS //
4032 //////////////////////////////////////////////////
4033 //
4034 if (!function_exists('html_entity_decode')) {
4035         // Taken from documentation on www.php.net
4036         function html_entity_decode ($string) {
4037                 $trans_tbl = get_html_translation_table(HTML_ENTITIES);
4038                 $trans_tbl = array_flip($trans_tbl);
4039                 return strtr($string, $trans_tbl);
4040         }
4041 } // END - if
4042
4043 if (!function_exists('http_build_query')) {
4044         // Taken from documentation on www.php.net, credits to Marco K. (Germany) and some light mods by R.Haeder
4045         function http_build_query($data, $prefix = '', $sep = '', $key = '') {
4046                 $ret = array();
4047                 foreach ((array)$data as $k => $v) {
4048                         if (is_int($k) && $prefix != null) {
4049                                 $k = urlencode($prefix . $k);
4050                         } // END - if
4051
4052                         if ((!empty($key)) || ($key === 0))  $k = $key . '[' . urlencode($k) . ']';
4053
4054                         if (is_array($v) || is_object($v)) {
4055                                 array_push($ret, http_build_query($v, '', $sep, $k));
4056                         } else {
4057                                 array_push($ret, $k.'='.urlencode($v));
4058                         }
4059                 } // END - foreach
4060
4061                 if (empty($sep)) $sep = ini_get('arg_separator.output');
4062
4063                 return implode($sep, $ret);
4064         }
4065 } // END - if
4066
4067 // [EOF]
4068 ?>