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