2 /************************************************************************
3 * Mailer v0.2.1-FINAL Start: 08/25/2003 *
4 * =================== Last change: 11/29/2005 *
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 * -------------------------------------------------------------------- *
15 * $Tag:: 0.2.1-FINAL $ *
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 *
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. *
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. *
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, *
37 ************************************************************************/
39 // Some security stuff...
40 if (!defined('__SECURITY')) {
44 // Output HTML code directly or 'render' it. You addionally switch the new-line character off
45 function outputHtml ($htmlCode, $newLine = true) {
47 if (!isset($GLOBALS['output'])) $GLOBALS['output'] = '';
50 $username = getMessage('USERNAME_UNKNOWN');
51 if (isset($GLOBALS['username'])) $username = getUsername();
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')) {
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);
63 // That's why you don't need any \n at the end of your HTML code... :-)
64 if ($newLine === true) print("\n");
66 // Render mode for old or lame servers...
67 $GLOBALS['output'] .= $htmlCode;
69 // That's why you don't need any \n at the end of your HTML code... :-)
70 if ($newLine === true) $GLOBALS['output'] .= "\n";
75 // If we are switching from render to direct output rendered code
76 if ((!empty($GLOBALS['output'])) && (getPhpCaching() != 'on')) { outputRawCode($GLOBALS['output']); $GLOBALS['output'] = ''; }
78 // The same as above... ^
79 outputRawCode($htmlCode);
80 if ($newLine === true) print("\n");
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--}');
88 } elseif ((getPhpCaching() == 'on') && ((!isset($GLOBALS['header'])) || (count($GLOBALS['header']) == 0))) {
89 // Output cached HTML code
90 $GLOBALS['output'] = ob_get_contents();
92 // Clear output buffer for later output if output is found
93 if (!empty($GLOBALS['output'])) {
97 // Extension 'rewrite' installed?
98 if ((isExtensionActive('rewrite')) && (getOutputMode() != 1)) {
99 $GLOBALS['output'] = rewriteLinksInCode($GLOBALS['output']);
102 // Send all HTTP headers
105 // Compile and run finished rendered HTML code
106 compileFinalOutput();
108 // Output code here, DO NOT REMOVE! ;-)
109 outputRawCode($GLOBALS['output']);
110 } elseif ((getConfig('OUTPUT_MODE') == 'render') && (!empty($GLOBALS['output']))) {
111 // Rewrite links when rewrite extension is active
112 if ((isExtensionActive('rewrite')) && (getOutputMode() != 1)) {
113 $GLOBALS['output'] = rewriteLinksInCode($GLOBALS['output']);
116 // Send all HTTP headers
119 // Compile and run finished rendered HTML code
120 compileFinalOutput();
122 // Output code here, DO NOT REMOVE! ;-)
123 outputRawCode($GLOBALS['output']);
125 // And flush all headers
130 // Sends out all headers required for HTTP/1.1 reply
131 function sendHttpHeaders () {
133 $now = gmdate('D, d M Y H:i:s') . ' GMT';
136 sendHeader('HTTP/1.1 200');
138 // General headers for no caching
139 sendHeader('Expires: ' . $now); // RFC2616 - Section 14.21
140 sendHeader('Last-Modified: ' . $now);
141 sendHeader('Cache-Control: no-store, no-cache, must-revalidate, pre-check=0, post-check=0, max-age=0'); // HTTP/1.1
142 sendHeader('Pragma: no-cache'); // HTTP/1.0
143 sendHeader('Connection: Close');
144 sendHeader('Content-Type: ' . getContentType() . '; charset=UTF-8');
145 sendHeader('Content-Language: ' . getLanguage());
148 // Compiles the final output
149 function compileFinalOutput () {
153 // Add page header and footer
154 addPageHeaderFooter();
157 while (((strpos($GLOBALS['output'], '{--') > 0) || (strpos($GLOBALS['output'], '{!') > 0) || (strpos($GLOBALS['output'], '{?') > 0)) && ($cnt < 3)) {
158 // Init common variables
163 $eval = "\$newContent = \"".compileCode(escapeQuotes($GLOBALS['output']))."\";";
166 // Was that eval okay?
167 if (empty($newContent)) {
168 // Something went wrong!
169 debug_report_bug('Evaluation error:<pre>' . linenumberCode($eval) . '</pre>', false);
171 $GLOBALS['output'] = $newContent;
178 if (!empty($_SERVER['HTTP_ACCEPT_ENCODING']) && (strpos('gzip', $_SERVER['HTTP_ACCEPT_ENCODING']) !== null)) {
179 // Compress it for HTTP gzip
180 $GLOBALS['output'] = gzencode($GLOBALS['output'], 9, true);
183 sendHeader('Content-Encoding: gzip');
184 } elseif (!empty($_SERVER['HTTP_ACCEPT_ENCODING']) && (strpos('deflate', $_SERVER['HTTP_ACCEPT_ENCODING']) !== null)) {
185 // Compress it for HTTP deflate
186 $GLOBALS['output'] = gzcompress($GLOBALS['output'], 9);
189 sendHeader('Content-Encoding: deflate');
193 sendHeader('Content-Length: ' . strlen($GLOBALS['output']));
199 // Output the raw HTML code
200 function outputRawCode ($htmlCode) {
201 // Output stripped HTML code to avoid broken JavaScript code, etc.
202 print(str_replace('{BACK}', "\\", $htmlCode));
204 // Flush the output if only getPhpCaching() is not 'on'
205 if (getPhpCaching() != 'on') {
211 // Init fatal message array
212 function initFatalMessages () {
213 $GLOBALS['fatal_messages'] = array();
216 // Getter for whole fatal error messages
217 function getFatalArray () {
218 return $GLOBALS['fatal_messages'];
221 // Add a fatal error message to the queue array
222 function addFatalMessage ($F, $L, $message, $extra = '') {
223 if (is_array($extra)) {
224 // Multiple extras for a message with masks
225 $message = call_user_func_array('sprintf', $extra);
226 } elseif (!empty($extra)) {
227 // $message is text with a mask plus extras to insert into the text
228 $message = sprintf($message, $extra);
231 // Add message to $GLOBALS['fatal_messages']
232 $GLOBALS['fatal_messages'][] = $message;
234 // Log fatal messages away
235 logDebugMessage($F, $L, 'Fatal error message: ' . $message);
238 // Getter for total fatal message count
239 function getTotalFatalErrors () {
243 // Do we have at least the first entry?
244 if (!empty($GLOBALS['fatal_messages'][0])) {
246 $count = count($GLOBALS['fatal_messages']);
253 // Load a template file and return it's content (only it's name; do not use ' or ")
254 function loadTemplate ($template, $return = false, $content = array()) {
255 // @TODO Remove this sanity-check if all is fine
256 if (!is_bool($return)) debug_report_bug('return is not bool (' . gettype($return) . ')');
258 // @TODO Try to rewrite all $DATA to $content
262 if (isTemplateCached($template)) {
263 // Evaluate the cache
264 eval(readTemplateCache($template));
265 } elseif (!isset($GLOBALS['template_eval'][$template])) {
266 // Add more variables which you want to use in your template files
267 $username = getUsername();
269 // Make all template names lowercase
270 $template = strtolower($template);
274 if (empty($GLOBALS['refid'])) $GLOBALS['refid'] = '0';
277 $basePath = sprintf("%stemplates/%s/html/", getConfig('PATH'), getLanguage());
278 $extraPath = detectExtraTemplatePath($template);;
280 ////////////////////////
281 // Generate file name //
282 ////////////////////////
283 $FQFN = $basePath . $extraPath . $template . '.tpl';
285 // Does the special template exists?
286 if (!isFileReadable($FQFN)) {
287 // Reset to default template
288 $FQFN = $basePath . $template . '.tpl';
291 // Now does the final template exists?
292 if (isFileReadable($FQFN)) {
293 // Count the template load
294 incrementConfigEntry('num_templates');
296 // The local file does exists so we load it. :)
297 $GLOBALS['tpl_content'] = readFromFile($FQFN);
299 // Do we have to compile the code?
301 if ((strpos($GLOBALS['tpl_content'], '$') !== false) || (strpos($GLOBALS['tpl_content'], '{--') !== false) || (strpos($GLOBALS['tpl_content'], '{!') !== false) || (strpos($GLOBALS['tpl_content'], '{?') !== false) || (strpos($GLOBALS['tpl_content'], '{%') !== false)) {
302 // Normal HTML output?
303 if (getOutputMode() == '0') {
304 // Add surrounding HTML comments to help finding bugs faster
305 $ret = '<!-- Template ' . $template . " - Start -->\n" . $GLOBALS['tpl_content'] . '<!-- Template ' . $template . " - End -->\n";
307 // Prepare eval() command
308 $eval = '$ret = "' . compileCode(escapeQuotes($ret)) . '";';
309 } elseif (substr($template, 0, 3) == 'js_') {
310 // JavaScripts don't like entities and timings
311 $eval = '$ret = decodeEntities("' . compileRawCode(escapeJavaScriptQuotes($GLOBALS['tpl_content'])) . '");';
313 // Prepare eval() command, other output doesn't like entities, maybe
314 $eval = '$ret = decodeEntities("' . compileRawCode(escapeQuotes($GLOBALS['tpl_content'])) . '");';
317 // Add surrounding HTML comments to help finding bugs faster
318 $ret = '<!-- Template ' . $template . " - Start -->\n" . $GLOBALS['tpl_content'] . '<!-- Template ' . $template . " - End -->\n";
319 $eval = '$ret = "' . compileRawCode(escapeQuotes($ret)) . '";';
322 // Cache the eval() command here
323 $GLOBALS['template_eval'][$template] = $eval;
326 eval($GLOBALS['template_eval'][$template]);
327 } elseif ((isAdmin()) || ((isInstalling()) && (!isInstalled()))) {
328 // Only admins shall see this warning or when installation mode is active
329 $ret = '<br /><span class="guest_failed">{--TEMPLATE_404--}</span><br />
330 (' . $template . ')<br />
332 {--TEMPLATE_CONTENT--}
333 <pre>' . print_r($content, true) . '</pre>
335 <pre>' . print_r($DATA, true) . '</pre>
339 $GLOBALS['template_eval'][$template] = '404';
343 eval($GLOBALS['template_eval'][$template]);
346 // Do we have some content to output or return?
348 // Not empty so let's put it out! ;)
349 if ($return === true) {
350 // Return the HTML code
356 } elseif (isDebugModeEnabled()) {
357 // Warning, empty output!
358 return 'E:' . $template . ',content=<pre>' . print_r($content, true) . '</pre>';
362 // Detects the extra template path from given template name
363 function detectExtraTemplatePath ($template) {
368 if (!isset($GLOBALS['extra_path'][$template])) {
369 // Check for admin/guest/member/etc. templates
370 if (substr($template, 0, 6) == 'admin_') {
371 // Admin template found
372 $extraPath = 'admin/';
373 } elseif (substr($template, 0, 6) == 'guest_') {
374 // Guest template found
375 $extraPath = 'guest/';
376 } elseif (substr($template, 0, 7) == 'member_') {
377 // Member template found
378 $extraPath = 'member/';
379 } elseif (substr($template, 0, 7) == 'select_') {
380 // Selection template found
381 $extraPath = 'select/';
382 } elseif (substr($template, 0, 8) == 'install_') {
383 // Installation template found
384 $extraPath = 'install/';
385 } elseif (substr($template, 0, 4) == 'ext_') {
386 // Extension template found
388 } elseif (substr($template, 0, 3) == 'la_') {
389 // 'Logical-area' template found
391 } elseif (substr($template, 0, 3) == 'js_') {
392 // JavaScript template found
394 } elseif (substr($template, 0, 5) == 'menu_') {
395 // Menu template found
396 $extraPath = 'menu/';
398 // Test for extension
399 $test = substr($template, 0, strpos($template, '_'));
401 // Probe for valid extension name
402 if (isExtensionNameValid($test)) {
403 // Set extra path to extension's name
404 $extraPath = $test . '/';
409 $GLOBALS['extra_path'][$template] = $extraPath;
413 return $GLOBALS['extra_path'][$template];
416 // Loads an email template and compiles it
417 function loadEmailTemplate ($template, $content = array(), $userid = '0') {
420 // Make sure all template names are lowercase!
421 $template = strtolower($template);
423 // Default 'nickname' if extension is not installed
426 // Neutral email address is default
427 $email = getConfig('WEBMASTER');
429 // Is content an array?
430 if (is_array($content)) {
431 // Add expiration to array
432 if ((isConfigEntrySet('auto_purge')) && (getConfig('auto_purge') == '0')) {
433 // Will never expire!
434 $content['expiration'] = getMessage('MAIL_WILL_NEVER_EXPIRE');
435 } elseif (isConfigEntrySet('auto_purge')) {
436 // Create nice date string
437 $content['expiration'] = createFancyTime(getConfig('auto_purge'));
440 $content['expiration'] = getMessage('MAIL_NO_CONFIG_AUTO_PURGE');
445 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>):UID={$userid},template={$template},content[]=".gettype($content).'<br />');
446 if (($userid > 0) && (is_array($content))) {
447 // If nickname extension is installed, fetch nickname as well
448 if ((isExtensionActive('nickname')) && (isNicknameUsed($userid))) {
449 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>):NICKNAME!<br />");
451 fetchUserData($userid, 'nickname');
453 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>):NO-NICK!<br />");
455 fetchUserData($userid);
458 // Merge data if valid
459 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>):content()=".count($content)." - PRE<br />");
460 if (isUserDataValid()) {
461 $content = merge_array($content, getUserDataArray());
463 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>):content()=".count($content)." - AFTER<br />");
466 // Translate M to male or F to female if present
467 if (isset($content['gender'])) $content['gender'] = translateGender($content['gender']);
469 // Overwrite email from data if present
470 if (isset($content['email'])) $email = $content['email'];
472 // Store email for some functions in global data array
473 // @TODO Do only use $content, not $DATA or raw variables
474 $DATA['email'] = $email;
477 $basePath = sprintf("%stemplates/%s/emails/", getConfig('PATH'), getLanguage());
480 $extraPath = detectExtraTemplatePath($template);
482 // Generate full FQFN
483 $FQFN = $basePath . $extraPath . $template . '.tpl';
485 // Does the special template exists?
486 if (!isFileReadable($FQFN)) {
487 // Reset to default template
488 $FQFN = $basePath . $template . '.tpl';
491 // Now does the final template exists?
493 if (isFileReadable($FQFN)) {
494 // The local file does exists so we load it. :)
495 $GLOBALS['tpl_content'] = readFromFile($FQFN);
498 $GLOBALS['tpl_content'] = "\$newContent = decodeEntities(\"".compileRawCode(escapeQuotes($GLOBALS['tpl_content']))."\");";
499 eval($GLOBALS['tpl_content']);
500 } elseif (!empty($template)) {
501 // Template file not found!
502 $newContent = '{--TEMPLATE_404--}: ' . $template . '<br />
503 {--TEMPLATE_CONTENT--}
504 <pre>' . print_r($content, true) . '</pre>
506 <pre>' . print_r($DATA, true) . '</pre>
509 // Debug mode not active? Then remove the HTML tags
510 if (!isDebugModeEnabled()) $newContent = secureString($newContent);
512 // No template name supplied!
513 $newContent = getMessage('NO_TEMPLATE_SUPPLIED');
516 // Is there some content?
517 if (empty($newContent)) {
519 $newContent = "Compiler error for template " . $template . " !\nUncompiled content:\n" . $GLOBALS['tpl_content'];
521 // Add last error if the required function exists
522 if (function_exists('error_get_last')) $newContent .= "\n--------------------------------------\nDebug:\n".print_r(error_get_last(), true)."--------------------------------------\nPlease don't alter these informations!\nThanx.";
525 // Remove content and data
533 // Send mail out to an email address
534 function sendEmail ($toEmail, $subject, $message, $isHtml = 'N', $mailHeader = '') {
535 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>):TO={$toEmail},SUBJECT={$subject}<br />");
537 // Compile subject line (for POINTS constant etc.)
538 eval("\$subject = decodeEntities(\"".compileRawCode(escapeQuotes($subject))."\");");
541 if ((!eregi('@', $toEmail)) && ($toEmail > 0)) {
542 // Value detected, is the message extension installed?
543 // @TODO Extension 'msg' does not exist
544 if (isExtensionActive('msg')) {
545 ADD_MESSAGE_TO_BOX($toEmail, $subject, $message, $isHtml);
548 // Does the user exist?
549 if (fetchUserData($toEmail)) {
551 $toEmail = getUserData('email');
554 $toEmail = getConfig('WEBMASTER');
557 } elseif ($toEmail == '0') {
559 $toEmail = getConfig('WEBMASTER');
561 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>):TO={$toEmail}<br />");
563 // Check for PHPMailer or debug-mode
564 if (!checkPhpMailerUsage()) {
565 // Not in PHPMailer-Mode
566 if (empty($mailHeader)) {
567 // Load email header template
568 $mailHeader = loadEmailTemplate('header');
571 $mailHeader .= loadEmailTemplate('header');
573 } elseif (isDebugModeEnabled()) {
574 if (empty($mailHeader)) {
575 // Load email header template
576 $mailHeader = loadEmailTemplate('header');
579 $mailHeader .= loadEmailTemplate('header');
584 eval("\$toEmail = \"".compileRawCode(escapeQuotes($toEmail))."\";");
587 eval("\$message = \"".str_replace('$', '$', compileRawCode(escapeQuotes($message)))."\";");
589 // Fix HTML parameter (default is no!)
590 if (empty($isHtml)) $isHtml = 'N';
591 if (isDebugModeEnabled()) {
592 // In debug mode we want to display the mail instead of sending it away so we can debug this part
594 Headers : ' . htmlentities(utf8_decode(trim($mailHeader))) . '
595 To : ' . htmlentities(utf8_decode($toEmail)) . '
596 Subject : ' . htmlentities(utf8_decode($subject)) . '
597 Message : ' . htmlentities(utf8_decode($message)) . '
599 } elseif (($isHtml == 'Y') && (isExtensionActive('html_mail'))) {
600 // Send mail as HTML away
601 sendHtmlEmail($toEmail, $subject, $message, $mailHeader);
602 } elseif (!empty($toEmail)) {
604 sendRawEmail($toEmail, $subject, $message, $mailHeader);
605 } elseif ($isHtml != 'Y') {
607 sendRawEmail(getConfig('WEBMASTER'), '[PROBLEM:]' . $subject, $message, $mailHeader);
611 // Check to use wether legacy mail() command or PHPMailer class
612 // @TODO Rewrite this to an extension 'smtp'
614 function checkPhpMailerUsage() {
615 return ((getConfig('SMTP_HOSTNAME') != '') && (getConfig('SMTP_USER') != ''));
618 // Send out a raw email with PHPMailer class or legacy mail() command
619 function sendRawEmail ($toEmail, $subject, $message, $from) {
620 // Just compile all again, to put out all configs, etc.
621 eval('$toEmail = decodeEntities("' . compileRawCode(escapeQuotes($toEmail)) . '");');
622 eval('$subject = decodeEntities("' . compileRawCode(escapeQuotes($subject)) . '");');
623 eval('$message = decodeEntities("' . compileRawCode(escapeQuotes($message)) . '");');
624 eval('$from = decodeEntities("' . compileRawCode(escapeQuotes($from)) . '");');
626 // Shall we use PHPMailer class or legacy mode?
627 if (checkPhpMailerUsage()) {
628 // Use PHPMailer class with SMTP enabled
629 loadIncludeOnce('inc/phpmailer/class.phpmailer.php');
630 loadIncludeOnce('inc/phpmailer/class.smtp.php');
633 $mail = new PHPMailer();
635 // Set charset to UTF-8
636 $mail->CharSet('UTF-8');
638 // Path for PHPMailer
639 $mail->PluginDir = sprintf("%sinc/phpmailer/", getConfig('PATH'));
642 $mail->SMTPAuth = true;
643 $mail->Host = getConfig('SMTP_HOSTNAME');
645 $mail->Username = getConfig('SMTP_USER');
646 $mail->Password = getConfig('SMTP_PASSWORD');
648 $mail->From = getConfig('WEBMASTER');
652 $mail->FromName = getConfig('MAIN_TITLE');
653 $mail->Subject = $subject;
654 if ((isExtensionActive('html_mail')) && (secureString($message) != $message)) {
655 $mail->Body = $message;
656 $mail->AltBody = 'Your mail program required HTML support to read this mail!';
657 $mail->WordWrap = 70;
660 $mail->Body = decodeEntities($message);
662 $mail->AddAddress($toEmail, '');
663 $mail->AddReplyTo(getConfig('WEBMASTER'), getConfig('MAIN_TITLE'));
664 $mail->AddCustomHeader('Errors-To:' . getConfig('WEBMASTER'));
665 $mail->AddCustomHeader('X-Loop:' . getConfig('WEBMASTER'));
668 // Use legacy mail() command
669 mail($toEmail, $subject, decodeEntities($message), $from);
673 // Generate a password in a specified length or use default password length
674 function generatePassword ($length = '0') {
675 // Auto-fix invalid length of zero
676 if ($length == '0') $length = getConfig('pass_len');
678 // Initialize array with all allowed chars
679 $ABC = explode(',', 'a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y,z,A,B,C,D,E,F,G,H,I,J,K,L,M,N,O,P,Q,R,S,T,U,V,W,X,Y,Z,0,1,2,3,4,5,6,7,8,9,-,+,_,/,.');
681 // Start creating password
683 for ($i = '0'; $i < $length; $i++) {
684 $PASS .= $ABC[mt_rand(0, count($ABC) -1)];
687 // When the size is below 40 we can also add additional security by scrambling
688 // it. Otherwise we may corrupt hashes
689 if (strlen($PASS) <= 40) {
690 // Also scramble the password
691 $PASS = scrambleString($PASS);
694 // Return the password
698 // Generates a human-readable timestamp from the Uni* stamp
699 function generateDateTime ($time, $mode = '0') {
700 // Filter out numbers
701 $time = bigintval($time);
703 // If the stamp is zero it mostly didn't "happen"
706 return getMessage('NEVER_HAPPENED');
709 switch (getLanguage()) {
710 case 'de': // German date / time format
712 case '0': $ret = date("d.m.Y \u\m H:i \U\h\\r", $time); break;
713 case '1': $ret = strtolower(date('d.m.Y - H:i', $time)); break;
714 case '2': $ret = date('d.m.Y|H:i', $time); break;
715 case '3': $ret = date('d.m.Y', $time); break;
717 logDebugMessage(__FUNCTION__, __LINE__, sprintf("Invalid date mode %s detected.", $mode));
722 default: // Default is the US date / time format!
724 case '0': $ret = date('r', $time); break;
725 case '1': $ret = date('Y-m-d - g:i A', $time); break;
726 case '2': $ret = date('y-m-d|H:i', $time); break;
727 case '3': $ret = date('y-m-d', $time); break;
729 logDebugMessage(__FUNCTION__, __LINE__, sprintf("Invalid date mode %s detected.", $mode));
738 // Translates Y/N to yes/no
739 function translateYesNo ($yn) {
741 $translated = '??? (' . $yn . ')';
743 case 'Y': $translated = getMessage('YES'); break;
744 case 'N': $translated = getMessage('NO'); break;
747 logDebugMessage(__FUNCTION__, __LINE__, sprintf("Unknown value %s. Expected Y/N!", $yn));
755 // Translates the "pool type" into human-readable
756 function translatePoolType ($type) {
757 // Default?type is unknown
758 $translated = getMaskedMessage('POOL_TYPE_UNKNOWN', $type);
761 $constName = sprintf("POOL_TYPE_%s", $type);
764 if (isMessageIdValid($constName)) {
766 $translated = getMessage($constName);
769 // Return "translation"
773 // Translates the american decimal dot into a german comma
774 function translateComma ($dotted, $cut = true, $max = '0') {
775 // Default is 3 you can change this in admin area "Misc -> Misc Options"
776 if (!isConfigEntrySet('max_comma')) setConfigEntry('max_comma', 3);
778 // Use from config is default
779 $maxComma = getConfig('max_comma');
781 // Use from parameter?
782 if ($max > 0) $maxComma = $max;
785 if (($cut === true) && ($max == '0')) {
786 // Test for commata if in cut-mode
787 $com = explode('.', $dotted);
788 if (count($com) < 2) {
789 // Don't display commatas even if there are none... ;-)
795 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, "dotted={$dotted},maxComma={$maxComma}");
798 switch (getLanguage()) {
799 case 'de': // German language
800 $dotted = number_format($dotted, $maxComma, ',', '.');
803 default: // All others
804 $dotted = number_format($dotted, $maxComma, '.', ',');
808 // Return translated value
812 // Translate Uni*-like gender to human-readable
813 function translateGender ($gender) {
815 $ret = '!' . $gender . '!';
817 // Male/female or company?
819 case 'M': $ret = getMessage('GENDER_M'); break;
820 case 'F': $ret = getMessage('GENDER_F'); break;
821 case 'C': $ret = getMessage('GENDER_C'); break;
823 // Log unknown gender
824 logDebugMessage(__FUNCTION__, __LINE__, sprintf("Unknown gender %s detected.", $gender));
828 // Return translated gender
832 // "Translates" the user status
833 function translateUserStatus ($status) {
834 // Generate message depending on status
839 $ret = getMessage(sprintf("ACCOUNT_%s", $status));
844 $ret = getMessage('ACCOUNT_DELETED');
848 logDebugMessage(__FUNCTION__, __LINE__, sprintf("Unknown status %s detected.", $status));
849 $ret = getMaskedMessage('UNKNOWN_STATUS', $status);
857 // Generates an URL for the dereferer
858 function generateDerefererUrl ($URL) {
859 // Don't de-refer our own links!
860 if (substr($URL, 0, strlen(getConfig('URL'))) != getConfig('URL')) {
861 // De-refer this link
862 $URL = '{%url=modules.php?module=loader&url=' . encodeString(compileUriCode($URL)) . '%}';
869 // Generates an URL for the frametester
870 function generateFrametesterUrl ($URL) {
871 // Prepare frametester URL
872 $frametesterUrl = sprintf("{%%url=modules.php?module=frametester&url=%s%%}",
873 encodeString(compileUriCode($URL))
876 // Return the new URL
877 return $frametesterUrl;
880 // Count entries from e.g. a selection box
881 function countSelection ($array) {
883 if (!is_array($array)) {
885 debug_report_bug(__FUNCTION__.': No array provided.');
892 foreach ($array as $key => $selected) {
894 if (!empty($selected)) $ret++;
897 // Return counted selections
901 // Generate XHTML code for the CAPTCHA
902 function generateCaptchaCode ($code, $type, $DATA, $userid) {
903 return '<img border="0" alt="Code ' . $code . '" src="{%url=mailid_top.php?userid=' . $userid . '&' . $type . '=' . $DATA . '&mode=img&code=' . $code . '%}" />';
906 // Generates a timestamp (some wrapper for mktime())
907 function makeTime ($hours, $minutes, $seconds, $stamp) {
908 // Extract day, month and year from given timestamp
909 $days = date('d', $stamp);
910 $months = date('m', $stamp);
911 $years = date('Y', $stamp);
913 // Create timestamp for wished time which depends on extracted date
924 // Redirects to an URL and if neccessarry extends it with own base URL
925 function redirectToUrl ($URL) {
927 eval('$URL = "' . compileRawCode(encodeUrl($URL)) . '";');
929 // Default 'rel' value is external, nofollow is evil from Google and hurts the Internet
930 $rel = ' rel="external"';
932 // Do we have internal or external URL?
933 if (substr($URL, 0, strlen(getConfig('URL'))) == getConfig('URL')) {
934 // Own (=internal) URL
938 // Three different ways to debug...
939 //* DEBUG: */ debug_report_bug(sprintf("%s[%s:] URL=%s", __FUNCTION__, __LINE__, $URL));
940 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'URL=' . $URL);
941 //* DEBUG: */ die($URL);
943 // Simple probe for bots/spiders from search engines
945 // Secure the URL against bad things such als HTML insertions and so on...
946 $URL = secureString($URL);
948 // Set content-type here to fix a missing array element
949 setContentType('text/html');
951 // Output new location link as anchor
952 outputHtml('<a href="' . $URL . '"' . $rel . '>' . $URL . '</a>');
953 } elseif (!headers_sent()) {
954 // Clear own output buffer
955 $GLOBALS['output'] = '';
957 // Load URL when headers are not sent
958 sendHeader('Location: '.str_replace('&', '&', $URL));
960 // Output error message
961 loadInclude('inc/header.php');
962 loadTemplate('redirect_url', false, str_replace('&', '&', $URL));
963 loadInclude('inc/footer.php');
966 // Shut the mailer down here
970 // Wrapper for redirectToUrl but URL comes from a configuration entry
971 function redirectToConfiguredUrl ($configEntry) {
973 $URL = getConfig($configEntry);
978 debug_report_bug(sprintf("Configuration entry %s is not set!", $configEntry));
985 // Compiles the given HTML/mail code
986 function compileCode ($code, $simple = false, $constants = true, $full = true) {
987 // Is the code a string?
988 if (!is_string($code)) {
989 // Silently return it
994 $startCompile = microtime(true);
997 $code = compileRawCode($code, $simple, $constants, $full);
1000 $compiled = microtime(true);
1003 $code .= '<!-- Compilation time: ' . (($compiled - $startCompile) * 1000). 'ms //-->';
1005 // Return compiled code
1009 // Compiles the code (use compileCode() only for HTML because of the comments)
1010 // @TODO $simple is deprecated
1011 function compileRawCode ($code, $simple = false, $constants = true, $full = true) {
1012 // Is the code a string?
1013 if (!is_string($code)) {
1014 // Silently return it
1018 // Init replacement-array with smaller set of security characters
1019 $secChars = $GLOBALS['url_chars'];
1021 // Select full set of chars to replace when we e.g. want to compile URLs
1022 if ($full === true) $secChars = $GLOBALS['security_chars'];
1024 // Compile more through a filter
1025 $code = runFilterChain('compile_code', $code);
1027 // Compile constants
1028 if ($constants === true) {
1029 // BEFORE 0.2.1 : Language and data constants
1030 // WITH 0.2.1+ : Only language constants
1031 $code = str_replace('{--', "\" . getMessage('", str_replace('--}', "') . \"", $code));
1033 // BEFORE 0.2.1 : Not used
1034 // WITH 0.2.1+ : Data constants
1035 $code = str_replace('{!', "\" . constant('", str_replace('!}', "') . \"", $code));
1038 // Compile QUOT and other non-HTML codes
1039 foreach ($secChars['to'] as $k => $to) {
1040 // Do the reversed thing as in inc/libs/security_functions.php
1041 $code = str_replace($to, $secChars['from'][$k], $code);
1044 // Find $content[bla][blub] entries
1045 // @TODO Do only use $content and deprecate $GLOBALS and $DATA in templates
1046 preg_match_all('/\$(content|GLOBALS|DATA)((\[([a-zA-Z0-9-_]+)\])*)/', $code, $matches);
1048 // Are some matches found?
1049 if ((count($matches) > 0) && (count($matches[0]) > 0)) {
1050 // Replace all matches
1051 $matchesFound = array();
1052 foreach ($matches[0] as $key => $match) {
1053 // Fuzzy look has failed by default
1054 $fuzzyFound = false;
1056 // Fuzzy look on match if already found
1057 foreach ($matchesFound as $found => $set) {
1059 $test = substr($found, 0, strlen($match));
1061 // Does this entry exist?
1062 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>):found={$found},match={$match},set={$set}<br />");
1063 if ($test == $match) {
1065 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>):fuzzyFound!<br />");
1072 if ($fuzzyFound === true) continue;
1074 // Take all string elements
1075 if ((is_string($matches[4][$key])) && (!isset($matchesFound[$match])) && (!isset($matchesFound[$key."_" . $matches[4][$key]]))) {
1076 // Replace it in the code
1077 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>):key={$key},match={$match}<br />");
1078 $newMatch = str_replace('[', "['", str_replace(']', "']", $match));
1079 $code = str_replace($match, '".' . $newMatch . '."', $code);
1080 $matchesFound[$key . '_' . $matches[4][$key]] = 1;
1081 $matchesFound[$match] = 1;
1082 } elseif (!isset($matchesFound[$match])) {
1083 // Not yet replaced!
1084 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>):match={$match}<br />");
1085 $code = str_replace($match, '".' . $match . '."', $code);
1086 $matchesFound[$match] = 1;
1095 /************************************************************************
1097 * Gaenderter Sortier-Algorythmus, $array wird nach dem Array (!) *
1098 * $a_sort sortiert: *
1100 * $array - Das 3-dimensionale Array, das paralell sortiert werden soll *
1101 * $a_sort - Array, das die Sortiereihenfolge der ersten Elementeben *
1102 * $primary_key - Prim.rschl.ssel aus $a_sort, nach dem sortiert wird *
1103 * $order - Sortiereihenfolge: -1 = a-Z, 0 = keine, 1 = Z-a *
1104 * $nums - true = Als Zahlen sortieren, false = Als Zeichen sortieren *
1106 * $a_sort muss Elemente enthalten, deren Wert Schluessel von $array *
1107 * sind... Klingt kompliziert, suchen Sie mal mein Beispiel, dann sehen *
1108 * Sie, dass es doch nicht so schwer ist! :-) *
1110 ************************************************************************/
1111 function array_pk_sort (&$array, $a_sort, $primary_key = '0', $order = -1, $nums = false) {
1113 while ($primary_key < count($a_sort)) {
1114 foreach ($dummy[$a_sort[$primary_key]] as $key => $value) {
1115 foreach ($dummy[$a_sort[$primary_key]] as $key2 => $value2) {
1117 if ($nums === false) {
1118 // Sort byte-by-byte (also numbers will be interpreted as chars! E.g.: "9" > "10")
1119 if (($key != $key2) && (strcmp(strtolower($dummy[$a_sort[$primary_key]][$key]), strtolower($dummy[$a_sort[$primary_key]][$key2])) == $order)) $match = true;
1120 } elseif ($key != $key2) {
1121 // Sort numbers (E.g.: 9 < 10)
1122 if (($dummy[$a_sort[$primary_key]][$key] < $dummy[$a_sort[$primary_key]][$key2]) && ($order == -1)) $match = true;
1123 if (($dummy[$a_sort[$primary_key]][$key] > $dummy[$a_sort[$primary_key]][$key2]) && ($order == 1)) $match = true;
1127 // We have found two different values, so let's sort whole array
1128 foreach ($dummy as $sort_key => $sort_val) {
1129 $t = $dummy[$sort_key][$key];
1130 $dummy[$sort_key][$key] = $dummy[$sort_key][$key2];
1131 $dummy[$sort_key][$key2] = $t;
1142 // Write back sorted array
1147 function addSelectionBox ($type, $default, $prefix = '', $id = '0', $class = 'register_select') {
1150 if ($type == 'yn') {
1151 // This is a yes/no selection only!
1152 if ($id > 0) $prefix .= "[" . $id."]";
1153 $OUT .= " <select name=\"" . $prefix."\" class=\"" . $class . "\" size=\"1\">\n";
1155 // Begin with regular selection box here
1156 if (!empty($prefix)) $prefix .= "_";
1158 if ($id > 0) $type2 .= "[" . $id."]";
1159 $OUT .= " <select name=\"".strtolower($prefix . $type2)."\" class=\"" . $class . "\" size=\"1\">\n";
1164 for ($idx = 1; $idx < 32; $idx++) {
1165 $OUT .= "<option value=\"" . $idx."\"";
1166 if ($default == $idx) $OUT .= ' selected="selected"';
1167 $OUT .= ">" . $idx."</option>\n";
1171 case 'month': // Month
1172 foreach ($GLOBALS['month_descr'] as $month => $descr) {
1173 $OUT .= "<option value=\"" . $month."\"";
1174 if ($default == $month) $OUT .= ' selected="selected"';
1175 $OUT .= ">" . $descr."</option>\n";
1179 case 'year': // Year
1181 $year = date('Y', time());
1183 // Use configured min age or fixed?
1184 if ((isExtensionActive('other')) && (getExtensionVersion('other') >= '0.2.1')) {
1186 $startYear = $year - getConfig('min_age');
1189 $startYear = $year - 16;
1192 // Calculate earliest year (100 years old people can still enter Internet???)
1193 $minYear = $year - 100;
1195 // Check if the default value is larger than minimum and bigger than actual year
1196 if (($default > $minYear) && ($default >= $year)) {
1197 for ($idx = $year; $idx < ($year + 11); $idx++) {
1198 $OUT .= "<option value=\"" . $idx."\"";
1199 if ($default == $idx) $OUT .= ' selected="selected"';
1200 $OUT .= ">" . $idx."</option>\n";
1202 } elseif ($default == -1) {
1203 // Current year minus 1
1204 for ($idx = $startYear; $idx <= ($year + 1); $idx++)
1206 $OUT .= "<option value=\"" . $idx."\">" . $idx."</option>\n";
1209 // Get current year and subtract the configured minimum age
1210 $OUT .= "<option value=\"".($minYear - 1)."\"><" . $minYear."</option>\n";
1211 // Calculate earliest year depending on extension version
1212 if ((isExtensionActive('other')) && (getExtensionVersion('other') >= '0.2.1')) {
1213 // Use configured minimum age
1214 $year = date('Y', time()) - getConfig('min_age');
1216 // Use fixed 16 years age
1217 $year = date('Y', time()) - 16;
1220 // Construct year selection list
1221 for ($idx = $minYear; $idx <= $year; $idx++) {
1222 $OUT .= "<option value=\"" . $idx."\"";
1223 if ($default == $idx) $OUT .= ' selected="selected"';
1224 $OUT .= ">" . $idx."</option>\n";
1231 for ($idx = '0'; $idx < 60; $idx+=5) {
1232 if (strlen($idx) == 1) $idx = '0' . $idx;
1233 $OUT .= "<option value=\"" . $idx."\"";
1234 if ($default == $idx) $OUT .= ' selected="selected"';
1235 $OUT .= ">" . $idx."</option>\n";
1240 for ($idx = '0'; $idx < 24; $idx++) {
1241 if (strlen($idx) == 1) $idx = '0' . $idx;
1242 $OUT .= "<option value=\"" . $idx."\"";
1243 if ($default == $idx) $OUT .= ' selected="selected"';
1244 $OUT .= ">" . $idx."</option>\n";
1249 $OUT .= "<option value=\"Y\"";
1250 if ($default == 'Y') $OUT .= ' selected="selected"';
1251 $OUT .= ">{--YES--}</option>\n<option value=\"N\"";
1252 if ($default != 'Y') $OUT .= ' selected="selected"';
1253 $OUT .= ">{--NO--}</option>\n";
1256 $OUT .= " </select>\n";
1261 // Deprecated : $length
1264 function generateRandomCode ($length, $code, $userid, $DATA = '') {
1265 // Build server string
1266 $server = $_SERVER['PHP_SELF'] . getConfig('ENCRYPT_SEPERATOR') . detectUserAgent() . getConfig('ENCRYPT_SEPERATOR') . getenv('SERVER_SOFTWARE') . getConfig('ENCRYPT_SEPERATOR') . detectRemoteAddr().":'.':".filemtime(getConfig('PATH').'inc/databases.php');
1269 $keys = getConfig('SITE_KEY') . getConfig('ENCRYPT_SEPERATOR') . getConfig('DATE_KEY');
1270 if (isConfigEntrySet('secret_key')) $keys .= getConfig('ENCRYPT_SEPERATOR').getConfig('secret_key');
1271 if (isConfigEntrySet('file_hash')) $keys .= getConfig('ENCRYPT_SEPERATOR').getConfig('file_hash');
1272 $keys .= getConfig('ENCRYPT_SEPERATOR') . date('d-m-Y (l-F-T)', getConfig('patch_ctime'));
1273 if (isConfigEntrySet('master_salt')) $keys .= getConfig('ENCRYPT_SEPERATOR').getConfig('master_salt');
1275 // Build string from misc data
1276 $data = $code . getConfig('ENCRYPT_SEPERATOR') . $userid . getConfig('ENCRYPT_SEPERATOR') . $DATA;
1278 // Add more additional data
1279 if (isSessionVariableSet('u_hash')) $data .= getConfig('ENCRYPT_SEPERATOR') . getSession('u_hash');
1281 // Add referal id, language, theme and userid
1282 $data .= getConfig('ENCRYPT_SEPERATOR') . determineReferalId();
1283 $data .= getConfig('ENCRYPT_SEPERATOR') . getLanguage();
1284 $data .= getConfig('ENCRYPT_SEPERATOR') . getCurrentTheme();
1285 $data .= getConfig('ENCRYPT_SEPERATOR') . getMemberId();
1287 // Calculate number for generating the code
1288 $a = $code + getConfig('_ADD') - 1;
1290 if (isConfigEntrySet('master_salt')) {
1291 // Generate hash with master salt from modula of number with the prime number and other data
1292 $saltedHash = generateHash(($a % getConfig('_PRIME')) . getConfig('ENCRYPT_SEPERATOR') . $server . getConfig('ENCRYPT_SEPERATOR') . $keys . getConfig('ENCRYPT_SEPERATOR') . $data . getConfig('ENCRYPT_SEPERATOR') . getConfig('DATE_KEY') . getConfig('ENCRYPT_SEPERATOR') . $a, getConfig('master_salt'));
1294 // Create number from hash
1295 $rcode = hexdec(substr($saltedHash, strlen(getConfig('master_salt')), 9)) / abs(getConfig('rand_no') - $a + sqrt(getConfig('_ADD'))) / pi();
1297 // Generate hash with "hash of site key" from modula of number with the prime number and other data
1298 $saltedHash = generateHash(($a % getConfig('_PRIME')) . getConfig('ENCRYPT_SEPERATOR') . $server . getConfig('ENCRYPT_SEPERATOR') . $keys . getConfig('ENCRYPT_SEPERATOR') . $data . getConfig('ENCRYPT_SEPERATOR') . getConfig('DATE_KEY') . getConfig('ENCRYPT_SEPERATOR') . $a, substr(sha1(getConfig('SITE_KEY')), 0, getConfig('salt_length')));
1300 // Create number from hash
1301 $rcode = hexdec(substr($saltedHash, 8, 9)) / abs(getConfig('rand_no') - $a + sqrt(getConfig('_ADD'))) / pi();
1304 // At least 10 numbers shall be secure enought!
1305 $len = getConfig('code_length');
1306 if ($len == '0') $len = $length;
1307 if ($len == '0') $len = 10;
1309 // Cut off requested counts of number
1310 $return = substr(str_replace('.', '', $rcode), 0, $len);
1312 // Done building code
1316 // Does only allow numbers
1317 function bigintval ($num, $castValue = true) {
1318 // Filter all numbers out
1319 $ret = preg_replace('/[^0123456789]/', '', $num);
1322 if ($castValue === true) $ret = (double)$ret;
1324 // Has the whole value changed?
1325 if ('' . $ret . '' != '' . $num . '') {
1327 debug_report_bug('Problem with number found. ret=' . $ret . ', num='. $num);
1334 // Insert the code in $img_code into jpeg or PNG image
1335 function generateImageOrCode ($img_code, $headerSent = true) {
1336 // Is the code size oversized or shouldn't we display it?
1337 if ((strlen($img_code) > 6) || (empty($img_code)) || (getConfig('code_length') == '0')) {
1338 // Stop execution of function here because of over-sized code length
1339 debug_report_bug('img_code ' . $img_code .' has invalid length. img_code()=' . strlen($img_code) . ' code_length=' . getConfig('code_length'));
1340 } elseif ($headerSent === false) {
1341 // Return an HTML code here
1342 return "<img src=\"{%url=img.php?code=" . $img_code."%}\" alt=\"Image\" />\n";
1346 $img = sprintf("%s/theme/%s/images/code_bg.%s",
1349 getConfig('img_type')
1353 if (isFileReadable($img)) {
1354 // Switch image type
1355 switch (getConfig('img_type'))
1358 // Okay, load image and hide all errors
1359 $image = imagecreatefromjpeg($img);
1363 // Okay, load image and hide all errors
1364 $image = imagecreatefrompng($img);
1368 // Exit function here
1369 logDebugMessage(__FUNCTION__, __LINE__, sprintf("File for image type %s not found.", getConfig('img_type')));
1373 // Generate text color (red/green/blue; 0 = dark, 255 = bright)
1374 $text_color = imagecolorallocate($image, 0, 0, 0);
1376 // Insert code into image
1377 imagestring($image, 5, 14, 2, $img_code, $text_color);
1379 // Return to browser
1380 sendHeader('Content-Type: image/' . getConfig('img_type'));
1382 // Output image with matching image factory
1383 switch (getConfig('img_type')) {
1384 case 'jpg': imagejpeg($image); break;
1385 case 'png': imagepng($image); break;
1388 // Remove image from memory
1389 imagedestroy($image);
1391 // Create selection box or array of splitted timestamp
1392 function createTimeSelections ($timestamp, $prefix = '', $display = '', $align = 'center', $return_array=false) {
1393 // Do not continue if ONE_DAY is absend
1394 if (!isConfigEntrySet('ONE_DAY')) {
1395 // And return the timestamp itself or empty array
1396 if ($return_array === true) {
1403 // Calculate 2-seconds timestamp
1404 $stamp = round($timestamp);
1405 //* DEBUG: */ print("*" . $stamp.'/' . $timestamp."*<br />");
1407 // Do we have a leap year?
1409 $TEST = date('Y', time()) / 4;
1410 $M1 = date('m', time());
1411 $M2 = date('m', (time() + $timestamp));
1413 // If so and if current time is before 02/29 and estimated time is after 02/29 then add 86400 seconds (one day)
1414 if ((floor($TEST) == $TEST) && ($M1 == "02") && ($M2 > "02")) $SWITCH = getConfig('ONE_DAY');
1416 // First of all years...
1417 $Y = abs(floor($timestamp / (31536000 + $SWITCH)));
1418 //* DEBUG: */ print("Y={$Y}<br />");
1420 $M = abs(floor($timestamp / 2628000 - $Y * 12));
1421 //* DEBUG: */ print("M={$M}<br />");
1423 $W = abs(floor($timestamp / 604800 - $Y * ((365 + $SWITCH / getConfig('ONE_DAY')) / 7) - ($M / 12 * (365 + $SWITCH / getConfig('ONE_DAY')) / 7)));
1424 //* DEBUG: */ print("W={$W}<br />");
1426 $D = abs(floor($timestamp / 86400 - $Y * (365 + $SWITCH / getConfig('ONE_DAY')) - ($M / 12 * (365 + $SWITCH / getConfig('ONE_DAY'))) - $W * 7));
1427 //* DEBUG: */ print("D={$D}<br />");
1429 $h = abs(floor($timestamp / 3600 - $Y * (365 + $SWITCH / getConfig('ONE_DAY')) * 24 - ($M / 12 * (365 + $SWITCH / getConfig('ONE_DAY')) * 24) - $W * 7 * 24 - $D * 24));
1430 //* DEBUG: */ print("h={$h}<br />");
1432 $m = abs(floor($timestamp / 60 - $Y * (365 + $SWITCH / getConfig('ONE_DAY')) * 24 * 60 - ($M / 12 * (365 + $SWITCH / getConfig('ONE_DAY')) * 24 * 60) - $W * 7 * 24 * 60 - $D * 24 * 60 - $h * 60));
1433 //* DEBUG: */ print("m={$m}<br />");
1434 // And at last seconds...
1435 $s = abs(floor($timestamp - $Y * (365 + $SWITCH / getConfig('ONE_DAY')) * 24 * 3600 - ($M / 12 * (365 + $SWITCH / getConfig('ONE_DAY')) * 24 * 3600) - $W * 7 * 24 * 3600 - $D * 24 * 3600 - $h * 3600 - $m * 60));
1436 //* DEBUG: */ print("s={$s}<br />");
1438 // Is seconds zero and time is < 60 seconds?
1439 if (($s == '0') && ($timestamp < 60)) {
1441 $s = round($timestamp);
1445 // Now we convert them in seconds...
1447 if ($return_array) {
1448 // Just put all data in an array for later use
1460 $OUT = "<div align=\"" . $align."\">\n";
1461 $OUT .= "<table border=\"0\" cellspacing=\"0\" cellpadding=\"0\" class=\"timebox_table dashed\">\n";
1464 if (ereg('Y', $display) || (empty($display))) {
1465 $OUT .= " <td align=\"center\" class=\"timebox_column bottom\"><div class=\"tiny\">{--_YEARS--}</strong></td>\n";
1468 if (ereg('M', $display) || (empty($display))) {
1469 $OUT .= " <td align=\"center\" class=\"timebox_column bottom\"><div class=\"tiny\">{--_MONTHS--}</strong></td>\n";
1472 if (ereg('W', $display) || (empty($display))) {
1473 $OUT .= " <td align=\"center\" class=\"timebox_column bottom\"><div class=\"tiny\">{--_WEEKS--}</strong></td>\n";
1476 if (ereg('D', $display) || (empty($display))) {
1477 $OUT .= " <td align=\"center\" class=\"timebox_column bottom\"><div class=\"tiny\">{--_DAYS--}</strong></td>\n";
1480 if (ereg('h', $display) || (empty($display))) {
1481 $OUT .= " <td align=\"center\" class=\"timebox_column bottom\"><div class=\"tiny\">{--_HOURS--}</strong></td>\n";
1484 if (ereg('m', $display) || (empty($display))) {
1485 $OUT .= " <td align=\"center\" class=\"timebox_column bottom\"><div class=\"tiny\">{--_MINUTES--}</strong></td>\n";
1488 if (ereg('s', $display) || (empty($display))) {
1489 $OUT .= " <td align=\"center\" class=\"timebox_column bottom\"><div class=\"tiny\">{--_SECONDS--}</strong></td>\n";
1495 if (ereg('Y', $display) || (empty($display))) {
1496 // Generate year selection
1497 $OUT .= " <td align=\"center\"><select class=\"mini_select\" name=\"" . $prefix . "_ye\" size=\"1\">\n";
1498 for ($idx = '0'; $idx <= 10; $idx++) {
1499 $OUT .= " <option class=\"mini_select\" value=\"" . $idx."\"";
1500 if ($idx == $Y) $OUT .= ' selected="selected"';
1501 $OUT .= ">" . $idx."</option>\n";
1503 $OUT .= " </select></td>\n";
1505 $OUT .= '<input type="hidden" name="' . $prefix . '_ye" value="0" />';
1508 if (ereg('M', $display) || (empty($display))) {
1509 // Generate month selection
1510 $OUT .= " <td align=\"center\"><select class=\"mini_select\" name=\"" . $prefix . "_mo\" size=\"1\">\n";
1511 for ($idx = '0'; $idx <= 11; $idx++)
1513 $OUT .= " <option class=\"mini_select\" value=\"" . $idx."\"";
1514 if ($idx == $M) $OUT .= ' selected="selected"';
1515 $OUT .= ">" . $idx."</option>\n";
1517 $OUT .= " </select></td>\n";
1519 $OUT .= '<input type="hidden" name="' . $prefix . '_mo" value="0" />';
1522 if (ereg('W', $display) || (empty($display))) {
1523 // Generate week selection
1524 $OUT .= " <td align=\"center\"><select class=\"mini_select\" name=\"" . $prefix . "_we\" size=\"1\">\n";
1525 for ($idx = '0'; $idx <= 4; $idx++) {
1526 $OUT .= " <option class=\"mini_select\" value=\"" . $idx."\"";
1527 if ($idx == $W) $OUT .= ' selected="selected"';
1528 $OUT .= ">" . $idx."</option>\n";
1530 $OUT .= " </select></td>\n";
1532 $OUT .= '<input type="hidden" name="' . $prefix . '_we" value="0" />';
1535 if (ereg('D', $display) || (empty($display))) {
1536 // Generate day selection
1537 $OUT .= " <td align=\"center\"><select class=\"mini_select\" name=\"" . $prefix . "_da\" size=\"1\">\n";
1538 for ($idx = '0'; $idx <= 31; $idx++) {
1539 $OUT .= " <option class=\"mini_select\" value=\"" . $idx."\"";
1540 if ($idx == $D) $OUT .= ' selected="selected"';
1541 $OUT .= ">" . $idx."</option>\n";
1543 $OUT .= " </select></td>\n";
1545 $OUT .= '<input type="hidden" name="' . $prefix . '_da" value="0" />';
1548 if (ereg('h', $display) || (empty($display))) {
1549 // Generate hour selection
1550 $OUT .= " <td align=\"center\"><select class=\"mini_select\" name=\"" . $prefix . "_ho\" size=\"1\">\n";
1551 for ($idx = '0'; $idx <= 23; $idx++) {
1552 $OUT .= " <option class=\"mini_select\" value=\"" . $idx."\"";
1553 if ($idx == $h) $OUT .= ' selected="selected"';
1554 $OUT .= ">" . $idx."</option>\n";
1556 $OUT .= " </select></td>\n";
1558 $OUT .= '<input type="hidden" name="' . $prefix . '_ho" value="0" />';
1561 if (ereg('m', $display) || (empty($display))) {
1562 // Generate minute selection
1563 $OUT .= " <td align=\"center\"><select class=\"mini_select\" name=\"" . $prefix . "_mi\" size=\"1\">\n";
1564 for ($idx = '0'; $idx <= 59; $idx++) {
1565 $OUT .= " <option class=\"mini_select\" value=\"" . $idx."\"";
1566 if ($idx == $m) $OUT .= ' selected="selected"';
1567 $OUT .= ">" . $idx."</option>\n";
1569 $OUT .= " </select></td>\n";
1571 $OUT .= '<input type="hidden" name="' . $prefix . '_mi" value="0" />';
1574 if (ereg('s', $display) || (empty($display))) {
1575 // Generate second selection
1576 $OUT .= " <td align=\"center\"><select class=\"mini_select\" name=\"" . $prefix . "_se\" size=\"1\">\n";
1577 for ($idx = '0'; $idx <= 59; $idx++) {
1578 $OUT .= " <option class=\"mini_select\" value=\"" . $idx."\"";
1579 if ($idx == $s) $OUT .= ' selected="selected"';
1580 $OUT .= ">" . $idx."</option>\n";
1582 $OUT .= " </select></td>\n";
1584 $OUT .= '<input type="hidden" name="' . $prefix . '_se" value="0" />';
1587 $OUT .= "</table>\n";
1589 // Return generated HTML code
1595 function createTimestampFromSelections ($prefix, $postData) {
1596 // Initial return value
1599 // Do we have a leap year?
1601 $TEST = date('Y', time()) / 4;
1602 $M1 = date('m', time());
1603 // If so and if current time is before 02/29 and estimated time is after 02/29 then add 86400 seconds (one day)
1604 if ((floor($TEST) == $TEST) && ($M1 == '02') && ($postData[$prefix . '_mo'] > '02')) $SWITCH = getConfig('ONE_DAY');
1605 // First add years...
1606 $ret += $postData[$prefix . '_ye'] * (31536000 + $SWITCH);
1608 $ret += $postData[$prefix . '_mo'] * 2628000;
1610 $ret += $postData[$prefix . '_we'] * 604800;
1612 $ret += $postData[$prefix . '_da'] * 86400;
1614 $ret += $postData[$prefix . '_ho'] * 3600;
1616 $ret += $postData[$prefix . '_mi'] * 60;
1617 // And at last seconds...
1618 $ret += $postData[$prefix . '_se'];
1619 // Return calculated value
1623 // Creates a 'fancy' human-readable timestamp from a Uni* stamp
1624 function createFancyTime ($stamp) {
1625 // Get data array with years/months/weeks/days/...
1626 $data = createTimeSelections($stamp, '', '', '', true);
1628 foreach($data as $k => $v) {
1630 // Value is greater than 0 "eval" data to return string
1631 eval("\$ret .= \", \".\$v.\" {--_".strtoupper($k)."--}\";");
1636 // Do we have something there?
1637 if (strlen($ret) > 0) {
1638 // Remove leading commata and space
1639 $ret = substr($ret, 2);
1642 $ret = "0 {--_SECONDS--}";
1645 // Return fancy time string
1649 // Generates a navigation row for listing emails
1650 function addEmailNavigation ($PAGES, $offset, $show_form, $colspan, $return=false) {
1651 $SEP = ''; $TOP = '';
1652 if ($show_form === false) {
1654 $SEP = "<tr><td colspan=\"" . $colspan."\" class=\"seperator\"> </td></tr>";
1658 for ($page = 1; $page <= $PAGES; $page++) {
1659 // Is the page currently selected or shall we generate a link to it?
1660 if (($page == getRequestParameter('page')) || ((!isGetRequestParameterSet('page')) && ($page == 1))) {
1661 // Is currently selected, so only highlight it
1662 $NAV .= '<strong>-';
1664 // Open anchor tag and add base URL
1665 $NAV .= '<a href="{%url=modules.php?module=admin&what=' . getWhat() . '&page=' . $page . '&offset=' . $offset;
1667 // Add userid when we shall show all mails from a single member
1668 if ((isGetRequestParameterSet('userid')) && (bigintval(getRequestParameter('userid')) > 0)) $NAV .= '&userid=' . bigintval(getRequestParameter('userid'));
1670 // Close open anchor tag
1674 if (($page == getRequestParameter('page')) || ((!isGetRequestParameterSet('page')) && ($page == 1))) {
1675 // Is currently selected, so only highlight it
1676 $NAV .= '-</strong>';
1682 // Add seperator if we have not yet reached total pages
1683 if ($page < $PAGES) $NAV .= ' | ';
1686 // Define constants only once
1687 $content['nav'] = $NAV;
1688 $content['span'] = $colspan;
1689 $content['top'] = $TOP;
1690 $content['sep'] = $SEP;
1692 // Load navigation template
1693 $OUT = loadTemplate('admin_email_nav_row', true, $content);
1695 if ($return === true) {
1696 // Return generated HTML-Code
1704 // Extract host from script name
1705 function extractHostnameFromUrl (&$script) {
1706 // Use default SERVER_URL by default... ;) So?
1707 $url = getConfig('SERVER_URL');
1709 // Is this URL valid?
1710 if (substr($script, 0, 7) == 'http://') {
1711 // Use the hostname from script URL as new hostname
1712 $url = substr($script, 7);
1713 $extract = explode('/', $url);
1715 // Done extracting the URL :)
1718 // Extract host name
1719 $host = str_replace('http://', '', $url);
1720 if (ereg('/', $host)) $host = substr($host, 0, strpos($host, '/'));
1722 // Generate relative URL
1723 //* DEBUG: */ print("SCRIPT=" . $script.'<br />');
1724 if (substr(strtolower($script), 0, 7) == 'http://') {
1725 // But only if http:// is in front!
1726 $script = substr($script, (strlen($url) + 7));
1727 } elseif (substr(strtolower($script), 0, 8) == 'https://') {
1729 $script = substr($script, (strlen($url) + 8));
1732 //* DEBUG: */ print("SCRIPT=" . $script.'<br />');
1733 if (substr($script, 0, 1) == '/') $script = substr($script, 1);
1739 // Send a GET request
1740 function sendGetRequest ($script, $data = array()) {
1741 // Extract host name from script
1742 $host = extractHostnameFromUrl($script);
1745 $body = http_build_query($data, '', '&');
1747 // Do we have a question-mark in the script?
1748 if (strpos($script, '?') === false) {
1749 // No, so first char must be question mark
1750 $body = '?' . $body;
1753 $body = '&' . $body;
1759 // Remove trailed & to make it more conform
1760 if (substr($script, -1, 1) == '&') $script = substr($script, 0, -1);
1762 // Generate GET request header
1763 $request = 'GET /' . trim($script) . ' HTTP/1.1' . getConfig('HTTP_EOL');
1764 $request .= 'Host: ' . $host . getConfig('HTTP_EOL');
1765 $request .= 'Referer: ' . getConfig('URL') . '/admin.php' . getConfig('HTTP_EOL');
1766 if (isConfigEntrySet('FULL_VERSION')) {
1767 $request .= 'User-Agent: ' . getConfig('TITLE') . '/' . getConfig('FULL_VERSION') . getConfig('HTTP_EOL');
1769 $request .= 'User-Agent: ' . getConfig('TITLE') . '/' . getConfig('VERSION') . getConfig('HTTP_EOL');
1771 $request .= 'Accept: text/plain;q=0.8' . getConfig('HTTP_EOL');
1772 $request .= 'Accept-Charset: UTF-8,*' . getConfig('HTTP_EOL');
1773 $request .= 'Cache-Control: no-cache' . getConfig('HTTP_EOL');
1774 $request .= 'Content-Type: text/plain' . getConfig('HTTP_EOL');
1775 $request .= 'Content-Length: 0' . getConfig('HTTP_EOL');
1776 $request .= 'Connection: close' . getConfig('HTTP_EOL');
1777 $request .= getConfig('HTTP_EOL');
1779 // Send the raw request
1780 $response = sendRawRequest($host, $request);
1782 // Return the result to the caller function
1786 // Send a POST request
1787 function sendPostRequest ($script, $postData) {
1788 // Is postData an array?
1789 if (!is_array($postData)) {
1791 logDebugMessage(__FUNCTION__, __LINE__, sprintf("postData is not an array. Type: %s", gettype($postData)));
1792 return array('', '', '');
1795 // Extract host name from script
1796 $host = extractHostnameFromUrl($script);
1798 // Construct request
1799 $body = http_build_query($postData, '', '&');
1801 // Generate POST request header
1802 $request = 'POST /' . trim($script) . ' HTTP/1.1' . getConfig('HTTP_EOL');
1803 $request .= 'Host: ' . $host . getConfig('HTTP_EOL');
1804 $request .= 'Referer: ' . getConfig('URL') . '/admin.php' . getConfig('HTTP_EOL');
1805 $request .= 'User-Agent: ' . getConfig('TITLE') . '/' . getConfig('FULL_VERSION') . getConfig('HTTP_EOL');
1806 $request .= 'Cache-Control: no-cache' . getConfig('HTTP_EOL');
1807 $request .= 'Content-Type: application/x-www-form-urlencoded' . getConfig('HTTP_EOL');
1808 $request .= 'Connection: close' . getConfig('HTTP_EOL');
1809 $request .= getConfig('HTTP_EOL');
1814 // Send the raw request
1815 $response = sendRawRequest($host, $request);
1817 // Return the result to the caller function
1821 // Sends a raw request to another host
1822 function sendRawRequest ($host, $request) {
1823 // Init errno and errdesc with 'all fine' values
1824 $errno = '0'; $errdesc = '';
1827 $response = array('', '', '');
1829 // Default is not to use proxy
1832 // Are proxy settins set?
1833 if ((isConfigEntrySet('proxy_host')) && (getConfig('proxy_host') != '') && (isConfigEntrySet('proxy_port')) && (getConfig('proxy_port') > 0)) {
1839 //* DEBUG: */ die("SCRIPT=" . $script.'<br />');
1840 if ($useProxy === true) {
1841 // Connect to host through proxy connection
1842 $fp = fsockopen(compileRawCode(getConfig('proxy_host')), bigintval(getConfig('proxy_port')), $errno, $errdesc, 30);
1844 // Connect to host directly
1845 $fp = fsockopen($host, 80, $errno, $errdesc, 30);
1849 if (!is_resource($fp)) {
1851 logDebugMessage(__FUNCTION__, __LINE__, $errdesc . ' (' . $errno . ')');
1853 } elseif ((!stream_set_blocking($fp, 0)) || (!stream_set_timeout($fp, 1))) {
1854 // Cannot set non-blocking mode or timeout
1855 logDebugMessage(__FUNCTION__, __LINE__, socket_strerror(socket_last_error()));
1860 if ($useProxy === true) {
1861 // Generate CONNECT request header
1862 $proxyTunnel = 'CONNECT ' . $host . ':80 HTTP/1.1' . getConfig('HTTP_EOL');
1863 $proxyTunnel .= 'Host: ' . $host . getConfig('HTTP_EOL');
1865 // Use login data to proxy? (username at least!)
1866 if (getConfig('proxy_username') != '') {
1868 $encodedAuth = base64_encode(compileRawCode(getConfig('proxy_username')) . getConfig('ENCRYPT_SEPERATOR') . compileRawCode(getConfig('proxy_password')));
1869 $proxyTunnel .= 'Proxy-Authorization: Basic ' . $encodedAuth . getConfig('HTTP_EOL');
1872 // Add last new-line
1873 $proxyTunnel .= getConfig('HTTP_EOL');
1874 //* DEBUG: */ print('<strong>proxyTunnel=</strong><pre>' . $proxyTunnel.'</pre>');
1877 fwrite($fp, $proxyTunnel);
1881 // No response received
1885 // Read the first line
1886 $resp = trim(fgets($fp, 10240));
1887 $respArray = explode(' ', $resp);
1888 if ((strtolower($respArray[0]) !== 'http/1.0') || ($respArray[1] != '200')) {
1889 // Invalid response!
1895 fwrite($fp, $request);
1898 $start = microtime(true);
1901 while (!feof($fp)) {
1902 // Get info from stream
1903 $info = stream_get_meta_data($fp);
1905 // Is it timed out? 15 seconds is a really patient...
1906 if (($info['timed_out'] == true) || (microtime(true) - $start) > 15) {
1908 logDebugMessage(__FUNCTION__, __LINE__, 'Timed out to get data from host ' . $host);
1914 // Get line from stream
1915 $line = fgets($fp, 128);
1917 // Ignore empty lines because of non-blocking mode
1919 // uslepp a little to avoid 100% CPU load
1926 // Add it to response
1927 $response[] = trim($line);
1933 // Time request if debug-mode is enabled
1934 if (isDebugModeEnabled()) {
1935 // Add debug message...
1936 logDebugMessage(__FUNCTION__, __LINE__, 'Request took ' . (microtime(true) - $start) . ' seconds.');
1939 // Skip first empty lines
1941 foreach ($resp as $idx => $line) {
1943 $line = trim($line);
1945 // Is this line empty?
1948 array_shift($response);
1950 // Abort on first non-empty line
1955 //* DEBUG: */ print('<strong>Response:</strong><pre>'.print_r($response, true).'</pre>');
1957 // Proxy agent found or something went wrong?
1958 if (!isset($response[0])) {
1959 // No response, maybe timeout
1960 $response = array('', '', '');
1961 } elseif ((substr(strtolower($response[0]), 0, 11) == 'proxy-agent') && ($useProxy === true)) {
1962 // Proxy header detected, so remove two lines
1963 array_shift($response);
1964 array_shift($response);
1967 // Was the request successfull?
1968 if ((!eregi('200 OK', $response[0])) || (empty($response[0]))) {
1969 // Not found / access forbidden
1970 $response = array('', '', '');
1977 // Taken from www.php.net eregi() user comments
1978 function isEmailValid ($email) {
1979 // Check first part of email address
1980 $first = '[-a-z0-9!#$%&\'*+/=?^_<{|}~]+(\.[-a-zA-Z0-9!#$%&\'*+/=?^_<{|}~]+)*';
1983 $domain = '[a-z0-9-]+(\.[a-z0-9-]{2,5})+';
1986 $regex = '@^' . $first . '\@' . $domain . '$@iU';
1988 // Return check result
1989 return preg_match($regex, $email);
1992 // Function taken from user comments on www.php.net / function eregi()
1993 function isUrlValid ($URL, $compile=true) {
1994 // Trim URL a little
1995 $URL = trim(urldecode($URL));
1996 //* DEBUG: */ outputHtml($URL.'<br />');
1998 // Compile some chars out...
1999 if ($compile === true) $URL = compileUriCode($URL, false, false, false);
2000 //* DEBUG: */ outputHtml($URL.'<br />');
2002 // Check for the extension filter
2003 if (isExtensionActive('filter')) {
2004 // Use the extension's filter set
2005 return FILTER_VALIDATE_URL($URL, false);
2008 // If not installed, perform a simple test. Just make it sure there is always a http:// or
2009 // https:// in front of the URLs
2010 return isUrlValidSimple($URL);
2013 // Generate a list of administrative links to a given userid
2014 function generateMemberAdminActionLinks ($userid, $status = '') {
2015 // Make sure userid is a number
2016 if ($userid != bigintval($userid)) debug_report_bug('userid is not a number!');
2018 // Define all main targets
2019 $targetArray = array('del_user', 'edit_user', 'lock_user', 'add_points', 'sub_points');
2021 // Begin of navigation links
2024 foreach ($targetArray as $tar) {
2025 $OUT .= '<span class="admin_user_link"><a href="{%url=modules.php?module=admin&what=' . $tar . '&userid=' . $userid . '%}" title="{--ADMIN_LINK_';
2026 //* DEBUG: */ outputHtml('*' . $tar.'/' . $status.'*<br />');
2027 if (($tar == 'lock_user') && ($status == 'LOCKED')) {
2028 // Locked accounts shall be unlocked
2029 $OUT .= 'UNLOCK_USER';
2031 // All other status is fine
2032 $OUT .= strtoupper($tar);
2034 $OUT .= '_TITLE--}">{--ADMIN_';
2035 if (($tar == 'lock_user') && ($status == 'LOCKED')) {
2036 // Locked accounts shall be unlocked
2037 $OUT .= 'UNLOCK_USER';
2039 // All other status is fine
2040 $OUT .= strtoupper($tar);
2042 $OUT .= '--}</a></span> | ';
2045 // Finish navigation link
2046 $OUT = substr($OUT, 0, -7) . ']';
2052 // Generate an email link
2053 function generateEmailLink ($email, $table = 'admins') {
2054 // Default email link (INSECURE! Spammer can read this by harvester programs)
2055 $EMAIL = 'mailto:' . $email;
2057 // Check for several extensions
2058 if ((isExtensionActive('admins')) && ($table == 'admins')) {
2059 // Create email link for contacting admin in guest area
2060 $EMAIL = generateAdminEmailLink($email);
2061 } elseif ((isExtensionActive('user')) && (getExtensionVersion('user') >= '0.3.3') && ($table == 'user_data')) {
2062 // Create email link for contacting a member within admin area (or later in other areas, too?)
2063 $EMAIL = generateUserEmailLink($email, 'admin');
2064 } elseif ((isExtensionActive('sponsor')) && ($table == 'sponsor_data')) {
2065 // Create email link to contact sponsor within admin area (or like the link above?)
2066 $EMAIL = generateSponsorEmailLink($email, 'sponsor_data');
2069 // Shall I close the link when there is no admin?
2070 if ((!isAdmin()) && ($EMAIL == $email)) $EMAIL = '#'; // Closed!
2072 // Return email link
2076 // Generate a hash for extra-security for all passwords
2077 function generateHash ($plainText, $salt = '', $hash = true) {
2078 // Is the required extension 'sql_patches' there and a salt is not given?
2079 if (((isExtensionInstalledAndOlder('sql_patches', '0.3.6')) || (!isExtensionActive('sql_patches')) || (!isExtensionInstalledAndNewer('other', '0.2.5'))) && (empty($salt))) {
2080 // Extension sql_patches is missing/outdated so we hash the plain text with MD5
2081 if ($hash === true) {
2082 // Is plain password
2083 return md5($plainText);
2085 // Is already a hash
2090 // Do we miss an arry element here?
2091 if (!isConfigEntrySet('file_hash')) {
2093 debug_report_bug('Missing file_hash in ' . __FUNCTION__ . '.');
2096 // When the salt is empty build a new one, else use the first x configured characters as the salt
2098 // Build server string (inc/databases.php is no longer updated with every commit)
2099 $server = $_SERVER['PHP_SELF'] . getConfig('ENCRYPT_SEPERATOR') . detectUserAgent() . getConfig('ENCRYPT_SEPERATOR') . getenv('SERVER_SOFTWARE') . getConfig('ENCRYPT_SEPERATOR') . detectRemoteAddr();
2102 $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');
2105 $data = $plainText . getConfig('ENCRYPT_SEPERATOR') . uniqid(mt_rand(), true) . getConfig('ENCRYPT_SEPERATOR') . time();
2107 // Calculate number for generating the code
2108 $a = time() + getConfig('_ADD') - 1;
2110 // Generate SHA1 sum from modula of number and the prime number
2111 $sha1 = sha1(($a % getConfig('_PRIME')) . $server . getConfig('ENCRYPT_SEPERATOR') . $keys . getConfig('ENCRYPT_SEPERATOR') . $data . getConfig('ENCRYPT_SEPERATOR') . getConfig('DATE_KEY') . getConfig('ENCRYPT_SEPERATOR') . $a);
2112 //* DEBUG: */ outputHtml('SHA1=' . $sha1.' ('.strlen($sha1).')<br />');
2113 $sha1 = scrambleString($sha1);
2114 //* DEBUG: */ outputHtml('Scrambled=' . $sha1.' ('.strlen($sha1).')<br />');
2115 //* DEBUG: */ $sha1b = descrambleString($sha1);
2116 //* DEBUG: */ outputHtml('Descrambled=' . $sha1b.' ('.strlen($sha1b).')<br />');
2118 // Generate the password salt string
2119 $salt = substr($sha1, 0, getConfig('salt_length'));
2120 //* DEBUG: */ outputHtml($salt.' ('.strlen($salt).')<br />');
2123 //* DEBUG: */ print 'salt=' . $salt . '<br />';
2124 $salt = substr($salt, 0, getConfig('salt_length'));
2125 //* DEBUG: */ print 'salt=' . $salt . '(' . strlen($salt) . '/' . getConfig('salt_length') . ')<br />';
2127 // Sanity check on salt
2128 if (strlen($salt) != getConfig('salt_length')) {
2130 debug_report_bug(__FUNCTION__.': salt length mismatch! ('.strlen($salt).'/'.getConfig('salt_length').')');
2135 return $salt.sha1($salt . $plainText);
2138 // Scramble a string
2139 function scrambleString($str) {
2143 // Final check, in case of failture it will return unscrambled string
2144 if (strlen($str) > 40) {
2145 // The string is to long
2147 } elseif (strlen($str) == 40) {
2149 $scrambleNums = explode(':', getConfig('pass_scramble'));
2151 // Generate new numbers
2152 $scrambleNums = explode(':', genScrambleString(strlen($str)));
2155 // Compare both lengths and abort if different
2156 if (strlen($str) != count($scrambleNums)) return $str;
2158 // Scramble string here
2159 //* DEBUG: */ outputHtml('***Original=' . $str.'***<br />');
2160 for ($idx = '0'; $idx < strlen($str); $idx++) {
2161 // Get char on scrambled position
2162 $char = substr($str, $scrambleNums[$idx], 1);
2164 // Add it to final output string
2165 $scrambled .= $char;
2168 // Return scrambled string
2169 //* DEBUG: */ outputHtml('***Scrambled=' . $scrambled.'***<br />');
2173 // De-scramble a string scrambled by scrambleString()
2174 function descrambleString($str) {
2175 // Scramble only 40 chars long strings
2176 if (strlen($str) != 40) return $str;
2178 // Load numbers from config
2179 $scrambleNums = explode(':', getConfig('pass_scramble'));
2182 if (count($scrambleNums) != 40) return $str;
2184 // Begin descrambling
2185 $orig = str_repeat(' ', 40);
2186 //* DEBUG: */ outputHtml('+++Scrambled=' . $str.'+++<br />');
2187 for ($idx = '0'; $idx < 40; $idx++) {
2188 $char = substr($str, $idx, 1);
2189 $orig = substr_replace($orig, $char, $scrambleNums[$idx], 1);
2192 // Return scrambled string
2193 //* DEBUG: */ outputHtml('+++Original=' . $orig.'+++<br />');
2197 // Generated a "string" for scrambling
2198 function genScrambleString ($len) {
2199 // Prepare array for the numbers
2200 $scrambleNumbers = array();
2202 // First we need to setup randomized numbers from 0 to 31
2203 for ($idx = '0'; $idx < $len; $idx++) {
2205 $rand = mt_rand(0, ($len -1));
2207 // Check for it by creating more numbers
2208 while (array_key_exists($rand, $scrambleNumbers)) {
2209 $rand = mt_rand(0, ($len -1));
2213 $scrambleNumbers[$rand] = $rand;
2216 // So let's create the string for storing it in database
2217 $scrambleString = implode(':', $scrambleNumbers);
2218 return $scrambleString;
2221 // Generate an PGP-like encrypted hash of given hash for e.g. cookies
2222 function generatePassString ($passHash) {
2223 // Return vanilla password hash
2226 // Is a secret key and master salt already initialized?
2227 if ((isExtensionInstalled('sql_patches')) && (isConfigEntrySet('_PRIME')) && (isConfigEntrySet('secret_key')) && (isConfigEntrySet('master_salt'))) {
2228 // Only calculate when the secret key is generated
2229 if (strlen($passHash) != getConfig('secret_key')) {
2230 // Both keys must have same length so return unencrypted
2234 $newHash = ''; $start = 9;
2235 //* DEBUG: */ outputHtml('passHash=' . $passHash . '(' . strlen($passHash) . ')<br />');
2236 for ($idx = 0; $idx < 20; $idx++) {
2237 $part1 = hexdec(substr($passHash, ($idx * 2), 2));
2238 $part2 = hexdec(substr(getConfig('secret_key'), $start, 2));
2239 //* DEBUG: */ outputHtml('part1='.$part1.'/part2='.$part2.'<br />');
2240 $mod = dechex($idx);
2241 if ($part1 > $part2) {
2242 $mod = dechex(sqrt(($part1 - $part2) * getConfig('_PRIME') / pi()));
2243 } elseif ($part2 > $part1) {
2244 $mod = dechex(sqrt(($part2 - $part1) * getConfig('_PRIME') / pi()));
2246 $mod = substr($mod, 0, 2);
2247 //* DEBUG: */ outputHtml('part1='.$part1.'/part2='.$part2.'/mod=' . $mod . '('.strlen($mod).')<br />');
2248 $mod = str_repeat(0, (2 - strlen($mod))) . $mod;
2249 //* DEBUG: */ outputHtml('mod(' . ($idx * 2) . ')=' . $mod . '*<br />');
2254 //* DEBUG: */ print($passHash . '<br />' . $newHash . ' (' . strlen($newHash) . ')<br />');
2255 $ret = generateHash($newHash, getConfig('master_salt'));
2256 //* DEBUG: */ print('ret=' . $ret . '<br />');
2263 // Fix "deleted" cookies
2264 function fixDeletedCookies ($cookies) {
2265 // Is this an array with entries?
2266 if ((is_array($cookies)) && (count($cookies) > 0)) {
2267 // Then check all cookies if they are marked as deleted!
2268 foreach ($cookies as $cookieName) {
2269 // Is the cookie set to "deleted"?
2270 if (getSession($cookieName) == 'deleted') {
2271 setSession($cookieName, '');
2277 // Output error messages in a fasioned way and die...
2278 function app_die ($F, $L, $message) {
2279 // Check if Script is already dieing and not let it kill itself another 1000 times
2280 if (!isset($GLOBALS['app_died'])) {
2281 // Make sure, that the script realy realy diese here and now
2282 $GLOBALS['app_died'] = true;
2285 loadIncludeOnce('inc/header.php');
2287 // Rewrite message for output
2288 $message = sprintf(getMessage('MXCHANGE_HAS_DIED'), basename($F), $L, $message);
2290 // Better log this message away
2291 if ($F != 'debug_report_bug') logDebugMessage($F, $L, $message);
2293 // Load the message template
2294 loadTemplate('app_die_message', false, $message);
2297 loadIncludeOnce('inc/footer.php');
2299 // Script tried to kill itself twice
2300 debug_report_bug('Script wanted to kill itself more than once! Raw message=' . $message . ', file/function=' . $F . ', line=' . $L);
2304 // Display parsing time and number of SQL queries in footer
2305 function displayParsingTime() {
2306 // Is the timer started?
2307 if (!isset($GLOBALS['startTime'])) {
2313 $endTime = microtime(true);
2315 // "Explode" both times
2316 $start = explode(' ', $GLOBALS['startTime']);
2317 $end = explode(' ', $endTime);
2318 $runTime = $end[0] - $start[0];
2319 if ($runTime < 0) $runTime = '0';
2323 'runtime' => translateComma($runTime),
2324 'timeSQLs' => translateComma(getConfig('sql_time') * 1000),
2327 // Load the template
2328 $GLOBALS['page_footer'] .= loadTemplate('show_timings', true, $content);
2331 // Check wether a boolean constant is set
2332 // Taken from user comments in PHP documentation for function constant()
2333 function isBooleanConstantAndTrue ($constName) { // : Boolean
2334 // Failed by default
2338 if (isset($GLOBALS['cache_array']['const'][$constName])) {
2340 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>): " . $constName."-CACHE!<br />");
2341 $res = ($GLOBALS['cache_array']['const'][$constName] === true);
2344 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>): " . $constName."-RESOLVE!<br />");
2345 if (defined($constName)) {
2347 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>): " . $constName."-FOUND!<br />");
2348 $res = (constant($constName) === true);
2352 $GLOBALS['cache_array']['const'][$constName] = $res;
2354 //* DEBUG: */ var_dump($res);
2360 // Checks if a given apache module is loaded
2361 function isApacheModuleLoaded ($apacheModule) {
2362 // Check it and return result
2363 return (((function_exists('apache_get_modules')) && (in_array($apacheModule, apache_get_modules()))) || (!function_exists('apache_get_modules')));
2366 // Get current theme name
2367 function getCurrentTheme () {
2368 // The default theme is 'default'... ;-)
2371 // Do we have ext-theme installed and active?
2372 if (isExtensionActive('theme')) {
2373 // Call inner method
2374 $ret = getActualTheme();
2377 // Return theme value
2381 // Generates an error code from given account status
2382 function generateErrorCodeFromUserStatus ($status='') {
2383 // If no status is provided, use the default, cached
2384 if ((empty($status)) && (isMember())) {
2386 $status = getUserData('status');
2389 // Default error code if unknown account status
2390 $errorCode = getCode('UNKNOWN_STATUS');
2392 // Generate constant name
2393 $codeName = sprintf("ACCOUNT_%s", strtoupper($status));
2395 // Is the constant there?
2396 if (isCodeSet($codeName)) {
2398 $errorCode = getCode($codeName);
2401 logDebugMessage(__FUNCTION__, __LINE__, sprintf("Unknown error status %s detected.", $status));
2404 // Return error code
2408 // Function to search for the last modifified file
2409 function searchDirsRecursive ($dir, &$last_changed) {
2411 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>):dir=" . $dir.'<br />');
2412 // Does it match what we are looking for? (We skip a lot files already!)
2413 // RegexPattern to exclude ., .., .revision, .svn, debug.log or .cache in the filenames
2414 $excludePattern = '@(\.revision|debug\.log|\.cache|config\.php)$@';
2415 $ds = getArrayFromDirectory($dir, '', true, false, array(), '.php', $excludePattern);
2416 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>):ds[]=".count($ds).'<br />');
2418 // Walk through all entries
2419 foreach ($ds as $d) {
2420 // Generate proper FQFN
2421 $FQFN = str_replace('//', '/', getConfig('PATH') . $dir. '/'. $d);
2423 // Is it a file and readable?
2424 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>):FQFN={$FQFN}<br />");
2425 if (isDirectory($FQFN)) {
2426 // $FQFN is a directory so also crawl into this directory
2428 if (!empty($dir)) $newDir = $dir . '/'. $d;
2429 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>):DESCENT: " . $newDir.'<br />');
2430 searchDirsRecursive($newDir, $last_changed);
2431 } elseif (isFileReadable($FQFN)) {
2432 // $FQFN is a filename and no directory
2433 $time = filemtime($FQFN);
2434 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>):File: " . $d." found. (".($last_changed['time'] - $time).")<br />");
2435 if ($last_changed['time'] < $time) {
2436 // This file is newer as the file before
2437 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>) - NEWER!<br />");
2438 $last_changed['path_name'] = $FQFN;
2439 $last_changed['time'] = $time;
2445 // "Getter" for revision/version data
2446 function getActualVersion ($type = 'Revision') {
2447 // By default nothing is new... ;-)
2450 // Is the cache entry there?
2451 if (isset($GLOBALS['cache_array']['revision'][$type])) {
2452 // Found so increase cache hit
2453 incrementStatsEntry('cache_hits');
2456 return $GLOBALS['cache_array']['revision'][$type][0];
2458 // FQFN of revision file
2459 $FQFN = sprintf("%s/.revision", getConfig('CACHE_PATH'));
2461 // Check if 'check_revision_data' is setted (switch for manually rewrite the .revision-File)
2462 if ((isGetRequestParameterSet('check_revision_data')) && (getRequestParameter('check_revision_data') == 'yes')) {
2463 // Forced rebuild of .revision file
2466 // Check for revision file
2467 if (!isFileReadable($FQFN)) {
2468 // Not found, so we need to create it
2471 // Revision file found
2472 $ins_vers = explode("\n", readFromFile($FQFN));
2474 // Get array for mapping information
2475 $mapper = array_flip(getSearchFor());
2476 //* DEBUG: */ print('<pre>mapper='.print_r($mapper, true).'</pre>ins_vers=<pre>'.print_r($ins_vers, true).'</pre>');
2478 // Is the content valid?
2479 if ((!is_array($ins_vers)) || (count($ins_vers) <= 0) || (!isset($ins_vers[$mapper[$type]])) || (trim($ins_vers[$mapper[$type]]) == '') || ($ins_vers[0]) == 'new') {
2480 // File needs update!
2483 // Generate fake cache entry
2484 foreach ($mapper as $map => $idx) {
2485 $GLOBALS['cache_array']['revision'][$map][0] = $ins_vers[$idx];
2488 // Return found value
2489 return trim($ins_vers[$mapper[$type]]);
2494 // Has it been updated?
2495 if ($new === true) {
2497 writeToFile($FQFN, implode("\n", getArrayFromActualVersion()));
2499 // ... and call recursive
2500 return getActualVersion($type);
2505 // Repares an array we are looking for
2506 // 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
2507 function getSearchFor () {
2508 // Add Revision, Date, Tag and Author
2509 $searchFor = array('Revision', 'Date', 'Tag', 'Author', 'File');
2511 // Return the created array
2515 // @TODO Please describe this function
2516 function getArrayFromActualVersion () {
2520 // Directory to start with search
2521 $last_changed = array(
2526 // Init return array
2527 $akt_vers = array();
2529 // Init value for counting the founded keywords
2532 // Searches all Files and there date of the last modifikation and puts the newest File in $last_changed.
2533 searchDirsRecursive($next_dir, $last_changed); // @TODO small change to API to $last_changed = searchDirsRecursive($next_dir, $time);
2536 $last_file = readFromFile($last_changed['path_name']);
2538 // Get all the keywords to search for
2539 $searchFor = getSearchFor();
2541 // This foreach loops the $searchFor-Tags (array('Revision', 'Date', 'Tag', 'Author') --> could easaly extended in the future)
2542 foreach ($searchFor as $search) {
2543 // Searches for "$search-tag:VALUE$" or "$search-tag::VALUE$"(the stylish keywordversion ;-)) in the lates modified file
2544 $res += preg_match('@\$' . $search.'(:|::) (.*) \$@U', $last_file, $t);
2545 // This trimms the search-result and puts it in the $GLOBALS['cache_array']['revision']-return array
2546 if (isset($t[2])) $GLOBALS['cache_array']['revision'][$search] = trim($t[2]);
2549 // Save the last-changed filename for debugging
2550 $GLOBALS['cache_array']['revision']['File'] = $last_changed['path_name'];
2552 // at least 3 keyword-Tags are needed for propper values
2553 if ($res && $res >= 3
2554 && isset($GLOBALS['cache_array']['revision']['Revision']) && $GLOBALS['cache_array']['revision']['Revision'] != ''
2555 && isset($GLOBALS['cache_array']['revision']['Date']) && $GLOBALS['cache_array']['revision']['Date'] != ''
2556 && isset($GLOBALS['cache_array']['revision']['Tag']) && $GLOBALS['cache_array']['revision']['Tag'] != '') {
2557 // Prepare content witch need special treadment
2559 // Prepare timestamp for date
2560 preg_match('@(....)-(..)-(..) (..):(..):(..)@', $GLOBALS['cache_array']['revision']['Date'], $match_d);
2561 $GLOBALS['cache_array']['revision']['Date'] = mktime($match_d[4], $match_d[5], $match_d[6], $match_d[2], $match_d[3], $match_d[1]);
2563 // Add author to the Tag if the author is set and is not quix0r (lead coder)
2564 if ((isset($GLOBALS['cache_array']['revision']['Author'])) && ($GLOBALS['cache_array']['revision']['Author'] != 'quix0r')) {
2565 $GLOBALS['cache_array']['revision']['Tag'] .= '-'.strtoupper($GLOBALS['cache_array']['revision']['Author']);
2569 // No valid Data from the last modificated file so read the Revision from the Server. Fallback-solution!! Should not be removed I think.
2570 $version = sendGetRequest('check-updates3.php');
2573 // Only sets not setted or not proper values to the Online-Server-Fallback-Solution
2574 if (!isset($GLOBALS['cache_array']['revision']['Revision']) || $GLOBALS['cache_array']['revision']['Revision'] == '') $GLOBALS['cache_array']['revision']['Revision'] = trim($version[10]);
2575 if (!isset($GLOBALS['cache_array']['revision']['Date']) || $GLOBALS['cache_array']['revision']['Date'] == '') $GLOBALS['cache_array']['revision']['Date'] = trim($version[9]);
2576 if (!isset($GLOBALS['cache_array']['revision']['Tag']) || $GLOBALS['cache_array']['revision']['Tag'] == '') $GLOBALS['cache_array']['revision']['Tag'] = trim($version[8]);
2577 if (!isset($GLOBALS['cache_array']['revision']['Author']) || $GLOBALS['cache_array']['revision']['Author'] == '') $GLOBALS['cache_array']['revision']['Author'] = 'quix0r';
2578 if (!isset($GLOBALS['cache_array']['revision']['File']) || $GLOBALS['cache_array']['revision']['File'] == '') $GLOBALS['cache_array']['revision']['File'] = trim($version[11]);
2581 // Return prepared array
2582 return $GLOBALS['cache_array']['revision'];
2585 // Back-ported from the new ship-simu engine. :-)
2586 function debug_get_printable_backtrace () {
2588 $backtrace = "<ol>\n";
2590 // Get and prepare backtrace for output
2591 $backtraceArray = debug_backtrace();
2592 foreach ($backtraceArray as $key => $trace) {
2593 if (!isset($trace['file'])) $trace['file'] = __FUNCTION__;
2594 if (!isset($trace['line'])) $trace['line'] = __LINE__;
2595 if (!isset($trace['args'])) $trace['args'] = array();
2596 $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";
2600 $backtrace .= "</ol>\n";
2602 // Return the backtrace
2606 // A mail-able backtrace
2607 function debug_get_mailable_backtrace () {
2611 // Get and prepare backtrace for output
2612 $backtraceArray = debug_backtrace();
2613 foreach ($backtraceArray as $key => $trace) {
2614 if (!isset($trace['file'])) $trace['file'] = __FUNCTION__;
2615 if (!isset($trace['line'])) $trace['line'] = __LINE__;
2616 if (!isset($trace['args'])) $trace['args'] = array();
2617 $backtrace .= ($key+1) . '.:' . basename($trace['file']) . ':' . $trace['line'] . ', ' . $trace['function'] . '(' . count($trace['args']) . ")\n";
2620 // Return the backtrace
2624 // Output a debug backtrace to the user
2625 function debug_report_bug ($message = '', $sendEmail = true) {
2626 // Is this already called?
2627 if (isset($GLOBALS[__FUNCTION__])) {
2629 print 'Message:'.$message.'<br />Backtrace:<pre>';
2630 debug_print_backtrace();
2634 // Set this function as called
2635 $GLOBALS[__FUNCTION__] = true;
2640 // Is the optional message set?
2641 if (!empty($message)) {
2643 $debug = sprintf("Note: %s<br />\n",
2647 // @TODO Add a little more infos here
2648 logDebugMessage(__FUNCTION__, __LINE__, strip_tags($message));
2652 $debug .= "Please report this bug at <a title=\"Direct link to the bug-tracker\" href=\"http://bugs.mxchange.org\" rel=\"external\" target=\"_blank\">http://bugs.mxchange.org</a> and include the logfile from <strong>" . str_replace(getConfig('PATH'), '', getConfig('CACHE_PATH')) . "debug.log</strong> in your report (you can now attach files):<pre>";
2653 $debug .= debug_get_printable_backtrace();
2654 $debug .= "</pre>\nRequest-URI: " . getRequestUri()."<br />\n";
2655 $debug .= "Thank you for finding bugs.";
2657 // Send an email? (e.g. not wanted for evaluation errors)
2658 if (($sendEmail === true) && (!isInstallationPhase())) {
2661 'message' => trim($message),
2662 'backtrace' => trim(debug_get_mailable_backtrace())
2665 // Send email to webmaster
2666 sendAdminNotification(getMessage('DEBUG_REPORT_BUG_SUBJECT'), 'admin_report_bug', $content);
2670 app_die(__FUNCTION__, __LINE__, $debug);
2673 // Generates a ***weak*** seed
2674 function generateSeed () {
2675 return microtime(true) * 100000;
2678 // Converts a message code to a human-readable message
2679 function getMessageFromErrorCode ($code) {
2683 case getCode('LOGOUT_DONE') : $message = getMessage('LOGOUT_DONE'); break;
2684 case getCode('LOGOUT_FAILED') : $message = '<span class="guest_failed">{--LOGOUT_FAILED--}</span>'; break;
2685 case getCode('DATA_INVALID') : $message = getMessage('MAIL_DATA_INVALID'); break;
2686 case getCode('POSSIBLE_INVALID') : $message = getMessage('MAIL_POSSIBLE_INVALID'); break;
2687 case getCode('USER_404') : $message = getMessage('USER_404'); break;
2688 case getCode('STATS_404') : $message = getMessage('MAIL_STATS_404'); break;
2689 case getCode('ALREADY_CONFIRMED') : $message = getMessage('MAIL_ALREADY_CONFIRMED'); break;
2690 case getCode('WRONG_PASS') : $message = getMessage('LOGIN_WRONG_PASS'); break;
2691 case getCode('WRONG_ID') : $message = getMessage('LOGIN_WRONG_ID'); break;
2692 case getCode('ACCOUNT_LOCKED') : $message = getMessage('LOGIN_STATUS_LOCKED'); break;
2693 case getCode('ACCOUNT_UNCONFIRMED'): $message = getMessage('LOGIN_STATUS_UNCONFIRMED'); break;
2694 case getCode('COOKIES_DISABLED') : $message = getMessage('LOGIN_COOKIES_DISABLED'); break;
2695 case getCode('BEG_SAME_AS_OWN') : $message = getMessage('BEG_SAME_UID_AS_OWN'); break;
2696 case getCode('LOGIN_FAILED') : $message = getMessage('LOGIN_FAILED_GENERAL'); break;
2697 case getCode('MODULE_MEM_ONLY') : $message = getMaskedMessage('MODULE_MEM_ONLY', getRequestParameter('mod')); break;
2698 case getCode('OVERLENGTH') : $message = getMessage('MEMBER_TEXT_OVERLENGTH'); break;
2699 case getCode('URL_FOUND') : $message = getMessage('MEMBER_TEXT_CONTAINS_URL'); break;
2700 case getCode('SUBJ_URL') : $message = getMessage('MEMBER_SUBJ_CONTAINS_URL'); break;
2701 case getCode('BLIST_URL') : $message = "{--MEMBER_URL_BLACK_LISTED--}<br />\n{--MEMBER_BLIST_TIME--}: ".generateDateTime(getRequestParameter('blist'), 0); break;
2702 case getCode('NO_RECS_LEFT') : $message = getMessage('MEMBER_SELECTED_MORE_RECS'); break;
2703 case getCode('INVALID_TAGS') : $message = getMessage('MEMBER_HTML_INVALID_TAGS'); break;
2704 case getCode('MORE_POINTS') : $message = getMessage('MEMBER_MORE_POINTS_NEEDED'); break;
2705 case getCode('MORE_RECEIVERS1') : $message = getMessage('MEMBER_ENTER_MORE_RECEIVERS'); break;
2706 case getCode('MORE_RECEIVERS2') : $message = getMessage('MEMBER_NO_MORE_RECEIVERS_FOUND'); break;
2707 case getCode('MORE_RECEIVERS3') : $message = getMessage('MEMBER_ENTER_MORE_MIN_RECEIVERS'); break;
2708 case getCode('INVALID_URL') : $message = getMessage('MEMBER_ENTER_INVALID_URL'); break;
2709 case getCode('UNKNOWN_ERROR') : $message = getMessage('LOGIN_UNKNOWN_ERROR'); break;
2710 case getCode('UNKNOWN_STATUS') : $message = getMessage('LOGIN_UNKNOWN_STATUS'); break;
2712 case getCode('ERROR_MAILID'):
2713 if (isExtensionActive('mailid', true)) {
2714 $message = getMessage('ERROR_CONFIRMING_MAIL');
2716 $message = getMaskedMessage('EXTENSION_PROBLEM_NOT_INSTALLED', 'mailid');
2720 case getCode('EXTENSION_PROBLEM'):
2721 if (isGetRequestParameterSet('ext')) {
2722 $message = generateExtensionInactiveNotInstalledMessage(getRequestParameter('ext'));
2724 $message = getMessage('EXTENSION_PROBLEM_UNSET_EXT');
2728 case getCode('URL_TLOCK'):
2729 // @TODO Move this SQL code into a function, let's say 'getTimestampFromPoolId($id) ?
2730 $result = SQL_QUERY_ESC("SELECT `timestamp` FROM `{?_MYSQL_PREFIX?}_pool` WHERE `id`=%s LIMIT 1",
2731 array(bigintval(getRequestParameter('id'))), __FILE__, __LINE__);
2733 // Load timestamp from last order
2734 list($timestamp) = SQL_FETCHROW($result);
2737 SQL_FREERESULT($result);
2739 // Translate it for templates
2740 $timestamp = generateDateTime($timestamp, 1);
2742 // Calculate hours...
2743 $STD = round(getConfig('url_tlock') / 60 / 60);
2746 $MIN = round((getConfig('url_tlock') - $STD * 60 * 60) / 60);
2749 $SEC = getConfig('url_tlock') - $STD * 60 * 60 - $MIN * 60;
2751 // Finally contruct the message
2752 // @TODO Rewrite this old lost code to a template
2753 $message = "{--MEMBER_URL_TIME_LOCK--}<br />{--CONFIG_URL_TLOCK--} ".$STD."
2754 {--_HOURS--}, ".$MIN." {--_MINUTES--} {--_AND--} ".$SEC." {--_SECONDS--}<br />
2755 {--MEMBER_LAST_TLOCK--}: ".$timestamp;
2759 // Missing/invalid code
2760 $message = getMaskedMessage('UNKNOWN_MAILID_CODE', $code);
2763 logDebugMessage(__FUNCTION__, __LINE__, $message);
2767 // Return the message
2771 // Compile characters which are allowed in URLs
2772 function compileUriCode ($code, $simple = true) {
2773 // Compile constants
2774 if ($simple === false) $code = str_replace('{--', '".', str_replace('--}', '."', $code));
2776 // Compile QUOT and other non-HTML codes
2777 $code = str_replace('{DOT}', '.',
2778 str_replace('{SLASH}', '/',
2779 str_replace('{QUOT}', "'",
2780 str_replace('{DOLLAR}', '$',
2781 str_replace('{OPEN_ANCHOR}', '(',
2782 str_replace('{CLOSE_ANCHOR}', ')',
2783 str_replace('{OPEN_SQR}', '[',
2784 str_replace('{CLOSE_SQR}', ']',
2785 str_replace('{PER}', '%',
2789 // Return compiled code
2793 // Function taken from user comments on www.php.net / function eregi()
2794 function isUrlValidSimple ($url) {
2796 $url = secureString(str_replace("\\", '', compileRawCode(urldecode($url))));
2798 // Allows http and https
2799 $http = "(http|https)+(:\/\/)";
2801 $domain1 = "([[:alnum:]]([-[:alnum:]])*\.)?([[:alnum:]][-[:alnum:]\.]*[[:alnum:]])(\.[[:alpha:]]{2,5})?";
2802 // Test double-domains (e.g. .de.vu)
2803 $domain2 = "([-[:alnum:]])?(\.[[:alnum:]][-[:alnum:]\.]*[[:alnum:]])(\.[[:alpha:]]{2,5})(\.[[:alpha:]]{2,5})?";
2805 $ip = "([[:digit:]]{1,3})\.([[:digit:]]{1,3})\.([[:digit:]]{1,3})\.([[:digit:]]{1,3})";
2807 $dir = "((/)+([-_\.[:alnum:]])+)*";
2809 $page = "/([-_[:alnum:]][-\._[:alnum:]]*\.[[:alnum:]]{2,5})?";
2810 // ... and the string after and including question character
2811 $getstring1 = "([\?/]([[:alnum:]][-\._%[:alnum:]]*(=)?([-\@\._:%[:alnum:]])+)(&([[:alnum:]]([-_%[:alnum:]])*(=)?([-\@\[\._:%[:alnum:]])+(\])*))*)?";
2812 // Pattern for URLs like http://url/dir/doc.html?var=value
2813 $pattern['d1dpg1'] = $http . $domain1 . $dir . $page . $getstring1;
2814 $pattern['d2dpg1'] = $http . $domain2 . $dir . $page . $getstring1;
2815 $pattern['ipdpg1'] = $http . $ip . $dir . $page . $getstring1;
2816 // Pattern for URLs like http://url/dir/?var=value
2817 $pattern['d1dg1'] = $http . $domain1 . $dir.'/' . $getstring1;
2818 $pattern['d2dg1'] = $http . $domain2 . $dir.'/' . $getstring1;
2819 $pattern['ipdg1'] = $http . $ip . $dir.'/' . $getstring1;
2820 // Pattern for URLs like http://url/dir/page.ext
2821 $pattern['d1dp'] = $http . $domain1 . $dir . $page;
2822 $pattern['d1dp'] = $http . $domain2 . $dir . $page;
2823 $pattern['ipdp'] = $http . $ip . $dir . $page;
2824 // Pattern for URLs like http://url/dir
2825 $pattern['d1d'] = $http . $domain1 . $dir;
2826 $pattern['d2d'] = $http . $domain2 . $dir;
2827 $pattern['ipd'] = $http . $ip . $dir;
2828 // Pattern for URLs like http://url/?var=value
2829 $pattern['d1g1'] = $http . $domain1 . '/' . $getstring1;
2830 $pattern['d2g1'] = $http . $domain2 . '/' . $getstring1;
2831 $pattern['ipg1'] = $http . $ip . '/' . $getstring1;
2832 // Pattern for URLs like http://url?var=value
2833 $pattern['d1g12'] = $http . $domain1 . $getstring1;
2834 $pattern['d2g12'] = $http . $domain2 . $getstring1;
2835 $pattern['ipg12'] = $http . $ip . $getstring1;
2836 // Test all patterns
2838 foreach ($pattern as $key => $pat) {
2840 if (isDebugRegExpressionEnabled()) {
2841 // @TODO Are these convertions still required?
2842 $pat = str_replace('.', "\.", $pat);
2843 $pat = str_replace('@', "\@", $pat);
2844 //* DEBUG: */ outputHtml($key."= " . $pat . '<br />');
2847 // Check if expression matches
2848 $reg = ($reg || preg_match(('^' . $pat.'^'), $url));
2851 if ($reg === true) break;
2854 // Return true/false
2858 // Wtites data to a config.php-style file
2859 // @TODO Rewrite this function to use readFromFile() and writeToFile()
2860 function changeDataInFile ($FQFN, $comment, $prefix, $suffix, $DATA, $seek=0) {
2861 // Initialize some variables
2867 // Is the file there and read-/write-able?
2868 if ((isFileReadable($FQFN)) && (is_writeable($FQFN))) {
2869 $search = 'CFG: ' . $comment;
2870 $tmp = $FQFN . '.tmp';
2872 // Open the source file
2873 $fp = fopen($FQFN, 'r') or outputHtml('<strong>READ:</strong> ' . $FQFN . '<br />');
2875 // Is the resource valid?
2876 if (is_resource($fp)) {
2877 // Open temporary file
2878 $fp_tmp = fopen($tmp, 'w') or outputHtml('<strong>WRITE:</strong> ' . $tmp . '<br />');
2880 // Is the resource again valid?
2881 if (is_resource($fp_tmp)) {
2882 // Mark temporary file as readable
2883 $GLOBALS['file_readable'][$tmp] = true;
2886 while (!feof($fp)) {
2887 // Read from source file
2888 $line = fgets ($fp, 1024);
2890 if (strpos($line, $search) > -1) { $next = '0'; $found = true; }
2893 if ($next === $seek) {
2895 $line = $prefix . $DATA . $suffix . "\n";
2901 // Write to temp file
2902 fwrite($fp_tmp, $line);
2908 // Finished writing tmp file
2912 // Close source file
2915 if (($done === true) && ($found === true)) {
2916 // Copy back tmp file and delete tmp :-)
2917 copyFileVerified($tmp, $FQFN, 0644);
2918 return removeFile($tmp);
2919 } elseif ($found === false) {
2920 outputHtml('<strong>CHANGE:</strong> 404!');
2922 outputHtml('<strong>TMP:</strong> UNDONE!');
2926 // File not found, not readable or writeable
2927 outputHtml('<strong>404:</strong> ' . $FQFN . '<br />');
2930 // An error was detected!
2933 // Send notification to admin
2934 function sendAdminNotification ($subject, $templateName, $content=array(), $userid = '0') {
2935 if ((isExtensionInstalledAndNewer('admins', '0.4.1')) && (function_exists('sendAdminsEmails'))) {
2937 sendAdminsEmails($subject, $templateName, $content, $userid);
2939 // Send out out-dated way
2940 $message = loadEmailTemplate($templateName, $content, $userid);
2941 sendAdminEmails($subject, $message);
2945 // Debug message logger
2946 function logDebugMessage ($funcFile, $line, $message, $force=true) {
2947 // Is debug mode enabled?
2948 if ((isDebugModeEnabled()) || ($force === true)) {
2950 $message = str_replace("\r", '', str_replace("\n", '', $message));
2952 // Log this message away, we better don't call app_die() here to prevent an endless loop
2953 $fp = fopen(getConfig('CACHE_PATH') . 'debug.log', 'a') or die(__FUNCTION__.'['.__LINE__.']: Cannot write logfile debug.log!');
2954 fwrite($fp, date('d.m.Y|H:i:s', time()) . '|' . getModule(false) . '|' . basename($funcFile) . '|' . $line . '|' . $message . "\n");
2959 // Handle extra values
2960 function handleExtraValues ($filterFunction, $value, $extraValue) {
2961 // Default is the value itself
2964 // Do we have a special filter function?
2965 if (!empty($filterFunction)) {
2966 // Does the filter function exist?
2967 if (function_exists($filterFunction)) {
2968 // Do we have extra parameters here?
2969 if (!empty($extraValue)) {
2970 // Put both parameters in one new array by default
2971 $args = array($value, $extraValue);
2973 // If we have an array simply use it and pre-extend it with our value
2974 if (is_array($extraValue)) {
2975 // Make the new args array
2976 $args = merge_array(array($value), $extraValue);
2979 // Call the multi-parameter call-back
2980 $ret = call_user_func_array($filterFunction, $args);
2982 // One parameter call
2983 $ret = call_user_func($filterFunction, $value);
2992 // Converts timestamp selections into a timestamp
2993 function convertSelectionsToTimestamp (&$postData, &$DATA, &$id, &$skip) {
2994 // Init test variable
2998 // Get last three chars
2999 $test = substr($id, -3);
3001 // Improved way of checking! :-)
3002 if (in_array($test, array('_ye', '_mo', '_we', '_da', '_ho', '_mi', '_se'))) {
3003 // Found a multi-selection for timings?
3004 $test = substr($id, 0, -3);
3005 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)) {
3006 // Generate timestamp
3007 $postData[$test] = createTimestampFromSelections($test, $postData);
3008 $DATA[] = sprintf("`%s`='%s'", $test, $postData[$test]);
3009 $GLOBALS['skip_config'][$test] = true;
3011 // Remove data from array
3012 foreach (array('ye', 'mo', 'we', 'da', 'ho', 'mi', 'se') as $rem) {
3013 unset($postData[$test . '_' . $rem]);
3024 // Reverts the german decimal comma into Computer decimal dot
3025 function convertCommaToDot ($str) {
3026 // Default float is not a float... ;-)
3029 // Which language is selected?
3030 switch (getLanguage()) {
3031 case 'de': // German language
3032 // Remove german thousand dots first
3033 $str = str_replace('.', '', $str);
3035 // Replace german commata with decimal dot and cast it
3036 $float = (float)str_replace(',', '.', $str);
3039 default: // US and so on
3040 // Remove thousand dots first and cast
3041 $float = (float)str_replace(',', '', $str);
3049 // Handle menu-depending failed logins and return the rendered content
3050 function handleLoginFailtures ($accessLevel) {
3051 // Default output is empty ;-)
3054 // Is the session data set?
3055 if ((isSessionVariableSet('mxchange_' . $accessLevel.'_failures')) && (isSessionVariableSet('mxchange_' . $accessLevel.'_last_fail'))) {
3056 // Ignore zero values
3057 if (getSession('mxchange_' . $accessLevel.'_failures') > 0) {
3058 // Non-guest has login failures found, get both data and prepare it for template
3059 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>):accessLevel={$accessLevel}<br />");
3061 'login_failures' => getSession('mxchange_' . $accessLevel.'_failures'),
3062 'last_failure' => generateDateTime(getSession('mxchange_' . $accessLevel.'_last_fail'), 2)
3066 $OUT = loadTemplate('login_failures', true, $content);
3069 // Reset session data
3070 setSession('mxchange_' . $accessLevel.'_failures', '');
3071 setSession('mxchange_' . $accessLevel.'_last_fail', '');
3074 // Return rendered content
3079 function rebuildCacheFile ($cache, $inc = '', $force = false) {
3081 /* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, sprintf("cache=%s, inc=%s, force=%s", $cache, $inc, intval($force)));
3083 // Shall I remove the cache file?
3084 if (isCacheInstanceValid()) {
3086 if ($GLOBALS['cache_instance']->loadCacheFile($cache)) {
3088 $GLOBALS['cache_instance']->removeCacheFile($force);
3091 // Include file given?
3094 $inc = sprintf("inc/loader/load_cache-%s.php", $inc);
3096 // Is the include there?
3097 if (isIncludeReadable($inc)) {
3098 // And rebuild it from scratch
3099 //* DEBUG: */ outputHtml(__FUNCTION__."(<font color=\"#0000aa\">".__LINE__."</font>): inc={$inc} - LOADED!<br />");
3102 // Include not found!
3103 logDebugMessage(__FUNCTION__, __LINE__, "Include {$inc} not found. cache={$cache}");
3109 // Determines the real remote address
3110 function determineRealRemoteAddress () {
3111 // Is a proxy in use?
3112 if (isset($_SERVER['HTTP_X_FORWARDED_FOR'])) {
3114 $address = $_SERVER['HTTP_X_FORWARDED_FOR'];
3115 } elseif (isset($_SERVER['HTTP_CLIENT_IP'])) {
3116 // Yet, another proxy
3117 $address = $_SERVER['HTTP_CLIENT_IP'];
3119 // The regular address when no proxy was used
3120 $address = $_SERVER['REMOTE_ADDR'];
3123 // This strips out the real address from proxy output
3124 if (strstr($address, ',')) {
3125 $addressArray = explode(',', $address);
3126 $address = $addressArray[0];
3129 // Return the result
3133 // Adds a bonus mail to the queue
3134 // This is a high-level function!
3135 function addNewBonusMail ($data, $mode = '', $output=true) {
3136 // Use mode from data if not set and availble ;-)
3137 if ((empty($mode)) && (isset($data['mode']))) $mode = $data['mode'];
3139 // Generate receiver list
3140 $receiver = generateReceiverList($data['cat'], $data['receiver'], $mode);
3143 if (!empty($receiver)) {
3144 // Add bonus mail to queue
3145 addBonusMailToQueue(
3157 // Mail inserted into bonus pool
3158 if ($output) loadTemplate('admin_settings_saved', false, getMessage('ADMIN_BONUS_SEND'));
3159 } elseif ($output) {
3160 // More entered than can be reached!
3161 loadTemplate('admin_settings_saved', false, getMessage('ADMIN_MORE_SELECTED'));
3164 logDebugMessage(__FUNCTION__, __LINE__, "cat={$data['cat']},receiver={$data['receiver']},data=".base64_encode(serialize($data))." More selected, than available!");
3168 // Determines referal id and sets it
3169 function determineReferalId () {
3170 // Skip this in non-html-mode and outside ref.php
3171 if ((getOutputMode() != 0) && (basename($_SERVER['PHP_SELF']) != 'ref.php')) return false;
3173 // Check if refid is set
3174 if ((isset($GLOBALS['refid'])) && ($GLOBALS['refid'] > 0)) {
3176 } elseif ((isGetRequestParameterSet('user')) && (basename($_SERVER['PHP_SELF']) == 'click.php')) {
3177 // The variable user comes from the click-counter script click.php and we only accept this here
3178 $GLOBALS['refid'] = bigintval(getRequestParameter('user'));
3179 } elseif (isPostRequestParameterSet('refid')) {
3180 // Get referal id from variable refid (so I hope this makes my script more compatible to other scripts)
3181 $GLOBALS['refid'] = secureString(postRequestParameter('refid'));
3182 } elseif (isGetRequestParameterSet('refid')) {
3183 // Get referal id from variable refid (so I hope this makes my script more compatible to other scripts)
3184 $GLOBALS['refid'] = secureString(getRequestParameter('refid'));
3185 } elseif (isGetRequestParameterSet('ref')) {
3186 // Set refid=ref (the referal link uses such variable)
3187 $GLOBALS['refid'] = secureString(getRequestParameter('ref'));
3188 } elseif ((isSessionVariableSet('refid')) && (getSession('refid') != 0)) {
3189 // Set session refid als global
3190 $GLOBALS['refid'] = bigintval(getSession('refid'));
3191 } elseif ((isExtensionInstalledAndNewer('user', '0.3.4')) && (getConfig('select_user_zero_refid') == 'Y')) {
3192 // Select a random user which has confirmed enougth mails
3193 $GLOBALS['refid'] = determineRandomReferalId();
3194 } elseif ((isExtensionInstalled('sql_patches')) && (getConfig('def_refid') > 0)) {
3195 // Set default refid as refid in URL
3196 $GLOBALS['refid'] = getConfig('def_refid');
3198 // No default id when sql_patches is not installed or none set
3199 $GLOBALS['refid'] = '0';
3202 // Set cookie when default refid > 0
3203 if (!isSessionVariableSet('refid') || (!empty($GLOBALS['refid'])) || ((getSession('refid') == '0') && (isConfigEntrySet('def_refid')) && (getConfig('def_refid') > 0))) {
3204 // Default is not found
3207 // Do we have nickname or userid set?
3208 if ((isExtensionActive('nickname')) && (isNicknameUsed($GLOBALS['refid']))) {
3209 // Nickname in URL, so load the id
3210 $found = fetchUserData($GLOBALS['refid'], 'nickname');
3211 } elseif ($GLOBALS['refid'] > 0) {
3212 // Direct userid entered
3213 $found = fetchUserData($GLOBALS['refid']);
3216 // Is the record valid?
3217 if ((($found === false) || (!isUserDataValid())) && (isConfigEntrySet('def_refid'))) {
3218 // No, then reset referal id
3219 $GLOBALS['refid'] = getConfig('def_refid');
3223 setSession('refid', $GLOBALS['refid']);
3226 // Return determined refid
3227 return $GLOBALS['refid'];
3230 // Enables the reset mode and runs it
3231 function doReset () {
3232 // Enable the reset mode
3233 $GLOBALS['reset_enabled'] = true;
3236 runFilterChain('reset');
3239 // Our shutdown-function
3240 function shutdown () {
3241 // Call the filter chain 'shutdown'
3242 runFilterChain('shutdown', null);
3244 // Check if not in installation phase and the link is up
3245 if ((!isInstallationPhase()) && (SQL_IS_LINK_UP())) {
3247 SQL_CLOSE(__FILE__, __LINE__);
3248 } elseif (!isInstallationPhase()) {
3250 addFatalMessage(__FILE__, __LINE__, getMessage('NO_DB_LINK_SHUTDOWN'));
3253 // Stop executing here
3258 function initMemberId () {
3259 $GLOBALS['member_id'] = '0';
3262 // Setter for member id
3263 function setMemberId ($memberid) {
3264 // We should not set member id to zero
3265 if ($memberid == '0') debug_report_bug('Userid should not be set zero.');
3268 $GLOBALS['member_id'] = bigintval($memberid);
3271 // Getter for member id or returns zero
3272 function getMemberId () {
3273 // Default member id
3276 // Is the member id set?
3277 if (isMemberIdSet()) {
3279 $memberid = $GLOBALS['member_id'];
3286 // Checks ether the member id is set
3287 function isMemberIdSet () {
3288 return (isset($GLOBALS['member_id']));
3291 // Handle message codes from URL
3292 function handleCodeMessage () {
3293 if (isGetRequestParameterSet('code')) {
3294 // Default extension is 'unknown'
3297 // Is extension given?
3298 if (isGetRequestParameterSet('ext')) $ext = getRequestParameter('ext');
3300 // Convert the 'code' parameter from URL to a human-readable message
3301 $message = getMessageFromErrorCode(getRequestParameter('code'));
3303 // Load message template
3304 loadTemplate('message', false, $message);
3308 // Setter for extra title
3309 function setExtraTitle ($extraTitle) {
3310 $GLOBALS['extra_title'] = $extraTitle;
3313 // Getter for extra title
3314 function getExtraTitle () {
3315 // Is the extra title set?
3316 if (!isExtraTitleSet()) {
3317 // No, then abort here
3318 debug_report_bug('extra_title is not set!');
3322 return $GLOBALS['extra_title'];
3325 // Checks if the extra title is set
3326 function isExtraTitleSet () {
3327 return ((isset($GLOBALS['extra_title'])) && (!empty($GLOBALS['extra_title'])));
3330 // Generates a 'extension foo inactive' message
3331 function generateExtensionInactiveMessage ($ext_name) {
3332 // Is the extension empty?
3333 if (empty($ext_name)) {
3334 // This should not happen
3335 debug_report_bug(__FUNCTION__ . ': Parameter ext is empty. This should not happen.');
3339 $message = getMaskedMessage('EXTENSION_PROBLEM_EXT_INACTIVE', $ext_name);
3341 // Is an admin logged in?
3343 // Then output admin message
3344 $message = getMaskedMessage('ADMIN_EXTENSION_PROBLEM_EXT_INACTIVE', $ext_name);
3347 // Return prepared message
3351 // Generates a 'extension foo not installed' message
3352 function generateExtensionNotInstalledMessage ($ext_name) {
3353 // Is the extension empty?
3354 if (empty($ext_name)) {
3355 // This should not happen
3356 debug_report_bug(__FUNCTION__ . ': Parameter ext is empty. This should not happen.');
3360 $message = getMaskedMessage('EXTENSION_PROBLEM_EXT_NOT_INSTALLED', $ext_name);
3362 // Is an admin logged in?
3364 // Then output admin message
3365 $message = getMaskedMessage('ADMIN_EXTENSION_PROBLEM_EXT_NOT_INSTALLED', $ext_name);
3368 // Return prepared message
3372 // Generates a message depending on if the extension is not installed or not
3374 function generateExtensionInactiveNotInstalledMessage ($ext_name) {
3378 // Is the extension not installed or just deactivated?
3379 switch (isExtensionInstalled($ext_name)) {
3380 case true; // Deactivated!
3381 $message = generateExtensionInactiveMessage($ext_name);
3384 case false; // Not installed!
3385 $message = generateExtensionNotInstalledMessage($ext_name);
3388 default: // Should not happen!
3389 logDebugMessage(__FUNCTION__, __LINE__, sprintf("Invalid state of extension %s detected.", $ext_name));
3390 $message = sprintf("Invalid state of extension %s detected.", $ext_name);
3394 // Return the message
3398 // Reads a directory recursively by default and searches for files not matching
3399 // an exclusion pattern. You can now keep the exclusion pattern empty for reading
3400 // a whole directory.
3401 function getArrayFromDirectory ($baseDir, $prefix, $fileIncludeDirs = false, $addBaseDir = true, $excludeArray = array(), $extension = '.php', $excludePattern = '@(\.|\.\.)$@', $recursive = true, $suffix = '') {
3402 // Add default entries we should exclude
3403 $excludeArray[] = '.';
3404 $excludeArray[] = '..';
3405 $excludeArray[] = '.svn';
3406 $excludeArray[] = '.htaccess';
3408 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, "baseDir={$baseDir},prefix={$prefix} - Entered!");
3413 $dirPointer = opendir(getConfig('PATH') . $baseDir) or app_die(__FUNCTION__, __LINE__, 'Cannot read directory ' . basename($baseDir) . '.');
3416 while ($baseFile = readdir($dirPointer)) {
3417 // Exclude '.', '..' and entries in $excludeArray automatically
3418 if (in_array($baseFile, $excludeArray, true)) {
3420 //* DEBUG: */ outputHtml('excluded=' . $baseFile . '<br />');
3424 // Construct include filename and FQFN
3425 $fileName = $baseDir . $baseFile;
3426 $FQFN = getConfig('PATH') . $fileName;
3428 // Remove double slashes
3429 $FQFN = str_replace('//', '/', $FQFN);
3431 // Check if the base filenname matches an exclusion pattern and if the pattern is not empty
3432 if ((!empty($excludePattern)) && (preg_match($excludePattern, $baseFile, $match))) {
3433 // These Lines are only for debugging!!
3434 //* DEBUG: */ outputHtml('baseDir:' . $baseDir . '<br />');
3435 //* DEBUG: */ outputHtml('baseFile:' . $baseFile . '<br />');
3436 //* DEBUG: */ outputHtml('FQFN:' . $FQFN . '<br />');
3442 // Skip also files with non-matching prefix genericly
3443 if (($recursive === true) && (isDirectory($FQFN))) {
3444 // Is a redirectory so read it as well
3445 $files = merge_array($files, getArrayFromDirectory($baseDir . $baseFile . '/', $prefix, $fileIncludeDirs, $addBaseDir, $excludeArray, $extension, $excludePattern, $recursive));
3447 // And skip further processing
3449 } elseif (substr($baseFile, 0, strlen($prefix)) != $prefix) {
3451 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, "Invalid prefix in file " . $baseFile . ", prefix=" . $prefix);
3453 } elseif ((!empty($suffix)) && (substr($baseFile, -(strlen($suffix . $extension)), (strlen($suffix . $extension))) != $suffix . $extension)) {
3454 // Skip wrong suffix as well
3455 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, "Invalid suffix in file " . $baseFile . ", suffix=" . $suffix);
3457 } elseif (!isFileReadable($FQFN)) {
3458 // Not readable so skip it
3459 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, "File " . $FQFN . " is not readable!");
3463 // Is the file a PHP script or other?
3464 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, "baseDir={$baseDir},prefix={$prefix},baseFile={$baseFile}");
3465 if ((substr($baseFile, -4, 4) == '.php') || (($fileIncludeDirs === true) && (isDirectory($FQFN)))) {
3466 // Is this a valid include file?
3467 if ($extension == '.php') {
3468 // Remove both for extension name
3469 $extName = substr($baseFile, strlen($prefix), -4);
3471 // Is the extension valid and active?
3472 if (isExtensionNameValid($extName)) {
3473 // Then add this file
3474 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'Extension entry ' . $baseFile . ' added.');
3475 $files[] = $fileName;
3477 // Add non-extension files as well
3478 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, 'Regular entry ' . $baseFile . ' added.');
3479 if ($addBaseDir === true) {
3480 $files[] = $fileName;
3482 $files[] = $baseFile;
3486 // We found .php file but should not search for them, why?
3487 debug_report_bug('We should find files with extension=' . $extension . ', but we found a PHP script.');
3489 } elseif (substr($baseFile, -4, 4) == $extension) {
3490 // Other, generic file found
3491 $files[] = $fileName;
3496 closedir($dirPointer);
3501 // Return array with include files
3502 //* DEBUG: */ logDebugMessage(__FUNCTION__, __LINE__, '- Left!');
3506 // Maps a module name into a database table name
3507 function mapModuleToTable ($moduleName) {
3508 // Map only these, still lame code...
3509 switch ($moduleName) {
3510 // 'index' is the guest's menu
3511 case 'index': $moduleName = 'guest'; break;
3512 // ... and 'login' the member's menu
3513 case 'login': $moduleName = 'member'; break;
3514 // Anything else will not be mapped, silently.
3521 // Add SQL debug data to array for later output
3522 function addSqlToDebug ($result, $sqlString, $timing, $F, $L) {
3523 // Already executed?
3524 if (isset($GLOBALS['debug_sqls'][$F][$L][$sqlString])) {
3525 // Then abort here, we don't need to profile a query twice
3529 // Remeber this as profiled (or not, but we don't care here)
3530 $GLOBALS['debug_sqls'][$F][$L][$sqlString] = true;
3532 // Do we have cache?
3533 if (!isset($GLOBALS['debug_sql_available'])) {
3534 // Check it and cache it in $GLOBALS
3535 $GLOBALS['debug_sql_available'] = ((isConfigurationLoaded()) && (isExtensionInstalledAndNewer('other', '0.2.2')) && (getConfig('display_debug_sqls') == 'Y'));
3538 // Don't execute anything here if we don't need or ext-other is missing
3539 if ($GLOBALS['debug_sql_available'] === false) {
3545 'num_rows' => SQL_NUMROWS($result),
3546 'affected' => SQL_AFFECTEDROWS(),
3547 'sql_str' => $sqlString,
3548 'timing' => $timing,
3549 'file' => basename($F),
3554 $GLOBALS['debug_sqls'][] = $record;
3557 // Initializes the cache instance
3558 function initCacheInstance () {
3559 // Load include for CacheSystem class
3560 loadIncludeOnce('inc/classes/cachesystem.class.php');
3562 // Initialize cache system only when it's needed
3563 $GLOBALS['cache_instance'] = new CacheSystem();
3564 if ($GLOBALS['cache_instance']->getStatus() != 'done') {
3565 // Failed to initialize cache sustem
3566 addFatalMessage(__FILE__, __LINE__, '(<font color="#0000aa">' . __LINE__ . '</font>): ' . getMessage('CACHE_CANNOT_INITIALIZE'));
3570 // Getter for message from array or raw message
3571 function getMessageFromIndexedArray ($message, $pos, $array) {
3572 // Check if the requested message was found in array
3573 if (isset($array[$pos])) {
3574 // ... if yes then use it!
3575 $ret = $array[$pos];
3577 // ... else use default message
3585 // Print code with line numbers
3586 function linenumberCode ($code) {
3587 if (!is_array($code)) $codeE = explode("\n", $code); else $codeE = $code;
3588 $count_lines = count($codeE);
3590 $r = 'Line | Code:<br />';
3591 foreach($codeE as $line => $c) {
3592 $r .= '<div class="line"><span class="linenum">';
3593 if ($count_lines == 1) {
3596 $r .= ($line == ($count_lines - 1)) ? '' : ($line+1);
3601 $r .= '<span class="linetext">' . htmlentities($c) . '</span></div>';
3604 return '<div class="code">' . $r . '</div>';
3607 // Convert ';' to ', ' for e.g. receiver list
3608 function convertReceivers ($old) {
3609 return str_replace(';', ', ', $old);
3612 // Determines the right page title
3613 function determinePageTitle () {
3614 // Config and database connection valid?
3615 if ((isConfigLocalLoaded()) && (isConfigurationLoaded()) && (SQL_IS_LINK_UP()) && (isExtensionInstalledAndNewer('sql_patches', '0.1.6'))) {
3619 // Title decoration enabled?
3620 if ((getConfig('enable_title_deco') == 'Y') && (getConfig('title_left') != '')) $TITLE .= trim(getConfig('title_left')) . ' ';
3622 // Do we have some extra title?
3623 if (isExtraTitleSet()) {
3625 $TITLE .= getExtraTitle() . ' by ';
3629 $TITLE .= getConfig('MAIN_TITLE');
3631 // Add title of module? (middle decoration will also be added!)
3632 if ((getConfig('enable_mod_title') == 'Y') || ((!isWhatSet()) && (!isActionSet())) || (getModule() == 'admin')) {
3633 $TITLE .= ' ' . trim(getConfig('title_middle')) . ' ' . getModuleTitle(getModule());
3636 // Add title from what file
3638 if (getModule() == 'login') $mode = 'member';
3639 elseif (getModule() == 'index') $mode = 'guest';
3640 if ((!empty($mode)) && (getConfig('enable_what_title') == 'Y')) $TITLE .= ' ' . trim(getConfig('title_middle')) . ' ' . getTitleFromMenu($mode, getWhat());
3642 // Add title decorations? (right)
3643 if ((getConfig('enable_title_deco') == 'Y') && (getConfig('title_right') != '')) $TITLE .= ' ' . trim(getConfig('title_right'));
3645 // Remember title in constant for the template
3646 $pageTitle = $TITLE;
3647 } elseif ((isInstalled()) && (isAdminRegistered())) {
3648 // Installed, admin registered but no ext-sql_patches
3649 $pageTitle = '[-- ' . getConfig('MAIN_TITLE') . ' - ' . getModuleTitle(getModule()) . ' --]';
3650 } elseif ((isInstalled()) && (!isAdminRegistered())) {
3651 // Installed but no admin registered
3652 $pageTitle = getMessage('SETUP_OF_MXCHANGE');
3653 } elseif ((!isInstalled()) || (!isAdminRegistered())) {
3654 // Installation mode
3655 $pageTitle = getMessage('INSTALLATION_OF_MXCHANGE');
3657 // Configuration not found!
3658 $pageTitle = getMessage('NO_CONFIG_FOUND_TITLE');
3660 // Do not add the fatal message in installation mode
3661 if ((!isInstalling()) && (!isConfigurationLoaded())) addFatalMessage(__FILE__, __LINE__, getMessage('NO_CONFIG_FOUND'));
3665 return decodeEntities($pageTitle);
3668 // Checks wethere there is a cache file there. This function is cached.
3669 function isTemplateCached ($template) {
3670 // Do we have cached this result?
3671 if (!isset($GLOBALS['template_cache'][$template])) {
3673 $FQFN = sprintf("%s_compiled/templates/%s.tpl.cache", getConfig('CACHE_PATH'), $template);
3676 $GLOBALS['template_cache'][$template] = isFileReadable($FQFN);
3680 return $GLOBALS['template_cache'][$template];
3683 // Flushes non-flushed template cache to disk
3684 function flushTemplateCache ($template, $eval) {
3685 // Is this cache flushed?
3686 if ((isDebuggingTemplateCache() === false) && (isTemplateCached($template) === false) && ($eval != '404')) {
3688 $FQFN = sprintf("%s_compiled/templates/%s.tpl.cache", getConfig('CACHE_PATH'), $template);
3690 // Replace username with a call
3691 $eval = str_replace('$username', '".getUsername()."', $eval);
3694 writeToFile($FQFN, $eval, true);
3698 // Reads a template cache
3699 function readTemplateCache ($template) {
3701 if ((isDebuggingTemplateCache() === false) && (isTemplateCached($template))) {
3703 $FQFN = sprintf("%s_compiled/templates/%s.tpl.cache", getConfig('CACHE_PATH'), $template);
3706 $GLOBALS['template_eval'][$template] = readFromFile($FQFN);
3710 return $GLOBALS['template_eval'][$template];
3713 // Escapes quotes (default is only double-quotes)
3714 function escapeQuotes ($str, $single = false) {
3715 // Should we escape all?
3716 if ($single === true) {
3717 // Escape all (including null)
3718 $str = addslashes($str);
3720 // Escape only double-quotes but prevent double-quoting
3721 $str = str_replace("\\\\", "\\", str_replace('"', "\\\"", $str));
3724 // Return the escaped string
3728 // Escapes the JavaScript code, prevents \r and \n becoming char 10/13
3729 function escapeJavaScriptQuotes ($str) {
3730 // Replace all double-quotes and secure back-ticks
3731 $str = str_replace('"', '\"', str_replace("\\", '{BACK}', $str));
3737 // Send out mails depending on the 'mod/modes' combination
3738 // @TODO Lame description for this function
3739 function sendModeMails ($mod, $modes) {
3741 if (fetchUserData(getMemberId())) {
3742 // Extract salt from cookie
3743 $salt = substr(getSession('u_hash'), 0, -40);
3745 // Now let's compare passwords
3746 $hash = generatePassString(getUserData('password'));
3748 // Does the hash match or should we change it?
3749 if (($hash == getSession('u_hash')) || (postRequestParameter('pass1') == postRequestParameter('pass2'))) {
3751 $content = getUserDataArray();
3754 $content['gender'] = translateGender($content['gender']);
3756 // Clear/init the content variable
3757 $content['message'] = '';
3760 // @TODO Move this in a filter
3763 foreach ($modes as $mode) {
3765 case 'normal': break; // Do not add any special lines
3766 case 'email': // Email was changed!
3767 $content['message'] = getMessage('MEMBER_CHANGED_EMAIL').": ".postRequestParameter('old_email')."\n";
3770 case 'pass': // Password was changed
3771 $content['message'] = getMessage('MEMBER_CHANGED_PASS')."\n";
3775 logDebugMessage(__FUNCTION__, __LINE__, sprintf("Unknown mode %s detected.", $mode));
3776 $content['message'] = getMessage('MEMBER_UNKNOWN_MODE') . ': ' . $mode . "\n\n";
3781 if (isExtensionActive('country')) {
3782 // Replace code with description
3783 $content['country'] = generateCountryInfo(postRequestParameter('country_code'));
3786 // Merge content with data from POST
3787 $content = merge_array($content, postRequestArray());
3790 $message = loadEmailTemplate('member_mydata_notify', $content, getMemberId());
3792 if (getConfig('admin_notify') == 'Y') {
3793 // The admin needs to be notified about a profile change
3794 $message_admin = 'admin_mydata_notify';
3795 $sub_adm = getMessage('ADMIN_CHANGED_DATA');
3798 $message_admin = '';
3802 // Set subject lines
3803 $sub_mem = getMessage('MEMBER_CHANGED_DATA');
3805 // Output success message
3806 $content = "<span class=\"member_done\">{--MYDATA_MAIL_SENT--}</span>";
3809 default: // Unsupported module!
3810 logDebugMessage(__FUNCTION__, __LINE__, sprintf("Unsupported module %s detected.", $mod));
3811 $content = "<span class=\"member_failed\">{--UNKNOWN_MODULE--}</span>";
3815 // Passwords mismatch
3816 $content = "<span class=\"member_failed\">{--MEMBER_PASSWORD_ERROR--}</span>";
3819 // Could not load profile
3820 $content = "<span class=\"member_failed\">{--MEMBER_CANNOT_LOAD_PROFILE--}</span>";
3823 // Send email to user if required
3824 if ((!empty($sub_mem)) && (!empty($message))) {
3826 sendEmail($content['email'], $sub_mem, $message);
3829 // Send only if no other error has occured
3830 if (empty($content)) {
3831 if ((!empty($sub_adm)) && (!empty($message_admin))) {
3833 sendAdminNotification($sub_adm, $message_admin, $content, getMemberId());
3834 } elseif (getConfig('admin_notify') == 'Y') {
3835 // Cannot send mails to admin!
3836 $content = getMessage('CANNOT_SEND_ADMIN_MAILS');
3839 $content = "<span class=\"member_done\">{--MYDATA_MAIL_SENT--}</span>";
3844 loadTemplate('admin_settings_saved', false, $content);
3847 // Generates a 'selection box' from given array
3848 function generateSelectionBoxFromArray ($options, $name, $optionValue, $optionContent) {
3850 $OUT = '<select name="' . $name . '" size="1" class="admin_select">
3851 <option value="X" disabled="disabled">{--PLEASE_SELECT--}</option>';
3853 // Walk through all options
3854 foreach ($options as $option) {
3855 // Add the <option> entry
3856 $OUT .= '<option value="' . $option[$optionValue] . '">' . $option[$optionContent] . '</option>';
3859 // Finish selection box
3860 $OUT .= '</select>';
3864 'selection_box' => $OUT,
3865 'module' => getModule(),
3869 // Load template and return it
3870 return loadTemplate('select_' . $name . '_box', true, $content);
3873 // Get a module from filename and access level
3874 function getModuleFromFileName ($file, $accessLevel) {
3875 // Default is 'invalid';
3876 $modCheck = 'invalid';
3878 // @TODO This is still very static, rewrite it somehow
3879 switch ($accessLevel) {
3881 $modCheck = 'admin';
3887 $modCheck = getModule();
3890 default: // Unsupported file name / access level
3891 debug_report_bug('Unsupported file name=' . basename($file) . '/access level=' . $accessLevel);
3899 // Encodes an URL for adding session id, etc.
3900 function encodeUrl ($url, $outputMode = '0') {
3901 // Do we have already have a PHPSESSID inside? Then it is already converted...
3902 if (strpos($url, session_name()) !== false) return $url;
3904 // Do we have a valid session?
3905 if (((!isset($GLOBALS['valid_session'])) || ($GLOBALS['valid_session'] === false) || (!isset($_COOKIE[session_name()]))) && (isSpider() === false)) {
3907 // Determine right seperator
3908 $seperator = '&';
3909 if (strpos($url, '?') === false) {
3912 } elseif ((getOutputMode() != '0') || ($outputMode != '0')) {
3918 if (session_id() != '') {
3919 $url .= $seperator . session_name() . '=' . session_id();
3924 if ((substr($url, 0, strlen(getConfig('URL'))) != getConfig('URL')) && (substr($url, 0, 7) != '{?URL?}') && (substr($url, 0, 7) != 'http://') && (substr($url, 0, 8) != 'https://')) {
3926 $url = '{?URL?}/' . $url;
3933 // Simple check for spider
3934 function isSpider () {
3936 $userAgent = strtolower(detectUserAgent(true));
3938 // It should not be empty, if so it is better a spider/bot
3939 if (empty($userAgent)) return true;
3942 return ((strpos($userAgent, 'spider') !== false) || (strpos($userAgent, 'slurp') !== false) || (strpos($userAgent, 'bot') !== false));
3945 // Prepares the header for HTML output
3946 function loadHtmlHeader () {
3947 // Determine the page title
3948 $content['header_title'] = determinePageTitle();
3950 // Output page header code
3951 $GLOBALS['page_header'] = loadTemplate('page_header', true, $content);
3953 // Include meta data in 'guest' module
3954 if (getModule() == 'index') {
3955 // Load meta data template
3956 $GLOBALS['page_header'] .= loadTemplate('metadata', true);
3958 // Add meta description to header
3959 if ((isInstalled()) && (isAdminRegistered()) && (SQL_IS_LINK_UP())) {
3960 // Add meta description not in admin and login module and when the script is installed
3961 generateMetaDescriptionCode();
3965 // Include more header data here
3966 $GLOBALS['page_header'] .= loadTemplate('header', true);
3968 // Include stylesheet
3969 loadIncludeOnce('inc/stylesheet.php');
3972 $GLOBALS['page_header'] .= '</head>';
3975 // Adds page header and footer to output array element
3976 function addPageHeaderFooter () {
3980 // Add them all together. This is maybe to simple
3981 foreach (array('page_header', 'output', 'page_footer') as $pagePart) {
3982 // Add page part if set
3983 if (isset($GLOBALS[$pagePart])) $OUT .= $GLOBALS[$pagePart];
3986 // Transfer $OUT to 'output'
3987 $GLOBALS['output'] = $OUT;
3990 // Generates meta description for current module and 'what' value
3991 function generateMetaDescriptionCode () {
3992 // Only include from guest area
3993 if (getModule() == 'index') {
3994 // Construct dynamic description
3995 $DESCR = '{?MAIN_TITLE?} '.trim(getConfig('title_middle')) . ' ' . getTitleFromMenu('guest', getWhat());
3997 // Output it directly
3998 $GLOBALS['page_header'] .= '<meta name="description" content="' . $DESCR . '" />';
4002 unset($GLOBALS['ref_level']);
4005 //////////////////////////////////////////////////
4006 // AUTOMATICALLY RE-GENERATED MISSING FUNCTIONS //
4007 //////////////////////////////////////////////////
4009 if (!function_exists('html_entity_decode')) {
4010 // Taken from documentation on www.php.net
4011 function html_entity_decode ($string) {
4012 $trans_tbl = get_html_translation_table(HTML_ENTITIES);
4013 $trans_tbl = array_flip($trans_tbl);
4014 return strtr($string, $trans_tbl);
4018 if (!function_exists('http_build_query')) {
4019 // Taken from documentation on www.php.net, credits to Marco K. (Germany)
4020 function http_build_query($data, $prefix = '', $sep = '', $key = '') {
4022 foreach ((array)$data as $k => $v) {
4023 if (is_int($k) && $prefix != null) {
4024 $k = urlencode($prefix . $k);
4027 if ((!empty($key)) || ($key === 0)) $k = $key.'['.urlencode($k).']';
4029 if (is_array($v) || is_object($v)) {
4030 array_push($ret, http_build_query($v, '', $sep, $k));
4032 array_push($ret, $k.'='.urlencode($v));
4036 if (empty($sep)) $sep = ini_get('arg_separator.output');
4038 return implode($sep, $ret);