Cheetah
utils.inc.php
Go to the documentation of this file.
1 <?php
2 
8 require_once("header.inc.php");
9 
10 ch_import('ChWsbModule');
11 
12 define('CH_WSB_LINK_CLASS', 'ch-link');
13 
14 define('CH_WSB_LOCALE_TIME', 2);
15 define('CH_WSB_LOCALE_DATE_SHORT', 4);
16 define('CH_WSB_LOCALE_DATE', 5);
17 
18 define('CH_WSB_LOCALE_PHP', 1);
19 define('CH_WSB_LOCALE_DB', 2);
20 
21 define('CH_TAGS_NO_ACTION', 0); // default
22 define('CH_TAGS_STRIP', 1);
23 define('CH_TAGS_SPECIAL_CHARS', 8);
24 define('CH_TAGS_VALIDATE', 16);
25 define('CH_TAGS_STRIP_AND_NL2BR', 32);
26 
27 define('CH_SLASHES_AUTO', 0); // default
28 define('CH_SLASHES_ADD', 1);
29 define('CH_SLASHES_STRIP', 2);
30 define('CH_SLASHES_NO_ACTION', 3);
31 
32 define('CH_ESCAPE_STR_AUTO', 0);
33 define('CH_ESCAPE_STR_APOS', 1);
34 define('CH_ESCAPE_STR_QUOTE', 2);
35 
36 define('CH_URL_RE', "@\b((https?://)|(www\.))(([0-9a-zA-Z_!~*'().&=+$%-]+:)?[0-9a-zA-Z_!~*'().&=+$%-]+\@)?(([0-9]{1,3}\.){3}[0-9]{1,3}|([0-9a-zA-Z_!~*'()-]+\.)*([0-9a-zA-Z][0-9a-zA-Z-]{0,61})?[0-9a-zA-Z]\.[a-zA-Z]{2,6})(:[0-9]{1,4})?((/[0-9a-zA-Z_!~*'().;?:\@&=+$,%#-]+)*/?)@");
37 
42 function title2uri($sValue)
43 {
44  return str_replace(
45  array('&', '/', '\\', '"', '+'),
46  array('[and]', '[slash]', '[backslash]', '[quote]', '[plus]'),
47  $sValue
48  );
49 }
50 
51 function uri2title($sValue)
52 {
53  return str_replace(
54  array('[and]', '[slash]', '[backslash]', '[quote]', '[plus]'),
55  array('&', '/', '\\', '"', '+'),
56  $sValue
57  );
58 }
59 
70 function getLocaleDate($sTimestamp = '', $iCode = CH_WSB_LOCALE_DATE_SHORT)
71 {
72  $sFormat = (int)$iCode == 6 ? 'r' : getLocaleFormat($iCode);
73 
74  return date($sFormat, $sTimestamp);
75 }
76 
90 {
91  $sPostfix = (int)$iType == CH_WSB_LOCALE_PHP ? '_php' : '';
92 
93  $sResult = '';
94  switch ($iCode) {
95  case 2:
96  $sResult = getParam('time_format' . $sPostfix);
97  break;
98  case 1:
99  case 4:
100  $sResult = getParam('short_date_format' . $sPostfix);
101  break;
102  case 3:
103  case 5:
104  $sResult = getParam('date_format' . $sPostfix);
105  break;
106  }
107 
108  return $sResult;
109 }
110 
116 function ch_time_utc($iUnixTimestamp)
117 {
118  return gmdate(DATE_ISO8601, (int)$iUnixTimestamp);
119 }
120 
128 function isBlocked($iFirstProfile, $iSecondProfile)
129 {
130  $iFirstProfile = (int)$iFirstProfile;
131  $iSecondProfile = (int)$iSecondProfile;
132  $sQuery = "SELECT COUNT(*) FROM `sys_block_list` WHERE `ID` = {$iFirstProfile} AND `Profile` = {$iSecondProfile}";
133 
134  return db_value($sQuery) ? true : false;
135 }
136 
137 /*
138  * function for work with profile
139  */
140 function is_friends($id1, $id2)
141 {
142  $id1 = (int)$id1;
143  $id2 = (int)$id2;
144  if ($id1 == 0 || $id2 == 0) {
145  return;
146  }
147  $cnt = db_arr("SELECT SUM(`Check`) AS 'cnt' FROM `sys_friend_list` WHERE `ID`='{$id1}' AND `Profile`='{$id2}' OR `ID`='{$id2}' AND `Profile`='{$id1}'");
148 
149  return ($cnt['cnt'] > 0 ? true : false);
150 }
151 
152 /*
153  * functions for limiting maximal word length (returned from ash).
154  */
155 function WordWrapStr($sString, $iWidth = 25, $sWrapCharacter = '&shy;')
156 {
157  if (empty($sString) || mb_strlen($sString, 'UTF-8') <= $iWidth) {
158  return $sString;
159  }
160 
161  $aSpecialSymbols = array("\r", "\n");
162  $aSpecialSymbolsWithSpace = array(" _SLASHR_ ", " _SLASHN_ ");
163  $aSpecialSymbolsWithSpace2 = array("_SLASHR_", "_SLASHN_");
164  if ($iWidth > 9) {
165  $sString = str_replace($aSpecialSymbols, $aSpecialSymbolsWithSpace, $sString);
166  } // preserve new line characters
167 
168  $aWords = mb_split("\s", $sString);
169  $sResult = ' ';
170  foreach ($aWords as $sWord) {
171 
172  if (($iWord = mb_strlen($sWord, 'UTF-8')) <= $iWidth || preg_match(CH_URL_RE, $sWord)) {
173  if ($iWord > 0) {
174  $sResult .= $sWord . ' ';
175  }
176 
177  continue;
178  }
179 
180  $iPosition = 0;
181  while ($iPosition < $iWord) {
182  $sResult .= mb_substr($sWord, $iPosition, $iWidth, 'UTF-8') . $sWrapCharacter;
183  $iPosition += $iWidth;
184  }
185  $sResult .= ' ';
186  }
187 
188  if ($iWidth > 9) {
189  $sResult = str_replace($aSpecialSymbolsWithSpace, $aSpecialSymbols, $sResult);
190  $sResult = str_replace($aSpecialSymbolsWithSpace2, $aSpecialSymbols, $sResult);
191  }
192 
193  return trim($sResult);
194 }
195 
196 /*
197  * functions for limiting maximal word length
198  */
199 function strmaxwordlen($input, $len = 100)
200 {
201  return $input;
202 }
203 
204 /*
205  * functions for limiting maximal text length
206  */
207 function strmaxtextlen($sInput, $iMaxLen = 60)
208 {
209  $sTail = '';
210  $s = trim(strip_tags($sInput));
211  if (mb_strlen($s) > $iMaxLen) {
212  $s = mb_substr($s, 0, $iMaxLen);
213  $sTail = '&#8230;';
214  }
215 
216  return htmlspecialchars_adv($s) . $sTail;
217 }
218 
219 function html2txt($content, $tags = "")
220 {
221  while ($content != strip_tags($content, $tags)) {
222  $content = strip_tags($content, $tags);
223  }
224 
225  return $content;
226 }
227 
228 function html_encode($text)
229 {
230  $searcharray = array(
231  "'([-_\w\d.]+@[-_\w\d.]+)'",
232  "'((?:(?!://).{3}|^.{0,2}))(www\.[-\d\w\.\/]+)'",
233  "'(http[s]?:\/\/[-_~\w\d\.\/]+)'"
234  );
235 
236  $replacearray = array(
237  "<a href=\"mailto:\\1\">\\1</a>",
238  "\\1http://\\2",
239  "<a href=\"\\1\" target=_blank>\\1</a>"
240  );
241 
242  return preg_replace($searcharray, $replacearray, stripslashes($text));
243 }
244 
256 function process_db_input($sText, $iStripTags = 0)
257 {
258  if (is_array($sText)) {
259  foreach ($sText as $k => $v) {
260  $sText[$k] = process_db_input($v, $iStripTags);
261  }
262 
263  return $sText;
264  }
265 
267  switch ($iStripTags) {
269  return $oDb->escape(nl2br(strip_tags($sText)), false);
270  case CH_TAGS_STRIP:
271  return $oDb->escape(strip_tags($sText), false);
273  return $oDb->escape(htmlspecialchars($sText, ENT_QUOTES, 'UTF-8'), false);
274  case CH_TAGS_VALIDATE:
275  return $oDb->escape(clear_xss($sText), false);
276  case CH_TAGS_NO_ACTION:
277  default:
278  return $oDb->escape($sText, false);
279  }
280 }
281 
290 function process_pass_data($text, $strip_tags = 0)
291 {
292  if ($strip_tags) {
293  $text = strip_tags($text);
294  }
295 
296  return $text;
297 }
298 
299 /*
300  * function for output data from database into html
301  */
302 function htmlspecialchars_adv($string)
303 {
304  return htmlspecialchars($string, ENT_COMPAT, 'UTF-8', false);
305 
306  /*
307  $patterns = array( "/(?!&#\d{2,};)&/m", "/>/m", "/</m", "/\"/m", "/'/m" );
308  $replaces = array( "&amp;", "&gt;", "&lt;", "&quot;", "&#039;" );
309  return preg_replace( $patterns, $replaces, $string );
310  */
311 }
312 
313 function process_text_output($text, $maxwordlen = 100)
314 {
315  return (htmlspecialchars_adv(strmaxwordlen($text, $maxwordlen)));
316 }
317 
318 function process_textarea_output($text, $maxwordlen = 100)
319 {
320  return htmlspecialchars_adv(strmaxwordlen($text, $maxwordlen));
321 }
322 
323 function process_text_withlinks_output($text, $maxwordlen = 100)
324 {
325  return nl2br(html_encode(htmlspecialchars_adv(strmaxwordlen($text, $maxwordlen))));
326 }
327 
328 function process_line_output($text, $maxwordlen = 100)
329 {
330  return htmlspecialchars_adv(strmaxwordlen($text, $maxwordlen));
331 }
332 
333 function process_html_output($text, $maxwordlen = 100)
334 {
335  return strmaxwordlen($text, $maxwordlen);
336 }
337 
345 function ConstructHiddenValues($Values)
346 {
356  function ConstructHiddenSubValues($Name, $Value)
357  {
358  if (is_array($Value)) {
359  $Result = "";
360  foreach ($Value as $KeyName => $SubValue) {
361  $Result .= ConstructHiddenSubValues("{$Name}[{$KeyName}]", $SubValue);
362  }
363  } else // Exit recurse
364  {
365  $Result = "<input type=\"hidden\" name=\"" . htmlspecialchars($Name) . "\" value=\"" . htmlspecialchars($Value) . "\" />\n";
366  }
367 
368  return $Result;
369  }
370 
371  /* End of ConstructHiddenSubValues function */
372 
373  $Result = '';
374  if (is_array($Values)) {
375  foreach ($Values as $KeyName => $Value) {
376  $Result .= ConstructHiddenSubValues($KeyName, $Value);
377  }
378  }
379 
380  return $Result;
381 }
382 
394 function RedirectCode($ActionURL, $Params = null, $Method = "get", $Title = 'Redirect')
395 {
396  if ((strcasecmp(trim($Method), "get") && strcasecmp(trim($Method), "post")) || (trim($ActionURL) == "")) {
397  return false;
398  }
399 
400  ob_start();
401 
402  ?>
403  <html>
404  <head>
405  <title><?= $Title ?></title>
406  </head>
407  <body>
408  <form name="RedirectForm" action="<?= htmlspecialchars($ActionURL) ?>" method="<?= $Method ?>">
409 
410  <?= ConstructHiddenValues($Params) ?>
411 
412  </form>
413  <script type="text/javascript">
414  <!--
415  document.forms['RedirectForm'].submit();
416  -->
417  </script>
418  </body>
419  </html>
420  <?php
421 
422  $Result = ob_get_contents();
423  ob_end_clean();
424 
425  return $Result;
426 }
427 
432 function Redirect($ActionURL, $Params = null, $Method = "get", $Title = 'Redirect')
433 {
434  $RedirectCodeValue = RedirectCode($ActionURL, $Params, $Method, $Title);
435  if ($RedirectCodeValue !== false) {
436  echo $RedirectCodeValue;
437  }
438 }
439 
440 function isRWAccessible($sFileName)
441 {
442  clearstatcache();
443  $perms = fileperms($sFileName);
444 
445  return ($perms & 0x0004 && $perms & 0x0002) ? true : false;
446 }
447 
461  function sendMail(
462  $sRecipientEmail,
463  $sMailSubject,
464  $sMailBody,
465  $iRecipientID = 0,
466  $aPlus = array(),
467  $sEmailFlag = 'html',
468  $isDisableAlert = false,
469  $bForceSend = false
470  ) {
471  global $site;
472 
473  if (!$sRecipientEmail || preg_match('/\‍(2\‍)$/', $sRecipientEmail)) {
474  return false;
475  }
476 
477  $aRecipientInfo = $iRecipientID ? getProfileInfo($iRecipientID) : array();
478 
479  // don't send mail to the user if he/she decided to not receive any site's notifications, unless it is critical emails (like email confirmation)
480  if (!$bForceSend) {
481  $aRealRecipient = $GLOBALS['MySQL']->getRow("SELECT * FROM `Profiles` WHERE `Email`= ? LIMIT 1",
482  [$sRecipientEmail]);
483  if ($aRealRecipient && 1 != $aRealRecipient['EmailNotify']) {
484  return true;
485  }
486  }
487 
488  $sEmailNotify = isset($GLOBALS['site']['email_notify']) ? $GLOBALS['site']['email_notify'] : getParam('site_email_notify');
489  $sSiteTitle = isset($GLOBALS['site']['title']) ? $GLOBALS['site']['title'] : getParam('site_title');
490  $sMailHeader = "From: =?UTF-8?B?" . base64_encode($sSiteTitle) . "?= <{$sEmailNotify}>";
491  $sMailParameters = "-f{$sEmailNotify}";
492 
493  if ($aPlus || $iRecipientID) {
494  if (!is_array($aPlus)) {
495  $aPlus = array();
496  }
497  ch_import('ChWsbEmailTemplates');
498  $oEmailTemplates = new ChWsbEmailTemplates();
499  $sMailSubject = $oEmailTemplates->parseContent($sMailSubject, $aPlus, $iRecipientID);
500  $sMailBody = $oEmailTemplates->parseContent($sMailBody, $aPlus, $iRecipientID);
501  }
502 
503  $sMailSubjectEncoded = '=?UTF-8?B?' . base64_encode($sMailSubject) . '?=';
504 
505  $sMailHeader = "MIME-Version: 1.0\r\n" . $sMailHeader;
506 
507  if('on' == getParam('email_log_emabled')) {
508  $sLogDate = date("F j, Y, g:i a");
509  $sHttpRefererLog = isset($_SERVER['HTTP_REFERER']) ? $_SERVER['HTTP_REFERER'] : 'Empty';
510  $sMailSubjectLog = ($sMailSubject == '' ? 'Empty' : $sMailSubject);
511  $sMailSubjectEncodedLog = ($sMailSubjectEncoded == '' ? 'Empty' : $sMailSubjectEncoded);
512  $sRecipientEmailLog = ($sRecipientEmail == '' ? 'Empty' : $sRecipientEmail);
513  $sMailBodyLog = ($sMailBody == '' ? 'Empty' : $sMailBody);
514  $iRecipientIDLog = $iRecipientID;
515  $aPlusLog = serialize($aPlus);
516  $sEmailFlagLog = $sEmailFlag;
517  $isDisableAlertLog = ($isDisableAlert == true ? 'True' : 'False');
518  $bForceSendLog = ($bForceSend == true ? 'True' : 'False');
519  $sBt = debug_backtrace(DEBUG_BACKTRACE_IGNORE_ARGS, 4);
520  $sDebugTraceLog = serialize($sBt);
521  $sMailHeaderLog = ($sMailHeader == '' ? 'Empty' : $sMailHeader);
522  $sEmailNotifyLog = ($sEmailNotify == '' ? 'Empty' : $sEmailNotify);
523  $aRecipientInfoLog = serialize($aRecipientInfo);
524  $sQuery = "INSERT INTO `sys_email_log` (`email`, `subject`, `encodedsubject`, `body`, `header`, `emailnotify`, `params`, `recipientinfo`, `html`, `debug`, `timestamp`) VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?, ?, NOW())";
525  $GLOBALS['MySQL']->query($sQuery, [$sRecipientEmailLog, $sMailSubjectLog, $sMailSubjectEncodedLog, $sMailBodyLog, $sMailHeaderLog, $sEmailNotifyLog, $aPlusLog, $aRecipientInfoLog, $sEmailFlagLog, $sDebugTraceLog]);
526  }
527 
528 
529  if (!$isDisableAlert && 'on' == getParam('ch_smtp_on')) {
530  return ChWsbService::call('smtpmailer', 'send', array(
531  $sRecipientEmail,
532  $sMailSubjectEncoded,
533  $sMailBody,
534  $sMailHeader,
535  $sMailParameters,
536  'html' == $sEmailFlag,
537  $aRecipientInfo
538  ));
539  }
540 
541  if ('html' == $sEmailFlag) {
542  $sMailHeader = "Content-type: text/html; charset=UTF-8\r\n" . $sMailHeader;
543  $iSendingResult = mail($sRecipientEmail, $sMailSubjectEncoded, $sMailBody, $sMailHeader, $sMailParameters);
544  } else {
545  $sMailHeader = "Content-type: text/plain; charset=UTF-8\r\n" . $sMailHeader;
546  $sMailBody = html2txt($sMailBody);
547  $iSendingResult = mail($sRecipientEmail, $sMailSubjectEncoded, html2txt($sMailBody), $sMailHeader, $sMailParameters);
548  }
549 
550  if (!$isDisableAlert) {
551  //--- create system event
552  ch_import('ChWsbAlerts');
553  $aAlertData = array(
554  'email' => $sRecipientEmail,
555  'subject' => $sMailSubjectEncoded,
556  'body' => $sMailBody,
557  'header' => $sMailHeader,
558  'params' => $sMailParameters,
559  'html' => 'html' == $sEmailFlag ? true : false,
560  );
561 
562  $oZ = new ChWsbAlerts('profile', 'send_mail', $iRecipientID, '', $aAlertData);
563  $oZ->alert();
564  }
565 
566  return $iSendingResult;
567 }
568 
569 /*
570  * Getting Array with Templates Names
571 */
572 
573 function get_templates_array($isAllParams = false)
574 {
575  $aTempls = array();
576  $sPath = CH_DIRECTORY_PATH_ROOT . 'templates/';
577  $sUrl = CH_WSB_URL_ROOT . 'templates/';
578 
579  if (!($handle = opendir($sPath))) {
580  return array();
581  }
582 
583  while (false !== ($sFileName = readdir($handle))) {
584 
585  if (!is_dir($sPath . $sFileName) || 0 !== strncmp($sFileName, 'tmpl_', 5)) {
586  continue;
587  }
588 
589  $sTemplName = substr($sFileName, 5);
590  $sTemplVer = _t('_undefined');
591  $sTemplVendor = _t('_undefined');
592  $sTemplDesc = '';
593  $sTemplPreview = 'preview.jpg';
594  $sPreviewImg = false;
595 
596  if (file_exists($sPath . $sFileName . '/scripts/ChTemplName.php')) {
597  @include($sPath . $sFileName . '/scripts/ChTemplName.php');
598  }
599  if ($isAllParams && $sTemplPreview && file_exists($sPath . $sFileName . '/images/' . $sTemplPreview)) {
600  $sPreviewImg = $sUrl . $sFileName . '/images/' . $sTemplPreview;
601  }
602 
603  $aTempls[substr($sFileName, 5)] = $isAllParams ? array(
604  'name' => $sTemplName,
605  'ver' => $sTemplVer,
606  'vendor' => $sTemplVendor,
607  'desc' => $sTemplDesc,
608  'preview' => $sPreviewImg
609  ) : $sTemplName;
610  }
611 
612  closedir($handle);
613 
614  return $aTempls;
615 }
616 
617 /*
618  * The Function Show a Line with Templates Names
619  */
620 
622 {
623  $templ_choices = get_templates_array();
624  $current_template = (strlen($_GET['skin'])) ? $_GET['skin'] : $_COOKIE['skin'];
625 
626  foreach ($templ_choices as $tmpl_key => $tmpl_value) {
627  if ($current_template == $tmpl_key) {
628  $ReturnResult .= $tmpl_value . ' | ';
629  } else {
630  $sGetTransfer = ch_encode_url_params($_GET, array('skin'));
631  $ReturnResult .= '<a href="' . ch_html_attribute($_SERVER['PHP_SELF']) . '?' . $sGetTransfer . 'skin=' . $tmpl_key . '">' . $tmpl_value . '</a> | ';
632  }
633  }
634 
635  return $ReturnResult;
636 }
637 
638 function extFileExists($sFileSrc)
639 {
640  return (file_exists($sFileSrc) && is_file($sFileSrc)) ? true : false;
641 }
642 
643 function getVisitorIP($isProxyCheck = true)
644 {
645  if (!$isProxyCheck) {
646  return $_SERVER['REMOTE_ADDR'];
647  }
648 
649  $ip = $_SERVER['REMOTE_ADDR'];
650  if ((isset($_SERVER['HTTP_X_FORWARDED_FOR'])) && !empty($_SERVER['HTTP_X_FORWARDED_FOR'])) {
651  $ip = $_SERVER['HTTP_X_FORWARDED_FOR'];
652  } elseif ((isset($_SERVER['HTTP_X_REAL_IP'])) && !empty($_SERVER['HTTP_X_REAL_IP'])) {
653  $ip = $_SERVER['HTTP_X_REAL_IP'];
654  } elseif ((isset($_SERVER['HTTP_CLIENT_IP'])) && !empty($_SERVER['HTTP_CLIENT_IP'])) {
655  $ip = $_SERVER['HTTP_CLIENT_IP'];
656  }
657 
658  if (!preg_match("/^\d+\.\d+\.\d+\.\d+$/", $ip)) {
659  $ip = $_SERVER['REMOTE_ADDR'];
660  }
661 
662  return $ip;
663 }
664 
665 function genFlag($country)
666 {
667  return '<img src="' . genFlagUrl($country) . '" />';
668 }
669 
670 function genFlagUrl($country)
671 {
672  return $GLOBALS['site']['flags'] . strtolower($country) . '.gif';
673 }
674 
675 // print debug information ( e.g. arrays )
676 function echoDbg($what, $desc = '')
677 {
678  if ($desc) {
679  echo "<b>$desc:</b> ";
680  }
681  echo "<pre>";
682  print_r($what);
683  echo "</pre>\n";
684 }
685 
686 function echoDbgLog($mWhat, $sDesc = '', $sFileName = 'debug.log')
687 {
688  global $dir;
689 
690  $sCont =
691  '--- ' . date('r') . ' (' . CH_WSB_START_TIME . ") ---\n" .
692  $sDesc . "\n" .
693  print_r($mWhat, true) . "\n\n\n";
694 
695  $rFile = fopen($dir['tmp'] . $sFileName, 'a');
696  fwrite($rFile, $sCont);
697  fclose($rFile);
698 }
699 
700 function clear_xss($val)
701 {
702  // HTML Purifier plugin
703  global $oHtmlPurifier;
704  if (!isset($oHtmlPurifier) && !$GLOBALS['logged']['admin']) {
705 
706  require_once(CH_DIRECTORY_PATH_PLUGINS . 'htmlpurifier/HTMLPurifier.standalone.php');
707 
709 
711 
712  $oConfig->set('Cache.SerializerPath', rtrim(CH_DIRECTORY_PATH_CACHE, '/'));
713  $oConfig->set('Cache.SerializerPermissions', 0777);
714 
715  $oConfig->set('HTML.SafeObject', 'true');
716  $oConfig->set('Output.FlashCompat', 'true');
717  $oConfig->set('HTML.FlashAllowFullScreen', 'true');
718 
719  if (getParam('sys_antispam_add_nofollow')) {
720  $sHost = parse_url(CH_WSB_URL_ROOT, PHP_URL_HOST);
721  $oConfig->set('URI.Host', $sHost);
722  $oConfig->set('HTML.Nofollow', 'true');
723  }
724 
725  if ($sSafeIframeRegexp = getParam('sys_safe_iframe_regexp')) {
726  $oConfig->set('HTML.SafeIframe', 'true');
727  $oConfig->set('URI.SafeIframeRegexp', $sSafeIframeRegexp);
728  }
729 
730  $oConfig->set('Filter.Custom', array(
735  ));
736 
737  $oConfig->set('HTML.DefinitionID', 'html5-definitions');
738  $oConfig->set('HTML.DefinitionRev', 1);
739  if ($def = $oConfig->maybeGetRawHTMLDefinition()) {
740  $def->addElement('section', 'Block', 'Flow', 'Common');
741  $def->addElement('nav', 'Block', 'Flow', 'Common');
742  $def->addElement('article', 'Block', 'Flow', 'Common');
743  $def->addElement('aside', 'Block', 'Flow', 'Common');
744  $def->addElement('header', 'Block', 'Flow', 'Common');
745  $def->addElement('footer', 'Block', 'Flow', 'Common');
746  $def->addElement('video', 'Block', 'Optional: (source, Flow) | (Flow, source) | Flow', 'Common', array(
747  'src' => 'URI',
748  'type' => 'Text',
749  'width' => 'Length',
750  'height' => 'Length',
751  'poster' => 'URI',
752  'preload' => 'Enum#auto,metadata,none',
753  'controls' => 'Bool',
754  ));
755  $def->addElement('source', 'Block', 'Flow', 'Common', array(
756  'src' => 'URI',
757  'type' => 'Text',
758  ));
759  $def->addAttribute('a', 'target', 'Enum#_blank,_self,_target,_top');
760  }
761 
762  $oHtmlPurifier = new HTMLPurifier($oConfig);
763  }
764 
765  if (!$GLOBALS['logged']['admin']) {
766  $val = $oHtmlPurifier->purify($val);
767  }
768 
769  $oZ = new ChWsbAlerts('system', 'clear_xss', 0, 0,
770  array('oHtmlPurifier' => $oHtmlPurifier, 'return_data' => &$val));
771  $oZ->alert();
772 
773  $val = wrapVideoFrame($val);
774 
775  return $val;
776 }
777 
778 function _format_when($iSec, $bShort = false)
779 {
780  $s = '';
781  $sSuffix = $bShort ? '_short' : '';
782  if ($iSec >= 0) {
783  if ($iSec < 3600) {
784  $i = round($iSec / 60);
785  $s .= (0 == $i || 1 == $i) ? _t('_just_now') : _t('_x_minutes_ago' . $sSuffix, $i);
786  } else {
787  if ($iSec < 86400) {
788  $i = round($iSec / 60 / 60);
789  $s .= ((0 == $i || 1 == $i) && !$bShort) ? _t('_x_hour_ago') : _t('_x_hours_ago' . $sSuffix, $i);
790  } else {
791  $i = round($iSec / 60 / 60 / 24);
792  $s .= (0 == $i || 1 == $i) ? _t('_yesterday') : _t('_x_days_ago' . $sSuffix, $i);
793  }
794  }
795  } else {
796  if ($iSec > -3600) {
797  $i = round($iSec / 60);
798  $s .= (0 == $i || 1 == $i) ? _t('_just_now') : _t('_in_x_minutes' . $sSuffix, -$i);
799  } else {
800  if ($iSec > -86400) {
801  $i = round($iSec / 60 / 60);
802  $s .= ((0 == $i || 1 == $i) && !$bShort) ? _t('_in_x_hour') : _t('_in_x_hours' . $sSuffix, -$i);
803  } elseif ($iSec < -86400) {
804  $i = round($iSec / 60 / 60 / 24);
805  $s .= (0 == $i || 1 == $i) ? _t('_tomorrow') : _t('_in_x_days' . $sSuffix, -$i);
806  }
807  }
808  }
809 
810  return $s;
811 }
812 
813 function _format_time($iSec, $aParams = array())
814 {
815  $sDivider = isset($aParams['divider']) ? $aParams['divider'] : ':';
816 
817  $iSec = (int)$iSec;
818  $sFormat = $iSec > 3600 ? 'H' . $sDivider . 'i' . $sDivider . 's' : 'i' . $sDivider . 's';
819 
820  return gmdate($sFormat, $iSec);
821 }
822 
831 function defineTimeInterval($iTime, $bAutoDateConvert = true, $bShort = false)
832 {
833  $iTimeDiff = time() - (int)$iTime;
834 
835  if ($bAutoDateConvert && $iTimeDiff > 14 * 24 * 60 * 60) // don't show "ago" dates for more than 14 days
836  {
837  return getLocaleDate((int)$iTime);
838  }
839 
840  return _format_when($iTimeDiff, $bShort);
841 }
842 
843 function execSqlFile($sFileName)
844 {
845  if (!$f = fopen($sFileName, "r")) {
846  return false;
847  }
848 
849  db_res("SET NAMES 'utf8'");
850 
851  $s_sql = "";
852  while ($s = fgets($f, 10240)) {
853  $s = trim($s); //Utf with BOM only
854 
855  if (!strlen($s)) {
856  continue;
857  }
858  if (mb_substr($s, 0, 1) == '#') {
859  continue;
860  } //pass comments
861  if (mb_substr($s, 0, 2) == '--') {
862  continue;
863  }
864 
865  $s_sql .= $s;
866 
867  if (mb_substr($s, -1) != ';') {
868  continue;
869  }
870 
871  db_res($s_sql);
872  $s_sql = "";
873  }
874 
875  fclose($f);
876 
877  return true;
878 }
879 
880 function replace_full_uris($text)
881 {
882  $text = preg_replace_callback('/([\s\n\r]src\=")([^"]+)(")/', 'replace_full_uri', $text);
883 
884  return $text;
885 }
886 
887 function replace_full_uri($matches)
888 {
889  if (substr($matches[2], 0, 7) != 'http://' and substr($matches[2], 0, 8) != 'https://' and substr($matches[2], 0,
890  6) != 'ftp://'
891  ) {
892  $matches[2] = CH_WSB_URL_ROOT . $matches[2];
893  }
894 
895  return $matches[1] . $matches[2] . $matches[3];
896 }
897 
898 //--------------------------------------- friendly permalinks --------------------------------------//
899 //------------------------------------------- main functions ---------------------------------------//
900 function uriGenerate($s, $sTable, $sField, $iMaxLen = 255)
901 {
902  $s = uriFilter($s);
903 
904  if (uriCheckUniq($s, $sTable, $sField)) {
905  return $s;
906  }
907 
908  // try to add date
909 
910  if (get_mb_len($s) > 240) {
911  $s = get_mb_substr($s, 0, 240);
912  }
913 
914  $s .= '-' . date('Y-m-d');
915 
916  if (uriCheckUniq($s, $sTable, $sField)) {
917  return $s;
918  }
919 
920  // try to add number
921 
922  for ($i = 0; $i < 999; ++$i) {
923  if (uriCheckUniq($s . '-' . $i, $sTable, $sField)) {
924  return ($s . '-' . $i);
925  }
926  }
927 
928  return rand(0, 999999999);
929 }
930 
931 function uriFilter($s)
932 {
933  if ($GLOBALS['oTemplConfig']->bAllowUnicodeInPreg) {
934  $s = get_mb_replace('/[^\pL^\pN]+/u', '-', $s);
935  } // unicode characters
936  else {
937  $s = get_mb_replace('/([^\d^\w]+)/u', '-', $s);
938  } // latin characters only
939 
940  $s = get_mb_replace('/([-^]+)/', '-', $s);
941  $s = get_mb_replace('/([-]+)$/', '', $s); // remove trailing dash
942  if (!$s) {
943  $s = '-';
944  }
945 
946  return $s;
947 }
948 
949 function uriCheckUniq($s, $sTable, $sField)
950 {
951  return !db_arr("SELECT 1 FROM $sTable WHERE $sField = '$s' LIMIT 1");
952 }
953 
954 function get_mb_replace($sPattern, $sReplace, $s)
955 {
956  return preg_replace($sPattern, $sReplace, $s);
957 }
958 
959 function get_mb_len($s)
960 {
961  return (function_exists('mb_strlen')) ? mb_strlen($s) : strlen($s);
962 }
963 
964 function get_mb_substr($s, $iStart, $iLen)
965 {
966  return (function_exists('mb_substr')) ? mb_substr($s, $iStart, $iLen) : substr($s, $iStart, $iLen);
967 }
968 
977 function ch_block_ip($mixedIP, $iExpirationInSec = 86400, $sComment = '')
978 {
979  if (preg_match('/^[0-9]+$/', $mixedIP)) {
980  $iIP = $mixedIP;
981  } else {
982  $iIP = sprintf("%u", ip2long($sIP));
983  }
984 
985  $iExpirationInSec = time() + (int)$iExpirationInSec;
986  $sComment = process_db_input($sComment, CH_TAGS_STRIP);
987 
988  if (!db_value("SELECT ID FROM `sys_ip_list` WHERE `From` = {$iIP} AND `To` = {$iIP} LIMIT 1")) {
989  return db_res("INSERT INTO `sys_ip_list` SET `From` = {$iIP}, `To` = {$iIP}, `Type` = 'deny', `LastDT` = {$iExpirationInSec}, `Desc` = '{$sComment}'");
990  }
991 
992  return false;
993 }
994 
995 function ch_is_ip_dns_blacklisted($sCurIP = '', $sType = '')
996 {
997  if (defined('CH_WSB_CRON_EXECUTE')) {
998  return false;
999  }
1000 
1001  if (!$sCurIP) {
1002  $sCurIP = getVisitorIP(false);
1003  }
1004 
1005  if (ch_is_ip_whitelisted()) {
1006  return false;
1007  }
1008 
1009  $o = ch_instance('ChWsbDNSBlacklists');
1010  if (CH_WSB_DNSBL_POSITIVE == $o->dnsbl_lookup_ip(CH_WSB_DNSBL_CHAIN_SPAMMERS,
1011  $sCurIP) && CH_WSB_DNSBL_POSITIVE != $o->dnsbl_lookup_ip(CH_WSB_DNSBL_CHAIN_WHITELIST, $sCurIP)
1012  ) {
1013  $o->onPositiveDetection($sCurIP, $sType);
1014 
1015  return true;
1016  }
1017 
1018  return false;
1019 }
1020 
1021 function ch_is_ip_whitelisted($sCurIP = '')
1022 {
1023  if (defined('CH_WSB_CRON_EXECUTE')) {
1024  return true;
1025  }
1026 
1027  $iIPGlobalType = (int)getParam('ipListGlobalType');
1028  if ($iIPGlobalType != 1 && $iIPGlobalType != 2) // 0 - disabled
1029  {
1030  return false;
1031  }
1032 
1033  if (!$sCurIP) {
1034  $sCurIP = getVisitorIP();
1035  }
1036  $iCurIP = sprintf("%u", ip2long($sCurIP));
1037  $iCurrTume = time();
1038 
1039  return db_value("SELECT `ID` FROM `sys_ip_list` WHERE `Type` = 'allow' AND `LastDT` > $iCurrTume AND `From` <= '$iCurIP' AND `To` >= '$iCurIP' LIMIT 1") ? true : false;
1040 }
1041 
1042 function ch_is_ip_blocked($sCurIP = '')
1043 {
1044  if (defined('CH_WSB_CRON_EXECUTE')) {
1045  return false;
1046  }
1047 
1048  $iIPGlobalType = (int)getParam('ipListGlobalType');
1049  if ($iIPGlobalType != 1 && $iIPGlobalType != 2) // 0 - disabled
1050  {
1051  return false;
1052  }
1053 
1054  if (!$sCurIP) {
1055  $sCurIP = getVisitorIP();
1056  }
1057  $iCurIP = sprintf("%u", ip2long($sCurIP));
1058  $iCurrTume = time();
1059 
1060  if (ch_is_ip_whitelisted($sCurIP)) {
1061  return false;
1062  }
1063 
1064  $isBlocked = db_value("SELECT `ID` FROM `sys_ip_list` WHERE `Type` = 'deny' AND `LastDT` > $iCurrTume AND `From` <= '$iCurIP' AND `To` >= '$iCurIP' LIMIT 1");
1065  if ($isBlocked) {
1066  return true;
1067  }
1068 
1069  // 1 - all allowed except listed
1070  // 2 - all blocked except listed
1071  return $iIPGlobalType == 2 ? true : false;
1072 }
1073 
1080 function ch_is_spam($val)
1081 {
1082  if (defined('CH_WSB_CRON_EXECUTE')) {
1083  return false;
1084  }
1085 
1086  if (isAdmin()) {
1087  return false;
1088  }
1089 
1090  if (ch_is_ip_whitelisted()) {
1091  return false;
1092  }
1093 
1094  $bRet = false;
1095  if ('on' == getParam('sys_uridnsbl_enable')) {
1096  $oChWsbDNSURIBlacklists = ch_instance('ChWsbDNSURIBlacklists');
1097  if ($oChWsbDNSURIBlacklists->isSpam($val)) {
1098  $oChWsbDNSURIBlacklists->onPositiveDetection($val);
1099  $bRet = true;
1100  }
1101  }
1102 
1103  if ('on' == getParam('sys_akismet_enable')) {
1104  $oChWsbAkismet = ch_instance('ChWsbAkismet');
1105  if ($oChWsbAkismet->isSpam($val)) {
1106  $oChWsbAkismet->onPositiveDetection($val);
1107  $bRet = true;
1108  }
1109  }
1110 
1111  if ($bRet && 'on' == getParam('sys_antispam_report')) {
1112  ch_import('ChWsbEmailTemplates');
1113  $oEmailTemplates = new ChWsbEmailTemplates();
1114  $aTemplate = $oEmailTemplates->getTemplate('t_SpamReportAuto', 0);
1115 
1117  $aPlus = array(
1118  'SpammerUrl' => getProfileLink($iProfileId),
1119  'SpammerNickName' => getNickName($iProfileId),
1120  'Page' => htmlspecialchars_adv($_SERVER['PHP_SELF']),
1121  'Get' => print_r($_GET, true),
1122  'SpamContent' => htmlspecialchars_adv($val),
1123  );
1124 
1125  sendMail($GLOBALS['site']['email'], $aTemplate['Subject'], $aTemplate['Body'], '', $aPlus);
1126  }
1127 
1128  if ($bRet && 'on' == getParam('sys_antispam_block')) {
1129  return true;
1130  }
1131 
1132  return false;
1133 }
1134 
1135 function getmicrotime()
1136 {
1137  list($usec, $sec) = explode(" ", microtime());
1138 
1139  return ((float)$usec + (float)$sec);
1140 }
1141 
1147 {
1148  $sqlQuery = "SELECT `Name` as `name`,
1149  `Title` as `capt`,
1150  `UserQuery` as `query`,
1151  `UserLink` as `link`,
1152  `IconName` as `icon`,
1153  `AdminQuery` as `adm_query`,
1154  `AdminLink` as `adm_link`
1155  FROM `sys_stat_site`
1156  ORDER BY `StatOrder` ASC, `ID` ASC";
1157 
1158  $rData = db_res($sqlQuery);
1159 
1160  $sLine = "return array( \n";
1161  while ($aVal = $rData->fetch()) {
1162  $sLine .= genSiteStatFile($aVal);
1163  }
1164  $sLine = rtrim($sLine, ",\n") . "\n);";
1165 
1166  $aResult = eval($sLine);
1167 
1168  $oCache = $GLOBALS['MySQL']->getDbCacheObject();
1169 
1170  return $oCache->setData($GLOBALS['MySQL']->genDbCacheKey('sys_stat_site'), $aResult);
1171 }
1172 
1173 function genSiteStatFile($aVal)
1174 {
1175  $oMenu = new ChWsbMenu();
1176 
1177  $sLink = $oMenu->getCurrLink($aVal['link']);
1178  $sAdmLink = $oMenu->getCurrLink($aVal['adm_link']);
1179  $sLine = "'{$aVal['name']}'=>array('capt'=>'{$aVal['capt']}', 'query'=>'" . addslashes($aVal['query']) . "', 'link'=>'$sLink', 'icon'=>'{$aVal['icon']}', 'adm_query'=>'" . addslashes($aVal['adm_query']) . "', 'adm_link'=>'$sAdmLink', ),\n";
1180 
1181  return $sLine;
1182 }
1183 
1185 {
1186  $oCache = $GLOBALS['MySQL']->getDbCacheObject();
1187  $aStats = $oCache->getData($GLOBALS['MySQL']->genDbCacheKey('sys_stat_site'));
1188  if ($aStats === null) {
1189  genSiteStatCache();
1190  $aStats = $oCache->getData($GLOBALS['MySQL']->genDbCacheKey('sys_stat_site'));
1191  }
1192 
1193  if (!$aStats) {
1194  $aStats = array();
1195  }
1196 
1197  return $aStats;
1198 }
1199 
1207 function getClearedParam($sExceptParam, $sString)
1208 {
1209  return preg_replace("/(&amp;|&){$sExceptParam}=([a-z0-9\_\-]{1,})/i", '', $sString);
1210 }
1211 
1218 function ch_import($sClassName, $aModule = array())
1219 {
1220  if (class_exists($sClassName)) {
1221  return;
1222  }
1223 
1224  if ($aModule) {
1225  $a = (true === $aModule) ? $GLOBALS['aModule'] : $aModule;
1226  if (class_exists($a['class_prefix'] . $sClassName)) {
1227  return;
1228  }
1229  require_once(CH_DIRECTORY_PATH_MODULES . $a['path'] . 'classes/' . $a['class_prefix'] . $sClassName . '.php');
1230  }
1231 
1232  if (0 === strncmp($sClassName, 'ChWsb', 5)) {
1233  require_once(CH_DIRECTORY_PATH_CLASSES . $sClassName . '.php');
1234 
1235  return;
1236  }
1237  if (0 === strncmp($sClassName, 'ChBase', 6)) {
1238  require_once(CH_DIRECTORY_PATH_BASE . 'scripts/' . $sClassName . '.php');
1239 
1240  return;
1241  }
1242  if (0 === strncmp($sClassName, 'ChTempl', 7) && !class_exists($sClassName)) {
1243  if (isset($GLOBALS['iAdminPage']) && (int)$GLOBALS['iAdminPage'] == 1) {
1244  if (!defined('CH_WSB_TEMPLATE_DEFAULT_CODE')) {
1245  require_once(CH_DIRECTORY_PATH_CLASSES . 'ChWsbTemplate.php');
1246  }
1247  require_once(CH_DIRECTORY_PATH_ROOT . "templates/tmpl_" . CH_WSB_TEMPLATE_DEFAULT_CODE . "/scripts/" . $sClassName . '.php');
1248  } else {
1249  require_once(CH_DIRECTORY_PATH_ROOT . "templates/tmpl_{$GLOBALS['tmpl']}/scripts/" . $sClassName . '.php');
1250  }
1251 
1252  return;
1253  }
1254 }
1255 
1264 function ch_instance($sClassName, $aParams = array(), $aModule = array())
1265 {
1266  if (isset($GLOBALS['chWsbClasses'][$sClassName])) {
1267  return $GLOBALS['chWsbClasses'][$sClassName];
1268  } else {
1269  ch_import((empty($aModule) ? $sClassName : str_replace($aModule['class_prefix'], '', $sClassName)), $aModule);
1270 
1271  if (empty($aParams)) {
1272  $GLOBALS['chWsbClasses'][$sClassName] = new $sClassName();
1273  } else {
1274  $sParams = "";
1275  foreach ($aParams as $mixedKey => $mixedValue) {
1276  $sParams .= "\$aParams[" . $mixedKey . "], ";
1277  }
1278  $sParams = substr($sParams, 0, -2);
1279 
1280  $GLOBALS['chWsbClasses'][$sClassName] = eval("return new " . $sClassName . "(" . $sParams . ");");
1281  }
1282 
1283  return $GLOBALS['chWsbClasses'][$sClassName];
1284  }
1285 }
1286 
1294 function ch_js_string($mixedInput, $iQuoteType = CH_ESCAPE_STR_AUTO)
1295 {
1296  $aUnits = array(
1297  "\n" => "\\n",
1298  "\r" => "",
1299  );
1300  if (CH_ESCAPE_STR_APOS == $iQuoteType) {
1301  $aUnits["'"] = "\\'";
1302  $aUnits['<script'] = "<scr' + 'ipt";
1303  $aUnits['</script>'] = "</scr' + 'ipt>";
1304  } elseif (CH_ESCAPE_STR_QUOTE == $iQuoteType) {
1305  $aUnits['"'] = '\\"';
1306  $aUnits['<script'] = '<scr" + "ipt';
1307  $aUnits['</script>'] = '</scr" + "ipt>';
1308  } else {
1309  $aUnits['"'] = '&quote;';
1310  $aUnits["'"] = '&apos;';
1311  $aUnits["<"] = '&lt;';
1312  $aUnits[">"] = '&gt;';
1313  }
1314 
1315  return str_replace(array_keys($aUnits), array_values($aUnits), $mixedInput);
1316 }
1317 
1324 function ch_html_attribute($mixedInput)
1325 {
1326  $aUnits = array(
1327  "\"" => "&quot;",
1328  "'" => "&apos;",
1329  );
1330 
1331  return str_replace(array_keys($aUnits), array_values($aUnits), $mixedInput);
1332 }
1333 
1340 function ch_php_string_apos($mixedInput)
1341 {
1342  return str_replace("'", "\\'", $mixedInput);
1343 }
1344 
1345 function ch_php_string_quot($mixedInput)
1346 {
1347  return str_replace('"', '\\"', $mixedInput);
1348 }
1349 
1357 function ch_file_get_contents($sFileUrl, $aParams = array(), $sMethod = 'get', $aHeaders = array(), &$sHttpCode = null)
1358 {
1359  if ('post' != $sMethod) {
1360  $sFileUrl = ch_append_url_params($sFileUrl, $aParams);
1361  }
1362 
1363  $sResult = '';
1364  if (function_exists('curl_init')) {
1365  $rConnect = curl_init();
1366 
1367  curl_setopt($rConnect, CURLOPT_TIMEOUT, 10);
1368  curl_setopt($rConnect, CURLOPT_URL, $sFileUrl);
1369  curl_setopt($rConnect, CURLOPT_HEADER, null === $sHttpCode ? false : true);
1370  curl_setopt($rConnect, CURLOPT_RETURNTRANSFER, 1);
1371 
1372  if (!ini_get('open_basedir')) {
1373  curl_setopt($rConnect, CURLOPT_FOLLOWLOCATION, 1);
1374  }
1375 
1376  if ($aHeaders) {
1377  curl_setopt($rConnect, CURLOPT_HTTPHEADER, $aHeaders);
1378  }
1379 
1380  if ('post' == $sMethod) {
1381  curl_setopt($rConnect, CURLOPT_POST, true);
1382  curl_setopt($rConnect, CURLOPT_POSTFIELDS, $aParams);
1383  }
1384 
1385  $sAllCookies = '';
1386  foreach ($_COOKIE as $sKey => $sValue) {
1387  $sAllCookies .= $sKey . '=' . $sValue . ';';
1388  }
1389  curl_setopt($rConnect, CURLOPT_COOKIE, $sAllCookies);
1390 
1391  $sResult = curl_exec($rConnect);
1392 
1393  if (curl_errno($rConnect) == 60) { // CURLE_SSL_CACERT
1394  curl_setopt($rConnect, CURLOPT_CAINFO, CH_DIRECTORY_PATH_PLUGINS . 'curl/cacert.pem');
1395  $sResult = curl_exec($rConnect);
1396  }
1397 
1398  if (null !== $sHttpCode) {
1399  $sHttpCode = curl_getinfo($rConnect, CURLINFO_HTTP_CODE);
1400  }
1401 
1402  curl_close($rConnect);
1403  } else {
1404  $sResult = @file_get_contents($sFileUrl);
1405  }
1406 
1407  return $sResult;
1408 }
1409 
1415 function writeLog($sNewLineText = 'test')
1416 {
1417  $sFileName = CH_DIRECTORY_PATH_ROOT . 'tmp/log.txt';
1418 
1419  if (is_writable($sFileName)) {
1420  if (!$vHandle = fopen($sFileName, 'a')) {
1421  echo "Unable to open ({$sFileName})";
1422  }
1423  if (fwrite($vHandle, $sNewLineText . "\r\n") === false) {
1424  echo "Unable write to ({$sFileName})";
1425  }
1426  fclose($vHandle);
1427 
1428  } else {
1429  echo "{$sFileName} is not writeable";
1430  }
1431 }
1432 
1433 function getLink($sString, $sUrl)
1434 {
1435  return '<a href="' . $sUrl . '">' . $sString . '</a> ';
1436 }
1437 
1438 function getLinkSet($sLinkString, $sUrlPrefix, $sDivider = ';,', $bUriConvert = false)
1439 {
1440  $aSet = preg_split('/[' . $sDivider . ']/', $sLinkString, 0, PREG_SPLIT_NO_EMPTY);
1441  $sFinalSet = '';
1442 
1443  foreach ($aSet as $sKey) {
1444  $sLink = $sUrlPrefix . urlencode($bUriConvert ? title2uri($sKey) : $sKey);
1445  $sFinalSet .= '<a href="' . $sUrlPrefix . urlencode(title2uri(trim($sKey))) . '">' . $sKey . '</a> ';
1446  }
1447 
1448  return trim($sFinalSet, ' ');
1449 }
1450 
1452 {
1453  $sString = implode(' ', $aInfo);
1454  $aRes = array_unique(explode(' ', $sString));
1455  $sString = implode(' ', $aRes);
1456 
1457  return addslashes($sString);
1458 }
1459 
1460 function getSiteInfo($sSourceUrl, $aProcessAdditionalTags = array())
1461 {
1462  $aResult = array();
1463  $sContent = ch_file_get_contents($sSourceUrl);
1464 
1465  if ($sContent) {
1466  $sCharset = '';
1467  preg_match("/<meta.+charset=([A-Za-z0-9-]+).+>/i", $sContent, $aMatch);
1468  if (isset($aMatch[1])) {
1469  $sCharset = $aMatch[1];
1470  }
1471 
1472  if (preg_match("/<title[^>]*>(.*)<\/title>/i", $sContent, $aMatch)) {
1473  $aResult['title'] = $aMatch[1];
1474  } else {
1475  $aResult['title'] = parse_url($sSourceUrl, PHP_URL_HOST);
1476  }
1477 
1478  $aResult['description'] = ch_parse_html_tag($sContent, 'meta', 'name', 'description', 'content', $sCharset);
1479  $aResult['keywords'] = ch_parse_html_tag($sContent, 'meta', 'name', 'keywords', 'content', $sCharset);
1480 
1481  if ($aProcessAdditionalTags) {
1482 
1483  foreach ($aProcessAdditionalTags as $k => $a) {
1485  $sContent,
1486  isset($a['tag']) ? $a['tag'] : 'meta',
1487  isset($a['name_attr']) ? $a['name_attr'] : 'itemprop',
1488  isset($a['name']) ? $a['name'] : $k,
1489  isset($a['content_attr']) ? $a['content_attr'] : 'content',
1490  $sCharset);
1491  }
1492 
1493  }
1494  }
1495 
1496  return $aResult;
1497 }
1498 
1499 function ch_parse_html_tag($sContent, $sTag, $sAttrNameName, $sAttrNameValue, $sAttrContentName, $sCharset = false)
1500 {
1501  if (!preg_match("/<{$sTag}\s+{$sAttrNameName}[='\" ]+{$sAttrNameValue}['\"]\s+{$sAttrContentName}[='\" ]+([^'>\"]*)['\"][^>]*>/i",
1502  $sContent, $aMatch) || !isset($aMatch[1])
1503  ) {
1504  preg_match("/<{$sTag}\s+{$sAttrContentName}[='\" ]+([^'>\"]*)['\"]\s+{$sAttrNameName}[='\" ]+{$sAttrNameValue}['\"][^>]*>/i",
1505  $sContent, $aMatch);
1506  }
1507 
1508  $s = isset($aMatch[1]) ? $aMatch[1] : '';
1509 
1510  if ($s && $sCharset) {
1511  $s = mb_convert_encoding($s, 'UTF-8', $sCharset);
1512  }
1513 
1514  return $s;
1515 }
1516 
1523 {
1524  if (!$sContent || !is_string($sContent) || 'P' != strtoupper($sContent[0])) {
1525  return false;
1526  }
1527 
1528  $a = array('D' => 86400, 'H' => 3600, 'M' => '60', 'S' => 1);
1529  $iTotal = 0;
1530  foreach ($a as $sLetter => $iSec) {
1531  if (preg_match('/(\d+)[' . $sLetter . ']{1}/i', $sContent, $aMatch) && $aMatch[1]) {
1532  $iTotal += (int)$aMatch[1] * $iSec;
1533  }
1534  }
1535 
1536  return $iTotal;
1537 }
1538 
1539 // simple comparator for strings etc
1540 function simple_cmp($a, $b)
1541 {
1542  if ($a == $b) {
1543  return 0;
1544  }
1545 
1546  return ($a < $b) ? -1 : 1;
1547 }
1548 
1554 function format_bytes($bytes, $shorter = false)
1555 {
1556  $units = [
1557  true => [
1558  'GB' => 'G',
1559  'MB' => 'M',
1560  'KB' => 'K',
1561  'bytes' => 'B',
1562  'byte' => 'B'
1563  ],
1564  false => [
1565  'GB' => ' GB',
1566  'MB' => ' MB',
1567  'KB' => ' KB',
1568  'bytes' => ' bytes',
1569  'byte' => ' byte'
1570  ]
1571  ];
1572 
1573  if ($bytes >= 1073741824) {
1574  $bytes = number_format($bytes / 1073741824, 2) . $units[$shorter]['GB'];
1575  } elseif ($bytes >= 1048576) {
1576  $bytes = number_format($bytes / 1048576, 2) . $units[$shorter]['MB'];
1577  } elseif ($bytes >= 1024) {
1578  $bytes = number_format($bytes / 1024, 2) . $units[$shorter]['KB'];
1579  } elseif ($bytes > 1) {
1580  $bytes = $bytes . $units[$shorter]['bytes'];
1581  } elseif ($bytes == 1) {
1582  $bytes = $bytes . $units[$shorter]['byte'];
1583  } else {
1584  $bytes = '0' . $units[$shorter]['bytes'];
1585  }
1586 
1587  return $bytes;
1588 }
1589 
1590 // calculation ini_get('upload_max_filesize') in bytes as example
1591 function return_bytes($val)
1592 {
1593  $val = trim($val);
1594  if (strlen($val) < 2) {
1595  return $val;
1596  }
1597 
1598  $last = strtolower($val{strlen($val) - 1});
1599 
1600  $val = (int)$val;
1601  switch ($last) {
1602  // The 'G' modifier is available since PHP 5.1.0
1603  case 'k':
1604  $val *= 1024;
1605  break;
1606  case 'm':
1607  $val *= 1024 * 1024;
1608  break;
1609  case 'g':
1610  $val *= 1024 * 1024 * 1024;
1611  break;
1612  }
1613 
1614  return $val;
1615 }
1616 
1617 // Generate Random Password
1618 function genRndPwd($iLength = 8, $bSpecialCharacters = true)
1619 {
1620  $sPassword = '';
1621  $sChars = "abcdefghijkmnpqrstuvwxyzABCDEFGHJKLMNPQRSTUVWXYZ23456789";
1622 
1623  if ($bSpecialCharacters === true) {
1624  $sChars .= "!?=/&+,.";
1625  }
1626 
1627  srand((double)microtime() * 1000000);
1628  for ($i = 0; $i < $iLength; $i++) {
1629  $x = mt_rand(0, strlen($sChars) - 1);
1630  $sPassword .= $sChars{$x};
1631  }
1632 
1633  return $sPassword;
1634 }
1635 
1636 // Generate Random Salt for Password encryption
1637 function genRndSalt()
1638 {
1639  return genRndPwd(8, true);
1640 }
1641 
1642 // Encrypt User Password
1643 function encryptUserPwd($sPwd, $sSalt)
1644 {
1645  return sha1(md5($sPwd) . $sSalt);
1646 }
1647 
1648 // Advanced stripslashes. Strips strings and arrays
1650 {
1651  if (is_string($s)) {
1652  return stripslashes($s);
1653  } elseif (is_array($s)) {
1654  foreach ($s as $k => $v) {
1655  $s[$k] = stripslashes($v);
1656  }
1657 
1658  return $s;
1659  } else {
1660  return $s;
1661  }
1662 }
1663 
1664 function ch_get($sName)
1665 {
1666  if (isset($_GET[$sName])) {
1667  return $_GET[$sName];
1668  } elseif (isset($_POST[$sName])) {
1669  return $_POST[$sName];
1670  } else {
1671  return false;
1672  }
1673 }
1674 
1675 function ch_encode_url_params($a, $aExcludeKeys = array(), $aOnlyKeys = false)
1676 {
1677  $s = '';
1678  foreach ($a as $sKey => $sVal) {
1679  if (in_array($sKey, $aExcludeKeys)) {
1680  continue;
1681  }
1682  if (false !== $aOnlyKeys && !in_array($sKey, $aOnlyKeys)) {
1683  continue;
1684  }
1685  if (is_array($sVal)) {
1686  foreach ($sVal as $sSubVal) {
1687  $s .= rawurlencode($sKey) . '[]=' . rawurlencode(is_array($sSubVal) ? 'array' : $sSubVal) . '&';
1688  }
1689  } else {
1690  $s .= rawurlencode($sKey) . '=' . rawurlencode($sVal) . '&';
1691  }
1692  }
1693 
1694  return $s;
1695 }
1696 
1697 function ch_append_url_params($sUrl, $mixedParams)
1698 {
1699  $sParams = false == strpos($sUrl, '?') ? '?' : '&';
1700 
1701  if (is_array($mixedParams)) {
1702  foreach ($mixedParams as $sKey => $sValue) {
1703  $sParams .= $sKey . '=' . $sValue . '&';
1704  }
1705  $sParams = substr($sParams, 0, -1);
1706  } else {
1707  $sParams .= $mixedParams;
1708  }
1709 
1710  return $sUrl . $sParams;
1711 }
1712 
1713 function ch_rrmdir($directory)
1714 {
1715  if (substr($directory, -1) == "/") {
1716  $directory = substr($directory, 0, -1);
1717  }
1718 
1719  if (!file_exists($directory) || !is_dir($directory)) {
1720  return false;
1721  } elseif (!is_readable($directory)) {
1722  return false;
1723  }
1724 
1725  if (!($directoryHandle = opendir($directory))) {
1726  return false;
1727  }
1728 
1729  while ($contents = readdir($directoryHandle)) {
1730  if ($contents != '.' && $contents != '..') {
1731  $path = $directory . "/" . $contents;
1732 
1733  if (is_dir($path)) {
1734  ch_rrmdir($path);
1735  } else {
1736  unlink($path);
1737  }
1738  }
1739  }
1740 
1741  closedir($directoryHandle);
1742 
1743  if (!rmdir($directory)) {
1744  return false;
1745  }
1746 
1747  return true;
1748 }
1749 
1750 function ch_clear_folder($sPath, $aExts = array())
1751 {
1752  if (substr($$sPath, -1) == "/") {
1753  $sPath = substr($sPath, 0, -1);
1754  }
1755 
1756  if (!file_exists($sPath) || !is_dir($sPath)) {
1757  return false;
1758  } elseif (!is_readable($sPath)) {
1759  return false;
1760  }
1761 
1762  if (!($h = opendir($sPath))) {
1763  return false;
1764  }
1765 
1766  while ($sFile = readdir($h)) {
1767  if ('.' == $sFile || '..' == $sFile) {
1768  continue;
1769  }
1770 
1771  $sFullPath = $sPath . '/' . $sFile;
1772 
1773  if (is_dir($sFullPath)) {
1774  continue;
1775  }
1776 
1777  if (!$aExts || (($sExt = pathinfo($sFullPath, PATHINFO_EXTENSION)) && in_array($sExt, $aExts))) {
1778  @unlink($sFullPath);
1779  }
1780  }
1781 
1782  closedir($h);
1783 
1784  return true;
1785 }
1786 
1787 function ch_ltrim_str($sString, $sPrefix, $sReplace = '')
1788 {
1789  if ($sReplace && substr($sString, 0, strlen($sReplace)) == $sReplace) {
1790  return $sString;
1791  }
1792  if (substr($sString, 0, strlen($sPrefix)) == $sPrefix) {
1793  return $sReplace . substr($sString, strlen($sPrefix));
1794  }
1795 
1796  return $sString;
1797 }
1798 
1799 function ch_member_ip_store($iMemberId, $sIP = false)
1800 {
1801  if (getParam('enable_member_store_ip') != 'on') {
1802  return false;
1803  }
1804 
1805  $sCurLongIP = sprintf("%u", ip2long($sIP ? $sIP : getVisitorIP()));
1806 
1807  return db_res("INSERT INTO `sys_ip_members_visits` SET `MemberID` = " . (int)$iMemberId . ", `From` = '" . $sCurLongIP . "', `DateTime` = NOW()");
1808 }
1809 
1811 {
1812  $sLongIP = db_value("SELECT `From` FROM `sys_ip_members_visits` WHERE `MemberID` = " . (int)$iMemberId . " ORDER BY `DateTime` DESC");
1813 
1814  return long2ip($sLongIP);
1815 }
1816 
1820 function ch_show_service_unavailable_error_and_exit($sMsg = false, $iRetryAfter = 86400)
1821 {
1822  header('HTTP/1.0 503 Service Unavailable', true, 503);
1823  header('Retry-After: 600');
1824  echo $sMsg ? $sMsg : 'Service temporarily unavailable';
1825  exit;
1826 }
1827 
1828 function ch_mkdir_r($sDirName, $rights = 0777)
1829 {
1830  $sDirName = ch_ltrim_str($sDirName, CH_DIRECTORY_PATH_ROOT);
1831  $aDirs = explode('/', $sDirName);
1832  $sDir = '';
1833  foreach ($aDirs as $sPart) {
1834  $sDir .= $sPart . '/';
1835  if (!is_dir(CH_DIRECTORY_PATH_ROOT . $sDir) && strlen(CH_DIRECTORY_PATH_ROOT . $sDir) > 0 && !file_exists(CH_DIRECTORY_PATH_ROOT . $sDir)) {
1836  if (!mkdir(CH_DIRECTORY_PATH_ROOT . $sDir, $rights)) {
1837  return false;
1838  }
1839  }
1840  }
1841 
1842  return true;
1843 }
1844 
1848 function ch_proto($sUrl = CH_WSB_URL_ROOT)
1849 {
1850  return 0 === strncmp('https', $sUrl, 5) ? 'https' : 'http';
1851 }
1852 
1860 function ch_linkify($text, $sAttrs = '', $bHtmlSpecialChars = false)
1861 {
1862  if ($bHtmlSpecialChars) {
1863  $text = htmlspecialchars($text, ENT_NOQUOTES, 'UTF-8');
1864  }
1865 
1866  preg_match_all(CH_URL_RE, $text, $matches, PREG_OFFSET_CAPTURE);
1867 
1868  $matches = $matches[0];
1869 
1870  if ($i = count($matches)) {
1871  $bAddNofollow = getParam('sys_antispam_add_nofollow') == 'on';
1872  }
1873 
1874  while ($i--) {
1875  $url = $matches[$i][0];
1876  if (!preg_match('@^https?://@', $url)) {
1877  $url = 'http://' . $url;
1878  }
1879 
1880  if (strncmp(CH_WSB_URL_ROOT, $url, strlen(CH_WSB_URL_ROOT)) !== 0) {
1881  if (false === stripos($sAttrs, 'target="_blank"'))
1882  $sAttrs .= ' target="_blank" ';
1883  if ($bAddNofollow && false === stripos($sAttrs, 'rel="nofollow"'))
1884  $sAttrs .= ' rel="nofollow" ';
1885  }
1886 
1887  $text = substr_replace($text, '<a ' . $sAttrs . ' href="' . $url . '">' . $matches[$i][0] . '</a>',
1888  $matches[$i][1], strlen($matches[$i][0]));
1889  }
1890 
1891  return $text;
1892 }
1893 
1901 function ch_linkify_html($sHtmlOrig, $sAttrs = '')
1902 {
1903  if (!trim($sHtmlOrig)) {
1904  return $sHtmlOrig;
1905  }
1906 
1907  $sId = 'ch-linkify-' . md5(microtime());
1908  $dom = new DOMDocument();
1909  @$dom->loadHTML('<?xml encoding="UTF-8"><div id="' . $sId . '">' . $sHtmlOrig . '</div>');
1910  $xpath = new DOMXpath($dom);
1911 
1912  foreach ($xpath->query('//text()') as $text) {
1913  $frag = $dom->createDocumentFragment();
1914  $frag->appendXML(ch_linkify($text->nodeValue, $sAttrs, true));
1915  $text->parentNode->replaceChild($frag, $text);
1916  }
1917 
1918  if (version_compare(PHP_VERSION, '5.3.6') >= 0) {
1919  $s = $dom->saveHTML($dom->getElementById($sId));
1920  } else {
1921  $s = $dom->saveXML($dom->getElementById($sId), LIBXML_NOEMPTYTAG);
1922  }
1923 
1924  if (false === $s) // in case of error return original string
1925  {
1926  return $sHtmlOrig;
1927  }
1928 
1929  if (false !== ($iPos = mb_strpos($s, '<html><body>')) && $iPos < mb_strpos($s, $sId)) {
1930  $s = mb_substr($s, $iPos + 12, -15);
1931  } // strip <html><body> tags and everything before them
1932 
1933  return mb_substr($s, 54, -6); // strip added tags
1934 }
1935 
1942 function ch_gen_method_name($s, $sWordsDelimiter = '_')
1943 {
1944  return str_replace(' ', '', ucwords(str_replace($sWordsDelimiter, ' ', $s)));
1945 }
1946 
1954 function getPostFieldIfSet($sField)
1955 {
1956  return (!isset($_POST[$sField])) ? null : $_POST[$sField];
1957 }
1958 
1966 function getGetFieldIfSet($sField)
1967 {
1968  return (!isset($_GET[$sField])) ? null : $_GET[$sField];
1969 }
1970 
1971 function wrapVideoFrame($sData) {
1972  $iFound = stripos($sData, '<iframe');
1973  if($iFound === false) return $sData;
1974 
1975  // Reverse any that have allready been wrapped so it's not done twice.
1976  $pattern = '/(<div class="video-responsive">(<iframe.*(youtube\.com|youtu\.be|youtube-nocookie\.com).*iframe>)<\/div>)/i';
1977  $replacement = '$2';
1978  $sData = preg_replace($pattern, $replacement, $sData);
1979 
1980  // Now wrap it.
1981  $pattern = '/(<iframe.*(youtube\.com|youtu\.be|youtube-nocookie\.com).*iframe>)/i';
1982  $replacement = '<div class="video-responsive">$1</div>';
1983  $sData = preg_replace($pattern, $replacement, $sData);
1984 
1985  return $sData;
1986 }
1987 
1988 function getFfmpegPath()
1989 {
1990  if (strtoupper(substr(PHP_OS, 0, 3)) === 'WIN') {
1991  $sFfmpegPath = $GLOBALS['dir']['plugins'] . 'ffmpeg/ffmpeg.exe';
1992  } else {
1993  $sFfmpegPath = $GLOBALS['dir']['plugins'] . 'ffmpeg/ffmpeg';
1994  }
1995  return $sFfmpegPath;
1996 }
1997 
1998 function getFfprobePath()
1999 {
2000  if (strtoupper(substr(PHP_OS, 0, 3)) === 'WIN') {
2001  $sFfprobePath = $GLOBALS['dir']['plugins'] . 'ffmpeg/ffprobe.exe';
2002  } else {
2003  $sFfprobePath = $GLOBALS['dir']['plugins'] . 'ffmpeg/ffprobe';
2004  }
2005  return $sFfprobePath;
2006 }
2007 
2009  $oHandle = popen(getFfprobePath() . ' -v quiet -print_format json -show_format -show_streams ' . $sFile . ' 2>&1', 'r');
2010  $sVideoData = '';
2011  while (!feof($oHandle)) {
2012  $sVideoData .= fread($oHandle, 4096);
2013  }
2014  pclose($oHandle);
2015  $aVideoData = json_decode($sVideoData, true);
2016  $sCodecName = $aVideoData['streams'][0]['codec_name'];
2017  $sVideoWidth = $aVideoData['streams'][0]['width'];
2018  $sVideoHeight = $aVideoData['streams'][0]['height'];
2019  $sAvgFrameRate = $aVideoData['streams'][0]['avg_frame_rate'];
2020  $sDurationTs = $aVideoData['streams'][0]['duration_ts'];
2021  $sDuration = $aVideoData['streams'][0]['duration'];
2022  $sBitRate = $aVideoData['streams'][0]['bit_rate'];
2023  return array('CodecName' => $sCodecName, 'VideoWidth' => $sVideoWidth, 'VideoHeight' => $sVideoHeight, 'AvgFrameRate' => $sAvgFrameRate, 'DurationTs' => $sDurationTs, 'Duration' => $sDuration, 'BitRate' => $sBitRate);
2024 }
2025 
2027  $oHandle = popen(getFfprobePath() . ' -v quiet -print_format json -show_format -show_streams ' . $sFile . ' 2>&1', 'r');
2028  $sAudioData = '';
2029  while (!feof($oHandle)) {
2030  $sAudioData .= fread($oHandle, 4096);
2031  }
2032  pclose($oHandle);
2033  $aAudioData = json_decode($sAudioData, true);
2034  file_put_contents($GLOBALS['dir']['tmp'] . 'test.dat', print_r($aAudioData, true), FILE_APPEND) . "\r\n\r\n";
2035  $sCodecName = $aAudioData['streams'][0]['codec_name'];
2036  $sDurationTs = $aAudioData['streams'][0]['duration_ts'];
2037  $sDuration = $aAudioData['streams'][0]['duration'];
2038  $sBitRate = $aAudioData['streams'][0]['bit_rate'];
2039  return array('CodecName' => $sCodecName, 'DurationTs' => $sDurationTs, 'Duration' => $sDuration, 'BitRate' => $sBitRate);
2040 }
CH_WSB_DNSBL_CHAIN_WHITELIST
const CH_WSB_DNSBL_CHAIN_WHITELIST
Definition: ChWsbDNSBlacklists.php:20
process_db_input
process_db_input($sText, $iStripTags=0)
Definition: utils.inc.php:256
header
</code > Be careful enabling this directive if you have a redirector script that does not use the< code > Location</code > HTTP header
Definition: URI.MungeResources.txt:10
WordWrapStr
WordWrapStr($sString, $iWidth=25, $sWrapCharacter='&shy;')
Definition: utils.inc.php:155
ch_is_ip_whitelisted
ch_is_ip_whitelisted($sCurIP='')
Definition: utils.inc.php:1021
CH_WSB_DNSBL_POSITIVE
const CH_WSB_DNSBL_POSITIVE
Definition: ChWsbDNSBlacklists.php:9
document
Output SortAttr HTML Purifier will sort attributes by name before writing them back to the document
Definition: Output.SortAttr.txt:8
getVisitorIP
getVisitorIP($isProxyCheck=true)
Definition: utils.inc.php:643
RedirectCode
RedirectCode($ActionURL, $Params=null, $Method="get", $Title='Redirect')
Definition: utils.inc.php:394
$iMemberId
$iMemberId
Definition: profile.php:91
true
if(!defined("TRUE_VAL")) define("TRUE_VAL" true
Definition: constants.inc.php:8
HTMLPurifier
Definition: HTMLPurifier.standalone.php:75
isRWAccessible
isRWAccessible($sFileName)
Definition: utils.inc.php:440
ch_parse_html_tag
ch_parse_html_tag($sContent, $sTag, $sAttrNameName, $sAttrNameValue, $sAttrContentName, $sCharset=false)
Definition: utils.inc.php:1499
get_mb_substr
get_mb_substr($s, $iStart, $iLen)
Definition: utils.inc.php:964
$oMenu
$oMenu
Definition: bottom_menu_compose.php:29
$f
global $f
Definition: callback.php:13
getSiteInfo
getSiteInfo($sSourceUrl, $aProcessAdditionalTags=array())
Definition: utils.inc.php:1460
genRndSalt
genRndSalt()
Definition: utils.inc.php:1637
genFlagUrl
genFlagUrl($country)
Definition: utils.inc.php:670
CH_WSB_LOCALE_PHP
const CH_WSB_LOCALE_PHP
Definition: utils.inc.php:18
ch_js_string
ch_js_string($mixedInput, $iQuoteType=CH_ESCAPE_STR_AUTO)
Definition: utils.inc.php:1294
is_friends
is_friends($id1, $id2)
Definition: utils.inc.php:140
defineTimeInterval
defineTimeInterval($iTime, $bAutoDateConvert=true, $bShort=false)
Definition: utils.inc.php:831
_format_time
_format_time($iSec, $aParams=array())
Definition: utils.inc.php:813
HTMLPurifier_Filter_YouTube
Definition: YouTube.php:4
uriGenerate
uriGenerate($s, $sTable, $sField, $iMaxLen=255)
Definition: utils.inc.php:900
getPostFieldIfSet
getPostFieldIfSet($sField)
Definition: utils.inc.php:1954
name
Core AllowHostnameUnderscore underscores are not permitted in host most browsers do the right thing when faced with an underscore in the host name
Definition: Core.AllowHostnameUnderscore.txt:11
$sResult
$sResult
Definition: advanced_settings.php:26
echoDbg
echoDbg($what, $desc='')
Definition: utils.inc.php:676
CH_TAGS_VALIDATE
const CH_TAGS_VALIDATE
Definition: utils.inc.php:24
$aModule
$aModule
Definition: classifieds.php:21
ch_php_string_quot
ch_php_string_quot($mixedInput)
Definition: utils.inc.php:1345
ChWsbEmailTemplates
Definition: ChWsbEmailTemplates.php:11
ch_import
ch_import($sClassName, $aModule=array())
Definition: utils.inc.php:1218
$aResult
$aResult
Definition: index.php:19
ch_get
ch_get($sName)
Definition: utils.inc.php:1664
sendMail
sendMail( $sRecipientEmail, $sMailSubject, $sMailBody, $iRecipientID=0, $aPlus=array(), $sEmailFlag='html', $isDisableAlert=false, $bForceSend=false)
Definition: utils.inc.php:461
$sCont
$sCont
Definition: get_rss_feed.php:36
uri2title
uri2title($sValue)
Definition: utils.inc.php:51
$sUrl
$sUrl
Definition: cart.php:15
php
getmicrotime
getmicrotime()
Definition: utils.inc.php:1135
$def
$def
Definition: HTML.DefinitionID.txt:17
$oZ
$oZ
Definition: db.php:20
getLinkSet
getLinkSet($sLinkString, $sUrlPrefix, $sDivider=';,', $bUriConvert=false)
Definition: utils.inc.php:1438
$sMsg
$sMsg
Definition: actions.inc.php:22
stripslashes_adv
stripslashes_adv($s)
Definition: utils.inc.php:1649
$sExt
$sExt
Definition: get_file.php:14
$sPwd
$sPwd
Definition: r.php:14
$iPos
$iPos
Definition: design.php:157
null
Attr AllowedClasses this is null
Definition: Attr.AllowedClasses.txt:6
getAudioData
getAudioData($sFile)
Definition: utils.inc.php:2026
CH_WSB_TEMPLATE_DEFAULT_CODE
const CH_WSB_TEMPLATE_DEFAULT_CODE
Definition: ChWsbTemplate.php:10
strmaxwordlen
strmaxwordlen($input, $len=100)
Definition: utils.inc.php:199
writeLog
writeLog($sNewLineText='test')
Definition: utils.inc.php:1415
ch_show_service_unavailable_error_and_exit
ch_show_service_unavailable_error_and_exit($sMsg=false, $iRetryAfter=86400)
Definition: utils.inc.php:1820
ch_gen_method_name
ch_gen_method_name($s, $sWordsDelimiter='_')
Definition: utils.inc.php:1942
process_html_output
process_html_output($text, $maxwordlen=100)
Definition: utils.inc.php:333
$url
URI MungeSecretKey $url
Definition: URI.MungeSecretKey.txt:14
isAdmin
isAdmin()
Definition: index.php:649
CH_TAGS_STRIP_AND_NL2BR
const CH_TAGS_STRIP_AND_NL2BR
Definition: utils.inc.php:25
$oCache
$oCache
Definition: prof.inc.php:10
uriCheckUniq
uriCheckUniq($s, $sTable, $sField)
Definition: utils.inc.php:949
get_templates_array
get_templates_array($isAllParams=false)
Definition: utils.inc.php:573
return_bytes
return_bytes($val)
Definition: utils.inc.php:1591
simple_cmp
simple_cmp($a, $b)
Definition: utils.inc.php:1540
ch_html_attribute
ch_html_attribute($mixedInput)
Definition: utils.inc.php:1324
$aInfo
$aInfo
Definition: constants.inc.php:21
ch_member_ip_store
ch_member_ip_store($iMemberId, $sIP=false)
Definition: utils.inc.php:1799
HTMLPurifier_Config\createDefault
static createDefault()
Definition: HTMLPurifier.standalone.php:1943
Redirect
Redirect($ActionURL, $Params=null, $Method="get", $Title='Redirect')
Definition: utils.inc.php:432
$sPassword
$sPassword
Definition: actions.inc.php:10
ChWsbAlerts
Definition: ChWsbAlerts.php:39
db_arr
db_arr($query, $bindings=[])
Definition: db.inc.php:76
exit
exit
Definition: cart.php:21
$sType
$sType
Definition: actions.inc.php:11
$sFile
$sFile
Definition: index.php:20
$_GET
$_GET['debug']
Definition: index.php:67
and
and
Definition: license.txt:18
getParam
getParam($sParamName, $bUseCache=true)
Definition: db.inc.php:130
CH_WSB_DNSBL_CHAIN_SPAMMERS
const CH_WSB_DNSBL_CHAIN_SPAMMERS
Definition: ChWsbDNSBlacklists.php:19
getLoggedId
getLoggedId()
Definition: profiles.inc.php:32
ch_linkify_html
ch_linkify_html($sHtmlOrig, $sAttrs='')
Definition: utils.inc.php:1901
wrapVideoFrame
wrapVideoFrame($sData)
Definition: utils.inc.php:1971
html_encode
html_encode($text)
Definition: utils.inc.php:228
ch_append_url_params
ch_append_url_params($sUrl, $mixedParams)
Definition: utils.inc.php:1697
getNickName
getNickName( $ID='')
Definition: profiles.inc.php:461
strmaxtextlen
strmaxtextlen($sInput, $iMaxLen=60)
Definition: utils.inc.php:207
htmlspecialchars_adv
htmlspecialchars_adv($string)
Definition: utils.inc.php:302
$site
$site['ver']
Definition: version.inc.php:8
title2uri
title2uri($sValue)
Definition: utils.inc.php:42
getFfmpegPath
getFfmpegPath()
Definition: utils.inc.php:1988
CH_ESCAPE_STR_QUOTE
const CH_ESCAPE_STR_QUOTE
escape quotes only, for js strings enclosed in quotes, for use in
Definition: utils.inc.php:34
$oDb
global $oDb
Definition: db.inc.php:39
CH_TAGS_NO_ACTION
const CH_TAGS_NO_ACTION
Definition: utils.inc.php:21
type
if(!defined("USER_STATUS_TYPE")) define("USER_STATUS_TYPE" type
Definition: constants.inc.php:13
process_text_output
process_text_output($text, $maxwordlen=100)
Definition: utils.inc.php:313
$path
$path
Definition: header.inc.php:12
templates_select_txt
templates_select_txt()
Definition: utils.inc.php:621
uriFilter
uriFilter($s)
Definition: utils.inc.php:931
ch_file_get_contents
ch_file_get_contents($sFileUrl, $aParams=array(), $sMethod='get', $aHeaders=array(), &$sHttpCode=null)
Definition: utils.inc.php:1357
ch_instance
ch_instance($sClassName, $aParams=array(), $aModule=array())
Definition: utils.inc.php:1264
$sTemplVendor
$sTemplVendor
Definition: ChTemplName.php:10
extFileExists
extFileExists($sFileSrc)
Definition: utils.inc.php:638
execSqlFile
execSqlFile($sFileName)
Definition: utils.inc.php:843
genRndPwd
genRndPwd($iLength=8, $bSpecialCharacters=true)
Definition: utils.inc.php:1618
global
if(!defined("GLOBAL_MODULE")) define("GLOBAL_MODULE" global
Definition: header.inc.php:25
HTMLPurifier_Filter_YoutubeIframe
Definition: YoutubeIframe.php:4
HTMLPurifier_Bootstrap\registerAutoload
static registerAutoload()
Definition: HTMLPurifier.standalone.php:1100
$sContent
$sContent
Definition: bottom_menu_compose.php:169
_t
_t($key, $arg0="", $arg1="", $arg2="")
Definition: languages.inc.php:509
$last
$last
Definition: index.php:25
time
that in the case of a Adaptation or at a minimum such credit will if a credit for all contributing authors of the Adaptation or Collection then as part of these credits and in a manner at least as prominent as the credits for the other contributing authors For the avoidance of You may only use the credit required by this Section for the purpose of attribution in the manner set out above by exercising Your rights under this You may not implicitly or explicitly assert or imply any connection sponsorship or endorsement by the Original Licensor and or Attribution as of You or Your use of the without the express prior written permission of the Original Licensor and or Attribution Parties Except as otherwise agreed in writing by the Licensor or as may be otherwise permitted by applicable if You Distribute or Publicly Perform the Work either by itself or as part of any Adaptations or You must not modify or take other derogatory action in relation to the Work which would be prejudicial to the Original Author s honor or reputation Licensor agrees that in those in which any exercise of the right granted in modification or other derogatory action prejudicial to the Original Author s honor and the Licensor will waive or not as this to the fullest extent permitted by the applicable national to enable You to reasonably exercise Your right under Warranties and Disclaimer UNLESS OTHERWISE MUTUALLY AGREED TO BY THE PARTIES IN LICENSOR OFFERS THE WORK AS IS AND MAKES NO REPRESENTATIONS OR WARRANTIES OF ANY KIND CONCERNING THE STATUTORY OR WITHOUT WARRANTIES OF FITNESS FOR A PARTICULAR OR THE ABSENCE OF LATENT OR OTHER OR THE PRESENCE OF ABSENCE OF WHETHER OR NOT DISCOVERABLE SOME JURISDICTIONS DO NOT ALLOW THE EXCLUSION OF IMPLIED SO SUCH EXCLUSION MAY NOT APPLY TO YOU Limitation on Liability EXCEPT TO THE EXTENT REQUIRED BY APPLICABLE IN NO EVENT WILL LICENSOR BE LIABLE TO YOU ON ANY LEGAL THEORY FOR ANY PUNITIVE OR EXEMPLARY DAMAGES ARISING OUT OF THIS LICENSE OR THE USE OF THE EVEN IF LICENSOR HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES Termination This License and the rights granted hereunder will terminate automatically upon any breach by You of the terms of this License Individuals or entities who have received Adaptations or Collections from You under this will not have their licenses terminated provided such individuals or entities remain in full compliance with those licenses and will survive any termination of this License Subject to the above terms and the license granted here is Licensor reserves the right to release the Work under different license terms or to stop distributing the Work at any time
Definition: license.txt:56
ch_member_ip_get_last
ch_member_ip_get_last($iMemberId)
Definition: utils.inc.php:1810
ch_linkify
ch_linkify($text, $sAttrs='', $bHtmlSpecialChars=false)
Definition: utils.inc.php:1860
getProfileLink
getProfileLink( $iID, $sLinkAdd='')
Definition: profiles.inc.php:484
ch_proto
ch_proto($sUrl=CH_WSB_URL_ROOT)
Definition: utils.inc.php:1848
_format_when
_format_when($iSec, $bShort=false)
Definition: utils.inc.php:778
ch_rrmdir
ch_rrmdir($directory)
Definition: utils.inc.php:1713
method
and that you are informed that you can do these things To protect your we need to make restrictions that forbid distributors to deny you these rights or to ask you to surrender these rights These restrictions translate to certain responsibilities for you if you distribute copies of the library or if you modify it For if you distribute copies of the whether gratis or for a you must give the recipients all the rights that we gave you You must make sure that receive or can get the source code If you link other code with the you must provide complete object files to the so that they can relink them with the library after making changes to the library and recompiling it And you must show them these terms so they know their rights We protect your rights with a two step method
Definition: license.txt:49
CH_WSB_LOCALE_DATE_SHORT
const CH_WSB_LOCALE_DATE_SHORT
Definition: utils.inc.php:15
ch_php_string_apos
ch_php_string_apos($mixedInput)
Definition: utils.inc.php:1340
process_text_withlinks_output
process_text_withlinks_output($text, $maxwordlen=100)
Definition: utils.inc.php:323
ch_parse_time_duration
ch_parse_time_duration($sContent)
Definition: utils.inc.php:1522
getSiteStatArray
getSiteStatArray()
Definition: utils.inc.php:1184
process_line_output
process_line_output($text, $maxwordlen=100)
Definition: utils.inc.php:328
CH_TAGS_STRIP
const CH_TAGS_STRIP
Definition: utils.inc.php:22
$sTemplDesc
$sTemplDesc
Definition: ChTemplName.php:12
isBlocked
isBlocked($iFirstProfile, $iSecondProfile)
Definition: utils.inc.php:128
ConstructHiddenValues
ConstructHiddenValues($Values)
Definition: utils.inc.php:345
$s
$s
Definition: embed.php:13
ch_mkdir_r
ch_mkdir_r($sDirName, $rights=0777)
Definition: utils.inc.php:1828
CH_TAGS_SPECIAL_CHARS
const CH_TAGS_SPECIAL_CHARS
Definition: utils.inc.php:23
ch_clear_folder
ch_clear_folder($sPath, $aExts=array())
Definition: utils.inc.php:1750
CH_ESCAPE_STR_APOS
const CH_ESCAPE_STR_APOS
escape apostrophes only, for js strings enclosed in apostrophes, for use in
Definition: utils.inc.php:33
getGetFieldIfSet
getGetFieldIfSet($sField)
Definition: utils.inc.php:1966
get_mb_replace
get_mb_replace($sPattern, $sReplace, $s)
Definition: utils.inc.php:954
format_bytes
format_bytes($bytes, $shorter=false)
Definition: utils.inc.php:1554
$sFfmpegPath
$sFfmpegPath
Definition: header.inc.php:60
process_pass_data
process_pass_data($text, $strip_tags=0)
Definition: utils.inc.php:290
$sTemplName
$sTemplName
Definition: ChTemplName.php:8
db_res
db_res($query, $bindings=[])
Definition: db.inc.php:39
html2txt
html2txt($content, $tags="")
Definition: utils.inc.php:219
getClearedParam
getClearedParam($sExceptParam, $sString)
Definition: utils.inc.php:1207
$sId
$sId
Definition: actions.inc.php:8
db_value
db_value($query, $bindings=[], $error_checking=true, $index=0)
Definition: db.inc.php:98
getProfileInfo
getProfileInfo($iProfileID=0, $checkActiveStatus=false, $forceCache=false)
Definition: profiles.inc.php:249
genSiteStatCache
genSiteStatCache()
Definition: utils.inc.php:1146
getLocaleFormat
getLocaleFormat($iCode=CH_WSB_LOCALE_DATE_SHORT, $iType=CH_WSB_LOCALE_PHP)
Definition: utils.inc.php:89
encryptUserPwd
encryptUserPwd($sPwd, $sSalt)
Definition: utils.inc.php:1643
getRelatedWords
getRelatedWords(&$aInfo)
Definition: utils.inc.php:1451
echoDbgLog
echoDbgLog($mWhat, $sDesc='', $sFileName='debug.log')
Definition: utils.inc.php:686
get_mb_len
get_mb_len($s)
Definition: utils.inc.php:959
getFfprobePath
getFfprobePath()
Definition: utils.inc.php:1998
$sTemplPreview
$sTemplPreview
Definition: ChTemplName.php:11
replace_full_uris
replace_full_uris($text)
Definition: utils.inc.php:880
$sTemplVer
$sTemplVer
Definition: ChTemplName.php:9
genFlag
genFlag($country)
Definition: utils.inc.php:665
empty
Attr AllowedRel this is empty
Definition: Attr.AllowedRel.txt:7
$o
$o
Definition: cmd.php:193
replace_full_uri
replace_full_uri($matches)
Definition: utils.inc.php:887
ChWsbService\call
static call($mixed, $sMethod, $aParams=array(), $sClass='Module')
Definition: ChWsbService.php:32
$sDesc
$sDesc
Definition: actions.inc.php:21
getLocaleDate
getLocaleDate($sTimestamp='', $iCode=CH_WSB_LOCALE_DATE_SHORT)
Definition: utils.inc.php:70
as
as
Definition: Filter.ExtractStyleBlocks.Escaping.txt:10
ch_time_utc
ch_time_utc($iUnixTimestamp)
Definition: utils.inc.php:116
process_textarea_output
process_textarea_output($text, $maxwordlen=100)
Definition: utils.inc.php:318
genSiteStatFile
genSiteStatFile($aVal)
Definition: utils.inc.php:1173
ChWsbDb\getInstance
static getInstance()
Definition: ChWsbDb.php:82
$sName
$sName
Definition: ChWsbAdminTools.php:853
ch_is_ip_dns_blacklisted
ch_is_ip_dns_blacklisted($sCurIP='', $sType='')
Definition: utils.inc.php:995
ch_is_ip_blocked
ch_is_ip_blocked($sCurIP='')
Definition: utils.inc.php:1042
ch_ltrim_str
ch_ltrim_str($sString, $sPrefix, $sReplace='')
Definition: utils.inc.php:1787
ch_block_ip
ch_block_ip($mixedIP, $iExpirationInSec=86400, $sComment='')
Definition: utils.inc.php:977
$iProfileId
if( $sMembersList) $iProfileId
Definition: communicator.php:29
form
iii in the case of the organization that transmits the broadcast Work means the literary and or artistic work offered under the terms of this License including without limitation any production in the scientific and artistic whatever may be the mode or form of its expression including digital form
Definition: license.txt:19
$GLOBALS
$GLOBALS['iAdminPage']
Definition: advanced_settings.php:10
getLink
getLink($sString, $sUrl)
Definition: utils.inc.php:1433
CH_URL_RE
const CH_URL_RE
regular expression to match URL
Definition: utils.inc.php:36
ch_is_spam
ch_is_spam($val)
Definition: utils.inc.php:1080
ChWsbMenu
Definition: ChWsbMenu.php:14
$dir
$dir
Definition: config.php:10
getVideoData
getVideoData($sFile)
Definition: utils.inc.php:2008
ch_encode_url_params
ch_encode_url_params($a, $aExcludeKeys=array(), $aOnlyKeys=false)
Definition: utils.inc.php:1675
CH_ESCAPE_STR_AUTO
const CH_ESCAPE_STR_AUTO
turn apostropes and quote signs into html special chars, for use in
Definition: utils.inc.php:32
HTMLPurifier_Filter_LocalMovie
Definition: LocalMovie.php:4
clear_xss
clear_xss($val)
Definition: utils.inc.php:700