($numChars)) {
$half_length = intval(($numChars - 3) / 2); // '/2' because [...] is in the middle of the word.
$truncateText2 = mb_strimwidth($text, (strlen($text) - $half_length), strlen($text));
// In case $numChars were an odd number.
$half_length = $numChars - $half_length - 3;
$truncateText = mb_strimwidth($text, 0, $half_length) . $suffix;
$truncateText=$truncateText . $truncateText2;
if ($showTextInTitle) {
if ($style !== false){
$truncateText = ''.$truncateText.'';
}
else{
$truncateText = ''.$truncateText.'';
}
}
if ($showTextInAToopTip) {
if ($style !== false){
$truncateText = $truncateText . '' . $text . '';
}
else{
$truncateText = $truncateText . '' . $text . '';
}
}
else{
if ($style !== false){
$truncateText = ''.$truncateText.'';
}
}
}
else {
if ($style !== false){
$truncateText = '' . $text . '';
}
else{
$truncateText = $text;
}
}
if ($return == true) {
return $truncateText;
}
else {
echo $truncateText;
}
}
/**
* Print a string with a smaller font depending on its size.
*
* @param string $string String to be display with a smaller font.
* @param boolean $return Flag to return as string or not.
*/
function printSmallFont ($string, $return = true) {
$str = str_replace (' ', ' ', $string);
$length = strlen($str);
if ($length >= 30) {
$size = 0.7;
} elseif ($length >= 20) {
$size = 0.8;
} elseif ($length >= 10) {
$size = 0.9;
} elseif ($length < 10) {
$size = 1;
}
$s = '';
$s .= $string;
$s .= '';
if ($return) {
return $s;
} else {
echo $s;
}
}
/**
* Prints a generic message between tags.
*
* @param string The message string to be displayed
* @param string the class to user
* @param string Any other attributes to be set for the tag.
* @param bool Whether to output the string or return it
* @param string What tag to use (you could specify something else than
* h3 like div or h2)
*
* @return string HTML code if return parameter is true.
*/
function ui_print_message ($message, $class = '', $attributes = '', $return = false, $tag = 'h3') {
$output = '<'.$tag.(empty ($class) ? '' : ' class="'.$class.'" ').$attributes.'>'.$message.''.$tag.'>';
if ($return)
return $output;
echo $output;
}
/**
* Prints an error message.
*
* @param string The error message to be displayed
* @param string Any other attributes to be set for the tag.
* @param bool Whether to output the string or return it
* @param string What tag to use (you could specify something else than
* h3 like div or h2)
*
* @return string HTML code if return parameter is true.
*/
function ui_print_error_message ($message, $attributes = '', $return = false, $tag = 'h3') {
return ui_print_message ($message, 'error', $attributes, $return, $tag);
}
/**
* Prints an operation success message.
*
* @param string The message to be displayed
* @param string Any other attributes to be set for the tag.
* @param bool Whether to output the string or return it
* @param string What tag to use (you could specify something else than
* h3 like div or h2)
*
* @return string HTML code if return parameter is true.
*/
function ui_print_success_message ($message, $attributes = '', $return = false, $tag = 'h3') {
return ui_print_message ($message, 'suc', $attributes, $return, $tag);
}
/**
* Evaluates a result using empty() and then prints an error or success message
*
* @param mixed The results to evaluate. 0, NULL, false, '' or
* array() is bad, the rest is good
* @param string The string to be displayed if the result was good
* @param string The string to be displayed if the result was bad
* @param string Any other attributes to be set for the h3
* @param bool Whether to output the string or return it
* @param string What tag to use (you could specify something else than
* h3 like div or h2)
*
* @return string HTML code if return parameter is true.
*/
function ui_print_result_message ($result, $good = '', $bad = '', $attributes = '', $return = false, $tag = 'h3') {
if ($good == '' || $good === false)
$good = __('Request successfully processed');
if ($bad == '' || $bad === false)
$bad = __('Error processing request');
if (empty ($result)) {
return ui_print_error_message ($bad, $attributes, $return, $tag);
}
return ui_print_success_message ($good, $attributes, $return, $tag);
}
/**
* Evaluates a unix timestamp and returns a span (or whatever tag specified)
* with as title the correctly formatted full timestamp and a time comparation
* in the tag
*
* @param int Any type of timestamp really, but we prefer unixtime
* @param bool Whether to output the string or return it
* @param array An array with different options for this function
* Key html_attr: which html attributes to add (defaults to none)
* Key tag: Which html tag to use (defaults to span)
* Key prominent: Overrides user preference and display "comparation" or "timestamp"
* key units: The type of units.
*
* @return string HTML code if return parameter is true.
*/
function ui_print_timestamp ($unixtime, $return = false, $option = array ()) {
global $config;
//TODO: Add/use a javascript timer for the seconds so it automatically updates as time passes by
if (isset ($option["html_attr"])) {
$attributes = $option["html_attr"];
} else {
$attributes = "";
}
if (isset ($option["tag"])) {
$tag = $option["tag"];
} else {
$tag = "span";
}
if (empty ($option["style"])) {
$style = 'style="white-space:nowrap;"';
} else {
$style = 'style="'.$option["style"].'"';
}
if (!empty ($option["prominent"])) {
$prominent = $option["prominent"];
} else {
$prominent = $config["prominent_time"];
}
if (!is_numeric ($unixtime)) {
$unixtime = strtotime ($unixtime);
}
//prominent_time is either timestamp or comparation
if ($unixtime <= 0) {
$title = __('Unknown').'/'.__('Never');
$data = __('Unknown');
}
elseif ($prominent == "timestamp") {
$title = human_time_comparation ($unixtime);
$data = date ($config["date_format"], $unixtime);
}
else {
$title = date ($config["date_format"], $unixtime);
$units = 'large';
if (isset($option['units'])) {
$units = $option['units'];
}
$data = human_time_comparation ($unixtime, $units);
}
$output = '<'.$tag;
switch ($tag) {
default:
//Usually tags have title attributes, so by default we add, then fall through to add attributes and data
$output .= ' title="'.$title.'"';
case "h1":
case "h2":
case "h3":
//Above tags don't have title attributes
$output .= ' '.$attributes.' '.$style.'>'.$data.''.$tag.'>';
}
if ($return)
return $output;
echo $output;
}
/**
* Prints a username with real name, link to the user_edit page etc.
*
* @param string The username to render
* @param bool Whether to return or print
*
* @return string HTML code if return parameter is true.
*/
function ui_print_username ($username, $return = false) {
$string = ''.get_user_fullname ($username).'';
if ($return)
return $string;
echo $string;
}
/**
* Print group icon within a link
*
* @param int Group id
* @param bool Whether to return or print
* @param string What path to use (relative to images/). Defaults to groups_small
* @param string Style for group image
* @param bool Whether the group have link or not
*
* @return string HTML code if return parameter is true.
*/
function ui_print_group_icon ($id_group, $return = false, $path = "groups_small", $style='', $link = true) {
if($id_group > 0)
$icon = (string) db_get_value ('icon', 'tgrupo', 'id_grupo', (int) $id_group);
else
$icon = "world";
if($style == '')
$style = 'width: 16px; height: 16px;';
$output = '';
if ($link)
$output = '';
if (empty ($icon))
$output .= ' - ';
else
$output .= html_print_image("images/" . $path . "/" . $icon . ".png", true, array("style" => $style, "class" => "bot", "alt" => groups_get_name($id_group, true), "title" => groups_get_name ($id_group, true)));
if ($link)
$output .= '';
if (!$return)
echo $output;
return $output;
}
/**
* Print group icon within a link. Other version.
*
* @param int Group id
* @param bool Whether to return or print
* @param string What path to use (relative to images/). Defaults to groups_small
*
* @return string HTML code if return parameter is true.
*/
function ui_print_group_icon_path ($id_group, $return = false, $path = "images/groups_small", $style='', $link = true) {
if($id_group > 0)
$icon = (string) db_get_value ('icon', 'tgrupo', 'id_grupo', (int) $id_group);
else
$icon = "world";
if($style == '')
$style = 'width: 16px; height: 16px;';
$output = '';
if ($link)
$output = '';
if (empty ($icon))
$output .= ' - ';
else
$output .= '';
if ($link)
$output .= '';
if (!$return)
echo $output;
return $output;
}
/**
* Get the icon of an operating system.
*
* @param int Operating system id
* @param bool Whether to also append the name of the OS after the icon
* @param bool Whether to return or echo the result
* @param bool Whether to apply skin or not
*
* @return string HTML with icon of the OS
*/
function ui_print_os_icon ($id_os, $name = true, $return = false, $apply_skin = true, $networkmap = false, $only_src = false) {
$subfolter = 'os_icons';
if ($networkmap) {
$subfolter = 'networkmap';
}
$icon = (string) db_get_value ('icon_name', 'tconfig_os', 'id_os', (int) $id_os);
$os_name = get_os_name ($id_os);
if (empty ($icon)) {
if ($only_src) {
$output = html_print_image("images/".$subfolter."/unknown.png", false, false, true);
}
else {
return "-";
}
}
if ($apply_skin) {
if ($only_src) {
$output = html_print_image("images/".$subfolter."/".$icon, true, false, true);
}
else {
$output = html_print_image("images/".$subfolter."/".$icon, true, array("alt" => $os_name, "title" => $os_name));
}
}
else
//$output = "";
$output = "images/".$subfolter."/" . $icon;
if ($name === true) {
$output .= ' - '.$os_name;
}
if (!$return)
echo $output;
return $output;
}
/**
* Prints an agent name with the correct link
*
* @param int Agent id
* @param bool Whether to return the string or echo it too
* @param int Now uses styles to accomplish this
* @param string Style of name in css.
*
* @return string HTML with agent name and link
*/
function ui_print_agent_name ($id_agent, $return = false, $cutoff = 0, $style = '', $cutname = false) {
$agent_name = (string) agents_get_name ($id_agent);
$agent_name_full = $agent_name;
if ($cutname) {
$agent_name = ui_print_truncate_text($agent_name, $cutoff, true, true, true, '[…]', $style);
}
$output = ''.$agent_name.'';
//TODO: Add a pretty javascript (using jQuery) popup-box with agent details
if ($return)
return $output;
echo $output;
}
/**
* Formats a row from the alert table and returns an array usable in the table function
*
* @param array A valid (non empty) row from the alert table
* @param bool Whether or not this is a combined alert
* @param bool Whether to print the agent information with the module information
* @param string Tab where the function was called from (used for urls)
* @param mixed Style for agent name or default (false)
*
* @return array A formatted array with proper html for use in $table->data (6 columns)
*/
function ui_format_alert_row ($alert, $compound = false, $agent = true, $url = '', $agent_style = false) {
global $config;
$actionText = "";
require_once ("include/functions_alerts.php");
$isFunctionPolicies = enterprise_include_once ('include/functions_policies.php');
$id_group = (int) get_parameter ("ag_group", 0); //0 is the All group (selects all groups)
if ($isFunctionPolicies !== ENTERPRISE_NOT_HOOK) {
if ($agent) {
$index = array('policy' => 0, 'standby' => 1, 'force_execution' => 2, 'agent_name' => 3, 'module_name' => 4,
'description' => 5, 'template' => 5, 'action' => 6, 'last_fired' => 7, 'status' => 8,
'validate' => 9);
}
else {
$index = array('policy' => 0, 'standby' => 1, 'force_execution' => 2, 'agent_name' => 3, 'module_name' => 3,
'description' => 4, 'template' => 4, 'action' => 5, 'last_fired' => 6, 'status' => 7,
'validate' => 8);
}
}
else {
if ($agent) {
$index = array('standby' => 0, 'force_execution' => 1, 'agent_name' => 2, 'module_name' => 3,
'description' => 4, 'template' => 4, 'action' => 5, 'last_fired' => 6, 'status' => 7,
'validate' => 8);
}
else {
$index = array('standby' => 0, 'force_execution' => 1, 'agent_name' => 2, 'module_name' => 2,
'description' => 3, 'template' => 3, 'action' => 4, 'last_fired' => 5, 'status' => 6,
'validate' => 7);
}
}
if ($alert['disabled']) {
$disabledHtmlStart = '';
$disabledHtmlEnd = '';
$styleDisabled = "font-style: italic; color: #aaaaaa;";
}
else {
$disabledHtmlStart = '';
$disabledHtmlEnd = '';
$styleDisabled = "";
}
if (empty ($alert))
{
if ($isFunctionPolicies !== ENTERPRISE_NOT_HOOK)
return array ("", "", "", "", "", "", "", "");
else
return array ("", "", "", "", "", "", "");
}
// Get agent id
if ($compound) {
$id_agent = $alert['id_agent'];
$description = $alert['description'];
}
else {
$id_agent = modules_get_agentmodule_agent ($alert['id_agent_module']);
$template = alerts_get_alert_template ($alert['id_alert_template']);
$description = io_safe_output($template['name']);
}
$data = array ();
if (($isFunctionPolicies !== ENTERPRISE_NOT_HOOK) && (!$compound)) {
$policyInfo = policies_is_alert_in_policy2($alert['id'], false);
if ($policyInfo === false)
$data[$index['policy']] = '';
else {
$img = 'images/policies.png';
$data[$index['policy']] = '' .
html_print_image($img,true, array('title' => $policyInfo['name'])) .
'';
}
}
else if (($isFunctionPolicies !== ENTERPRISE_NOT_HOOK) && ($compound))
$data[$index['policy']] = '';
// Standby
$data[$index['standby']] = '';
if (isset ($alert["standby"]) && $alert["standby"] == 1) {
$data[$index['standby']] = html_print_image ('images/bell_pause.png', true, array('title' => __('Standby on')));
}
// Force alert execution
$data[$index['force_execution']] = '';
if (! $compound) {
if ($alert["force_execution"] == 0) {
$data[$index['force_execution']] =
'' . html_print_image("images/target.png", true) . '';
}
else {
$data[$index['force_execution']] =
'' . html_print_image("images/refresh.png", true) . '';
}
}
$data[$index['agent_name']] = $disabledHtmlStart;
if ($compound) {
if ($agent_style !== false) {
$data[$index['agent_name']] .= ui_print_agent_name ($id_agent, true, 20, $styleDisabled . " $agent_style");
}
else {
$data[$index['agent_name']] .= ui_print_agent_name ($id_agent, true, 20, $styleDisabled);
}
}
elseif ($agent == 0) {
$data[$index['module_name']] .= ui_print_truncate_text(modules_get_agentmodule_name ($alert["id_agent_module"]), 30, false, true, true, '[…]', 'font-size: 7.2pt');
}
else {
if ($agent_style !== false) {
$data[$index['agent_name']] .= ui_print_agent_name (modules_get_agentmodule_agent ($alert["id_agent_module"]), true, 20, $styleDisabled . " $agent_style");
}
else {
$data[$index['agent_name']] .= ui_print_agent_name (modules_get_agentmodule_agent ($alert["id_agent_module"]), true, 20, $styleDisabled);
}
$data[$index['module_name']] = ui_print_truncate_text (modules_get_agentmodule_name ($alert["id_agent_module"]), 30, false, true, true, '[…]', 'font-size: 7.2pt');
}
$data[$index['agent_name']] .= $disabledHtmlEnd;
$data[$index['description']] = '';
if (! $compound) {
$data[$index['template']] .= '';
$data[$index['template']] .= html_print_image ('images/zoom.png', true);
$data[$index['template']] .= ' ';
$actionDefault = db_get_value_sql("SELECT id_alert_action
FROM talert_templates WHERE id = " . $alert['id_alert_template']);
}
else {
$actionDefault = db_get_value_sql("SELECT id_alert_action FROM talert_compound_actions WHERE id_alert_compound = " . $alert['id']);
}
$data[$index['description']] .= $disabledHtmlStart . ui_print_truncate_text (io_safe_input ($description), 35, false, true, true, '[…]', 'font-size: 7.1pt') . $disabledHtmlEnd;
$actions = alerts_get_alert_agent_module_actions ($alert['id'], false, $compound);
if (!empty($actions)) {
$actionText = '
';
foreach ($actions as $action) {
$actionText .= '
';
}
else {
if ($actionDefault != "")
$actionText = db_get_sql ("SELECT name FROM talert_actions WHERE id = $actionDefault"). " (".__("Default") . ")";
}
$data[$index['action']] = $actionText;
$data[$index['last_fired']] = $disabledHtmlStart . ui_print_timestamp ($alert["last_fired"], true) . $disabledHtmlEnd;
$status = STATUS_ALERT_NOT_FIRED;
$title = "";
if ($alert["times_fired"] > 0) {
$status = STATUS_ALERT_FIRED;
$title = __('Alert fired').' '.$alert["times_fired"].' '.__('times');
} elseif ($alert["disabled"] > 0) {
$status = STATUS_ALERT_DISABLED;
$title = __('Alert disabled');
} else {
$status = STATUS_ALERT_NOT_FIRED;
$title = __('Alert not fired');
}
$data[$index['status']] = ui_print_status_image($status, $title, true);
if (check_acl ($config["id_user"], $id_group, "LW") == 1) {
if ($compound) {
$data[$index['validate']] = html_print_checkbox ("validate_compound[]", $alert["id"], false, true);
}
else {
$data[$index['validate']] = html_print_checkbox ("validate[]", $alert["id"], false, true);
}
}
return $data;
}
/**
* Prints a substracted string, length specified by cutoff, the full string will be in a rollover.
*
* @param string The string to be cut
* @param int At how much characters to cut
* @param bool Whether to return or print it out
* @param int Size font (fixed) in px, applyed as CSS style (optional)
*
* @return An HTML string
*/
function ui_print_string_substr ($string, $cutoff = 16, $return = false, $fontsize = 0) {
if (empty ($string)) {
return "";
}
$string2 = io_safe_output ($string);
if (mb_strlen($string2, "UTF-8") > $cutoff){
$string3 = "...";
} else {
$string3 = "";
}
$font_size_mod = "";
if ($fontsize > 0){
$font_size_mod = "style='font-size: ".$fontsize."px'";
}
$string = ''.mb_substr ($string2, 0, $cutoff, "UTF-8").$string3.'';
if ($return === false) {
echo $string;
}
return $string;
}
/**
* Gets a helper text explaining the requirement needs for an alert template
* to get it fired.
*
* @param int Alert template id.
* @param bool Wheter to return or print it out.
* @param bool Wheter to put the values in the string or not.
*
* @return An HTML string if return was true.
*/
function ui_print_alert_template_example ($id_alert_template, $return = false, $print_values = true) {
$output = '';
$output .= html_print_image("images/information.png", true);
$output .= '';
$template = alerts_get_alert_template ($id_alert_template);
switch ($template['type']) {
case 'equal':
/* Do not translate the HTML attributes */
$output .= __('The alert would fire when the value is ');
break;
case 'not_equal':
/* Do not translate the HTML attributes */
$output .= __('The alert would fire when the value is not ');
break;
case 'regex':
if ($template['matches_value'])
/* Do not translate the HTML attributes */
$output .= __('The alert would fire when the value matches ');
else
/* Do not translate the HTML attributes */
$output .= __('The alert would fire when the value doesn\'t match ');
$value = $template['value'];
break;
case 'max_min':
if ($template['matches_value'])
/* Do not translate the HTML attributes */
$output .= __('The alert would fire when the value is between and ');
else
/* Do not translate the HTML attributes */
$output .= __('The alert would fire when the value is not between and ');
break;
case 'max':
/* Do not translate the HTML attributes */
$output .= __('The alert would fire when the value is over ');
break;
case 'min':
/* Do not translate the HTML attributes */
$output .= __('The alert would fire when the value is under ');
break;
case 'warning':
/* Do not translate the HTML attributes */
$output .= __('The alert would fire when the module is in warning status');
break;
case 'critical':
/* Do not translate the HTML attributes */
$output .= __('The alert would fire when the module is in critical status');
break;
}
if ($print_values) {
/* Replace span elements with real values. This is done in such way to avoid
duplicating strings and make it easily modificable via Javascript. */
$output = str_replace ('', $template['value'], $output);
$output = str_replace ('', $template['max_value'], $output);
$output = str_replace ('', $template['min_value'], $output);
}
$output .= '';
if ($return)
return $output;
echo $output;
}
/**
* Prints a help tip icon.
*
* @param string Id of the help article
* @param bool Whether to return or output the result
*
* @return string The help tip
*/
function ui_print_help_icon ($help_id, $return = false) {
$output = ' '.html_print_image ("images/help.png", true,
array ("class" => "img_help",
"title" => __('Help'),
"onclick" => "open_help ('".$help_id."')"));
if (!$return)
echo $output;
return $output;
}
/**
* Add a CSS file to the HTML head tag.
*
* To make a CSS file available just put it in include/styles. The
* file name should be like "name.css". The "name" would be the value
* needed to pass to this function.
*
* @param string Script name to add without the "jquery." prefix and the ".js"
* suffix. Example:
*
* ui_require_css_file ('pandora');
* // Would include include/styles/pandora.js
*
*
* @return bool True if the file was added. False if the file doesn't exist.
*/
function ui_require_css_file ($name, $path = 'include/styles/') {
global $config;
$filename = $path.$name.'.css';
if (! isset ($config['css']))
$config['css'] = array ();
if (isset ($config['css'][$name]))
return true;
if (! file_exists ($filename) && ! file_exists ($config['homedir'].'/'.$filename))
return false;
$config['css'][$name] = $filename;
return true;
}
/**
* Add a javascript file to the HTML head tag.
*
* To make a javascript file available just put it in include/javascript. The
* file name should be like "name.js". The "name" would be the value
* needed to pass to this function.
*
* @param string Script name to add without the "jquery." prefix and the ".js"
* suffix. Example:
*
* ui_require_javascript_file ('pandora');
* // Would include include/javascript/pandora.js
*
*
* @return bool True if the file was added. False if the file doesn't exist.
*/
function ui_require_javascript_file ($name, $path = 'include/javascript/') {
global $config;
$filename = $path.$name.'.js';
if (! isset ($config['js']))
$config['js'] = array ();
if (isset ($config['js'][$name]))
return true;
/* We checks two paths because it may fails on enterprise */
if (! file_exists ($filename) && ! file_exists ($config['homedir'].'/'.$filename))
return false;
$config['js'][$name] = $filename;
return true;
}
/**
* Add a jQuery file to the HTML head tag.
*
* To make a jQuery script available just put it in include/javascript. The
* file name should be like "jquery.name.js". The "name" would be the value
* needed to pass to this function. Notice that this function does not manage
* jQuery denpendencies.
*
* @param string Script name to add without the "jquery." prefix and the ".js"
* suffix. Example:
*
* ui_require_jquery_file ('form');
* // Would include include/javascript/jquery.form.js
*
*
* @return bool True if the file was added. False if the file doesn't exist.
*/
function ui_require_jquery_file ($name, $path = 'include/javascript/') {
global $config;
$filename = $path.'jquery.'.$name.'.js';
if (! isset ($config['jquery']))
$config['jquery'] = array ();
if (isset ($config['jquery'][$name]))
return true;
/* We checks two paths because it may fails on enterprise */
if (! file_exists ($filename) && ! file_exists ($config['homedir'].'/'.$filename))
return false;
$config['jquery'][$name] = $filename;
return true;
}
/**
* Callback function to add stuff to the head. This allows us to add scripts
* to the header after the fact as well as extensive validation.
*
* DO NOT CALL print_f, echo, ob_start, ob_flush, ob_end functions here.
*
* To add css just put them in include/styles and then add them to the
* $config['css'] array
*
* @param string Callback will fill this with the current buffer.
* @param bitfield Callback will fill this with a bitfield (see ob_start)
*
* @return string String to return to the browser
*/
function ui_process_page_head ($string, $bitfield) {
global $config;
if (isset ($config['ignore_callback']) && $config['ignore_callback'] == true) {
return;
}
$output = '';
if ($config["refr"] > 0) {
$query = ui_get_url_refresh (false);
$output .= '';
}
$output .= "\n\t";
$output .= 'Pandora FMS - '.__('the Flexible Monitoring System').'
';
if ($config["language"] != "en") {
//Load translated strings - load them last so they overload all the objects
ui_require_javascript_file ("time_".$config["language"]);
ui_require_javascript_file ("date".$config["language"]);
ui_require_javascript_file ("countdown_".$config["language"]);
}
$output .= "\n\t";
//Load CSS
if (empty ($config['css'])) {
$config['css'] = array ();
}
$exists_css = false;
//First, if user has assigned a skin then try to use css files of skin subdirectory
$isFunctionSkins = enterprise_include_once ('include/functions_skins.php');
if ($isFunctionSkins !== ENTERPRISE_NOT_HOOK) {
//Checks if user's skin is available
$exists_skin = enterprise_hook('skins_is_path_set');
if ($exists_skin){
$skin_path = enterprise_hook('skins_get_skin_path');
$skin_styles = themes_get_css ($skin_path . 'include/styles/');
$exists_css = !empty($skin_styles);
}
}
//If skin's css files exists then add them
if ($exists_css){
foreach ($skin_styles as $filename => $name){
$style = substr ($filename, 0, strlen ($filename) - 4);
$config['css'][$style] = $skin_path . 'include/styles/' . $filename;
}
}
//Otherwise assign default and user's css
else{
//User style should go last so it can rewrite common styles
$config['css'] = array_merge (array (
"common" => "include/styles/common.css",
"menu" => "include/styles/menu.css",
"tip", "include/styles/tip.css",
$config['style'] => "include/styles/".$config['style'].".css"), $config['css']);
}
//We can't load empty and we loaded (conditionally) ie
$loaded = array ('', 'ie');
foreach ($config['css'] as $name => $filename) {
if (in_array ($name, $loaded))
continue;
array_push ($loaded, $name);
if (!empty ($config["compact_header"])) {
$output .= '';
} else {
$output .= ''."\n\t";
}
}
//End load CSS
//Load JS
if (empty ($config['js'])) {
$config['js'] = array (); //If it's empty, false or not init set array to empty just in case
}
//Pandora specific JavaScript should go first
$config['js'] = array_merge (array ("pandora" => "include/javascript/pandora.js"), $config['js']);
//Load other javascript
//We can't load empty
$loaded = array ('');
foreach ($config['js'] as $name => $filename) {
if (in_array ($name, $loaded))
continue;
array_push ($loaded, $name);
if (!empty ($config["compact_header"])) {
$output .= '';
} else {
$output .= ''."\n\t";
}
}
//End load JS
//Load jQuery
if (empty ($config['jquery'])) {
$config['jquery'] = array (); //If it's empty, false or not init set array to empty just in case
}
//Pandora specific jquery should go first
$config['jquery'] = array_merge (array ("jquery" => "include/javascript/jquery.js",
"pandora" => "include/javascript/jquery.pandora.js"),
$config['jquery']);
//Then add each script as necessary
$loaded = array ('');
foreach ($config['jquery'] as $name => $filename) {
if (in_array ($name, $loaded))
continue;
array_push ($loaded, $name);
if (!empty ($config["compact_header"])) {
$output .= '';
} else {
$output .= ''."\n\t";
}
}
$output .= '';
$output .= $string;
if (!empty ($config["compact_header"])) {
$output = str_replace(array("\r\n", "\r", "\n", "\t", ' ', ' ', ' '), '', $output);
}
return $output;
}
/**
* Callback function to add stuff to the body
*
* @param string Callback will fill this with the current buffer.
* @param bitfield Callback will fill this with a bitfield (see ob_start)
*
* @return string String to return to the browser
*/
function ui_process_page_body ($string, $bitfield) {
global $config;
if (isset ($config['ignore_callback']) && $config['ignore_callback'] == true) {
return;
}
// Show custom background
$output = '';
if (!empty ($config["compact_header"])) {
require_once ($config["homedir"]."/include/htmlawed.php");
$htmLawedconfig = array ("valid_xhtml" => 1, "tidy" => -1);
$output .= htmLawed ($string, $htmLawedconfig);
} else {
$output .= $string;
}
$output .= '';
return $output;
}
/**
* Prints a pagination menu to browse into a collection of data.
*
* @param int $count Number of elements in the collection.
* @param string $url URL of the pagination links. It must include all form
* values as GET form.
* @param int $offset Current offset for the pagination. Default value would be
* taken from $_REQUEST['offset']
* @param int $pagination Current pagination size. If a user requests a larger
* pagination than config["block_size"]
* @param bool $return Whether to return or print this
*
* @return string The pagination div or nothing if no pagination needs to be done
*/
function ui_pagination ($count, $url = false, $offset = 0, $pagination = 0, $return = false, $offset_name = 'offset') {
global $config;
if (empty ($pagination)) {
$pagination = (int) $config["block_size"];
}
if (is_string ($offset)) {
$offset_name = $offset;
$offset = (int) get_parameter ($offset_name);
}
if (empty ($offset)) {
$offset = (int) get_parameter ($offset_name);
}
if (empty ($url)) {
$url = ui_get_url_refresh (array ($offset_name => false));
}
/* URL passed render links with some parameter
&offset - Offset records passed to next page
&counter - Number of items to be blocked
Pagination needs $url to build the base URL to render links, its a base url, like
" http://pandora/index.php?sec=godmode&sec2=godmode/admin_access_logs "
*/
$block_limit = 15; // Visualize only $block_limit blocks
if ($count <= $pagination) {
return false;
}
// If exists more registers than I can put in a page, calculate index markers
$index_counter = ceil ($count /$pagination); // Number of blocks of block_size with data
$index_page = ceil ($offset / $pagination) - (ceil ($block_limit / 2)); // block to begin to show data;
if ($index_page < 0)
$index_page = 0;
// This calculate index_limit, block limit for this search.
if (($index_page + $block_limit) > $index_counter)
$index_limit = $index_counter;
else
$index_limit = $index_page + $block_limit;
// This calculate if there are more blocks than visible (more than $block_limit blocks)
if ($index_counter > $block_limit )
$paginacion_maxima = 1; // If maximum blocks ($block_limit), show only 10 and "...."
else
$paginacion_maxima = 0;
// This setup first block of query
if ( $paginacion_maxima == 1)
if ($index_page == 0)
$inicio_pag = 0;
else
$inicio_pag = $index_page;
else
$inicio_pag = 0;
$output = '
';
// Show GOTO FIRST button
$output .= ''.html_print_image ("images/go_first.png", true, array ("class" => "bot")).' ';
// Show PREVIOUS button
if ($index_page > 0) {
$index_page_prev = ($index_page - (floor ($block_limit / 2))) * $pagination;
if ($index_page_prev < 0)
$index_page_prev = 0;
$output .= ''.html_print_image ("images/go_previous.png", true, array ("class" => "bot")).'';
}
$output .= " ";
// Draw blocks markers
// $i stores number of page
for ($i = $inicio_pag; $i < $index_limit; $i++) {
$inicio_bloque = ($i * $pagination);
$final_bloque = $inicio_bloque + $pagination;
if ($final_bloque > $count){ // if upper limit is beyond max, this shouldnt be possible !
$final_bloque = ($i-1) * $pagination + $count-(($i-1) * $pagination);
}
$output .= "";
$inicio_bloque_fake = $inicio_bloque + 1;
// To Calculate last block (doesnt end with round data,
// it must be shown if not round to block limit)
$output .= '';
if ($inicio_bloque == $offset) {
$output .= "[ $i ]";
} else {
$output .= "[ $i ]";
}
$output .= '';
}
$output .= " ";
// Show NEXT PAGE (fast forward)
// Index_counter stores max of blocks
if (($paginacion_maxima == 1) AND (($index_counter - $i) > 0)) {
$prox_bloque = ($i + ceil ($block_limit / 2)) * $pagination;
if ($prox_bloque > $count)
$prox_bloque = ($count -1) - $pagination;
$output .= ''.html_print_image ("images/go_next.png", true, array ("class" => "bot")).'';
$i = $index_counter;
}
// if exists more registers than i can put in a page (defined by $block_size config parameter)
// get offset for index calculation
// Draw "last" block link, ajust for last block will be the same
// as painted in last block (last integer block).
if (($count - $pagination) > 0) {
$myoffset = floor (($count - 1) / $pagination) * $pagination;
$output .= ''.html_print_image ("images/go_last.png", true, array ("class" => "bot")).'';
}
// End div and layout
$output .= "
";
if ($return === false)
echo $output;
return $output;
}
/**
* Prints only a tip button which shows a text when the user puts the mouse over it.
*
* @param string Complete text to show in the tip
* @param bool whether to return an output string or echo now
* @param img displayed image
*
* @return string HTML code if return parameter is true.
*/
function ui_print_help_tip ($text, $return = false, $img = 'images/tip.png') {
$output = '' . html_print_image ($img, true) . ''.$text.'';
if ($return)
return $output;
echo $output;
}
/**
* Powerful debug function that also shows a backtrace.
*
* This functions need to have active $config['debug'] variable to work.
*
* @param mixed Variable name to debug
* @param bool Wheter to print the backtrace or not.
*
* @return bool Tru if the debug was actived. False if not.
*/
function ui_debug ($var, $backtrace = true) {
global $config;
if (! isset ($config['debug']))
return false;
static $id = 0;
static $trace_id = 0;
$id++;
if ($backtrace) {
echo '
';
echo '';
$traces = debug_backtrace ();
/* Ignore debug function */
unset ($traces[0]);
foreach ($traces as $trace) {
$trace_id++;
/* Many classes are used to allow better customization.
Please, do not remove them */
echo '
';
foreach ($options as $key => $option) {
if ($key === 'separator') {
$buffer .= '
';
$buffer .= '
';
}
else {
if (is_array($option)) {
$class = 'nomn';
if ($option['active']) {
$class = 'nomn_high';
}
$buffer .= '
';
$buffer .= $option['text'];
$buffer .= '
';
}
else {
$buffer .= '
';
$buffer .= $option;
$buffer .= '
';
}
}
}
$buffer .= '
';
}
else {
if ($options != ""){
$buffer .= '
';
$buffer .= $options;
$buffer .= '
';
}
}
$buffer .= '
'; //
';
if (!$return)
echo $buffer;
return $buffer;
}
/**
* Add a help link to show help in a popup window.
*
*
* @param string $help_id Help id to be shown when clicking.
* @param bool $return Whether to print this (false) or return (true)
*
* @return string Link with the popup.
*/
function ui_popup_help ($help_id, $return = false) {
$output = " [H]";
if ($return)
return $output;
echo $output;
}
?>