code stringlengths 1 2.01M | repo_name stringlengths 3 62 | path stringlengths 1 267 | language stringclasses 231
values | license stringclasses 13
values | size int64 1 2.01M |
|---|---|---|---|---|---|
<?php
/**
* Smarty Internal Plugin Compile Function Plugin
*
* Compiles code for the execution of function plugin
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Function Plugin Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Private_Function_Plugin extends Smarty_Internal_CompileBase {
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $required_attributes = array();
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $optional_attributes = array('_any');
/**
* Compiles code for the execution of function plugin
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @param string $tag name of function plugin
* @param string $function PHP function name
* @return string compiled code
*/
public function compile($args, $compiler, $parameter, $tag, $function)
{
// This tag does create output
$compiler->has_output = true;
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
if ($_attr['nocache'] === true) {
$compiler->tag_nocache = true;
}
unset($_attr['nocache']);
// convert attributes into parameter array string
$_paramsArray = array();
foreach ($_attr as $_key => $_value) {
if (is_int($_key)) {
$_paramsArray[] = "$_key=>$_value";
} else {
$_paramsArray[] = "'$_key'=>$_value";
}
}
$_params = 'array(' . implode(",", $_paramsArray) . ')';
// compile code
$output = "<?php echo {$function}({$_params},\$_smarty_tpl);?>\n";
return $output;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_private_function_plugin.php | PHP | asf20 | 2,112 |
<?php
/**
* Smarty Internal Plugin CacheResource File
*
* @package Smarty
* @subpackage Cacher
* @author Uwe Tews
* @author Rodney Rehm
*/
/**
* This class does contain all necessary methods for the HTML cache on file system
*
* Implements the file system as resource for the HTML cache Version ussing nocache inserts.
*
* @package Smarty
* @subpackage Cacher
*/
class Smarty_Internal_CacheResource_File extends Smarty_CacheResource {
/**
* populate Cached Object with meta data from Resource
*
* @param Smarty_Template_Cached $cached cached object
* @param Smarty_Internal_Template $_template template object
* @return void
*/
public function populate(Smarty_Template_Cached $cached, Smarty_Internal_Template $_template)
{
$_source_file_path = str_replace(':', '.', $_template->source->filepath);
$_cache_id = isset($_template->cache_id) ? preg_replace('![^\w\|]+!', '_', $_template->cache_id) : null;
$_compile_id = isset($_template->compile_id) ? preg_replace('![^\w\|]+!', '_', $_template->compile_id) : null;
$_filepath = $_template->source->uid;
// if use_sub_dirs, break file into directories
if ($_template->smarty->use_sub_dirs) {
$_filepath = substr($_filepath, 0, 2) . DS
. substr($_filepath, 2, 2) . DS
. substr($_filepath, 4, 2) . DS
. $_filepath;
}
$_compile_dir_sep = $_template->smarty->use_sub_dirs ? DS : '^';
if (isset($_cache_id)) {
$_cache_id = str_replace('|', $_compile_dir_sep, $_cache_id) . $_compile_dir_sep;
} else {
$_cache_id = '';
}
if (isset($_compile_id)) {
$_compile_id = $_compile_id . $_compile_dir_sep;
} else {
$_compile_id = '';
}
$_cache_dir = $_template->smarty->getCacheDir();
if ($_template->smarty->cache_locking) {
// create locking file name
// relative file name?
if (!preg_match('/^([\/\\\\]|[a-zA-Z]:[\/\\\\])/', $_cache_dir)) {
$_lock_dir = rtrim(getcwd(), '/\\') . DS . $_cache_dir;
} else {
$_lock_dir = $_cache_dir;
}
$cached->lock_id = $_lock_dir.sha1($_cache_id.$_compile_id.$_template->source->uid).'.lock';
}
$cached->filepath = $_cache_dir . $_cache_id . $_compile_id . $_filepath . '.' . basename($_source_file_path) . '.php';
$cached->timestamp = @filemtime($cached->filepath);
$cached->exists = !!$cached->timestamp;
}
/**
* populate Cached Object with timestamp and exists from Resource
*
* @param Smarty_Template_Cached $cached cached object
* @return void
*/
public function populateTimestamp(Smarty_Template_Cached $cached)
{
$cached->timestamp = @filemtime($cached->filepath);
$cached->exists = !!$cached->timestamp;
}
/**
* Read the cached template and process its header
*
* @param Smarty_Internal_Template $_template template object
* @param Smarty_Template_Cached $cached cached object
* @return booelan true or false if the cached content does not exist
*/
public function process(Smarty_Internal_Template $_template, Smarty_Template_Cached $cached=null)
{
$_smarty_tpl = $_template;
return @include $_template->cached->filepath;
}
/**
* Write the rendered template output to cache
*
* @param Smarty_Internal_Template $_template template object
* @param string $content content to cache
* @return boolean success
*/
public function writeCachedContent(Smarty_Internal_Template $_template, $content)
{
if (Smarty_Internal_Write_File::writeFile($_template->cached->filepath, $content, $_template->smarty) === true) {
$_template->cached->timestamp = filemtime($_template->cached->filepath);
$_template->cached->exists = !!$_template->cached->timestamp;
return true;
}
return false;
}
/**
* Empty cache
*
* @param Smarty_Internal_Template $_template template object
* @param integer $exp_time expiration time (number of seconds, not timestamp)
* @return integer number of cache files deleted
*/
public function clearAll(Smarty $smarty, $exp_time = null)
{
return $this->clear($smarty, null, null, null, $exp_time);
}
/**
* Empty cache for a specific template
*
* @param Smarty $_template template object
* @param string $resource_name template name
* @param string $cache_id cache id
* @param string $compile_id compile id
* @param integer $exp_time expiration time (number of seconds, not timestamp)
* @return integer number of cache files deleted
*/
public function clear(Smarty $smarty, $resource_name, $cache_id, $compile_id, $exp_time)
{
$_cache_id = isset($cache_id) ? preg_replace('![^\w\|]+!', '_', $cache_id) : null;
$_compile_id = isset($compile_id) ? preg_replace('![^\w\|]+!', '_', $compile_id) : null;
$_dir_sep = $smarty->use_sub_dirs ? '/' : '^';
$_compile_id_offset = $smarty->use_sub_dirs ? 3 : 0;
$_dir = $smarty->getCacheDir();
$_dir_length = strlen($_dir);
if (isset($_cache_id)) {
$_cache_id_parts = explode('|', $_cache_id);
$_cache_id_parts_count = count($_cache_id_parts);
if ($smarty->use_sub_dirs) {
foreach ($_cache_id_parts as $id_part) {
$_dir .= $id_part . DS;
}
}
}
if (isset($resource_name)) {
$_save_stat = $smarty->caching;
$smarty->caching = true;
$tpl = new $smarty->template_class($resource_name, $smarty);
$smarty->caching = $_save_stat;
// remove from template cache
$tpl->source; // have the template registered before unset()
if ($smarty->allow_ambiguous_resources) {
$_templateId = $tpl->source->unique_resource . $tpl->cache_id . $tpl->compile_id;
} else {
$_templateId = $smarty->joined_template_dir . '#' . $resource_name . $tpl->cache_id . $tpl->compile_id;
}
if (isset($_templateId[150])) {
$_templateId = sha1($_templateId);
}
unset($smarty->template_objects[$_templateId]);
if ($tpl->source->exists) {
$_resourcename_parts = basename(str_replace('^', '/', $tpl->cached->filepath));
} else {
return 0;
}
}
$_count = 0;
$_time = time();
if (file_exists($_dir)) {
$_cacheDirs = new RecursiveDirectoryIterator($_dir);
$_cache = new RecursiveIteratorIterator($_cacheDirs, RecursiveIteratorIterator::CHILD_FIRST);
foreach ($_cache as $_file) {
if (substr($_file->getBasename(),0,1) == '.' || strpos($_file, '.svn') !== false) continue;
// directory ?
if ($_file->isDir()) {
if (!$_cache->isDot()) {
// delete folder if empty
@rmdir($_file->getPathname());
}
} else {
$_parts = explode($_dir_sep, str_replace('\\', '/', substr((string)$_file, $_dir_length)));
$_parts_count = count($_parts);
// check name
if (isset($resource_name)) {
if ($_parts[$_parts_count-1] != $_resourcename_parts) {
continue;
}
}
// check compile id
if (isset($_compile_id) && (!isset($_parts[$_parts_count-2 - $_compile_id_offset]) || $_parts[$_parts_count-2 - $_compile_id_offset] != $_compile_id)) {
continue;
}
// check cache id
if (isset($_cache_id)) {
// count of cache id parts
$_parts_count = (isset($_compile_id)) ? $_parts_count - 2 - $_compile_id_offset : $_parts_count - 1 - $_compile_id_offset;
if ($_parts_count < $_cache_id_parts_count) {
continue;
}
for ($i = 0; $i < $_cache_id_parts_count; $i++) {
if ($_parts[$i] != $_cache_id_parts[$i]) continue 2;
}
}
// expired ?
if (isset($exp_time) && $_time - @filemtime($_file) < $exp_time) {
continue;
}
$_count += @unlink((string) $_file) ? 1 : 0;
}
}
}
return $_count;
}
/**
* Check is cache is locked for this template
*
* @param Smarty $smarty Smarty object
* @param Smarty_Template_Cached $cached cached object
* @return booelan true or false if cache is locked
*/
public function hasLock(Smarty $smarty, Smarty_Template_Cached $cached)
{
if (version_compare(PHP_VERSION, '5.3.0', '>=')) {
clearstatcache(true, $cached->lock_id);
} else {
clearstatcache();
}
$t = @filemtime($cached->lock_id);
return $t && (time() - $t < $smarty->locking_timeout);
}
/**
* Lock cache for this template
*
* @param Smarty $smarty Smarty object
* @param Smarty_Template_Cached $cached cached object
*/
public function acquireLock(Smarty $smarty, Smarty_Template_Cached $cached)
{
$cached->is_locked = true;
touch($cached->lock_id);
}
/**
* Unlock cache for this template
*
* @param Smarty $smarty Smarty object
* @param Smarty_Template_Cached $cached cached object
*/
public function releaseLock(Smarty $smarty, Smarty_Template_Cached $cached)
{
$cached->is_locked = false;
@unlink($cached->lock_id);
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_cacheresource_file.php | PHP | asf20 | 10,591 |
<?php
/**
* Smarty Internal Plugin Filter Handler
*
* Smarty filter handler class
*
* @package Smarty
* @subpackage PluginsInternal
* @author Uwe Tews
*/
/**
* Class for filter processing
*
* @package Smarty
* @subpackage PluginsInternal
*/
class Smarty_Internal_Filter_Handler {
/**
* Run filters over content
*
* The filters will be lazy loaded if required
* class name format: Smarty_FilterType_FilterName
* plugin filename format: filtertype.filtername.php
* Smarty2 filter plugins could be used
*
* @param string $type the type of filter ('pre','post','output') which shall run
* @param string $content the content which shall be processed by the filters
* @param Smarty_Internal_Template $template template object
* @return string the filtered content
*/
public static function runFilter($type, $content, Smarty_Internal_Template $template)
{
$output = $content;
// loop over autoload filters of specified type
if (!empty($template->smarty->autoload_filters[$type])) {
foreach ((array)$template->smarty->autoload_filters[$type] as $name) {
$plugin_name = "Smarty_{$type}filter_{$name}";
if ($template->smarty->loadPlugin($plugin_name)) {
if (function_exists($plugin_name)) {
// use loaded Smarty2 style plugin
$output = $plugin_name($output, $template);
} elseif (class_exists($plugin_name, false)) {
// loaded class of filter plugin
$output = call_user_func(array($plugin_name, 'execute'), $output, $template);
}
} else {
// nothing found, throw exception
throw new SmartyException("Unable to load filter {$plugin_name}");
}
}
}
// loop over registerd filters of specified type
if (!empty($template->smarty->registered_filters[$type])) {
foreach ($template->smarty->registered_filters[$type] as $key => $name) {
if (is_array($template->smarty->registered_filters[$type][$key])) {
$output = call_user_func($template->smarty->registered_filters[$type][$key], $output, $template);
} else {
$output = $template->smarty->registered_filters[$type][$key]($output, $template);
}
}
}
// return filtered output
return $output;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_filter_handler.php | PHP | asf20 | 2,701 |
<?php
/**
* Smarty Internal Plugin Compile Object Funtion
*
* Compiles code for registered objects as function
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Object Function Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Private_Object_Function extends Smarty_Internal_CompileBase {
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $optional_attributes = array('_any');
/**
* Compiles code for the execution of function plugin
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @param string $tag name of function
* @param string $method name of method to call
* @return string compiled code
*/
public function compile($args, $compiler, $parameter, $tag, $method)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
if ($_attr['nocache'] === true) {
$compiler->tag_nocache = true;
}
unset($_attr['nocache']);
$_assign = null;
if (isset($_attr['assign'])) {
$_assign = $_attr['assign'];
unset($_attr['assign']);
}
// convert attributes into parameter array string
if ($compiler->smarty->registered_objects[$tag][2]) {
$_paramsArray = array();
foreach ($_attr as $_key => $_value) {
if (is_int($_key)) {
$_paramsArray[] = "$_key=>$_value";
} else {
$_paramsArray[] = "'$_key'=>$_value";
}
}
$_params = 'array(' . implode(",", $_paramsArray) . ')';
$return = "\$_smarty_tpl->smarty->registered_objects['{$tag}'][0]->{$method}({$_params},\$_smarty_tpl)";
} else {
$_params = implode(",", $_attr);
$return = "\$_smarty_tpl->smarty->registered_objects['{$tag}'][0]->{$method}({$_params})";
}
if (empty($_assign)) {
// This tag does create output
$compiler->has_output = true;
$output = "<?php echo {$return};?>\n";
} else {
$output = "<?php \$_smarty_tpl->assign({$_assign},{$return});?>\n";
}
return $output;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_private_object_function.php | PHP | asf20 | 2,589 |
<?php
/**
* Smarty Internal Plugin Resource String
*
* @package Smarty
* @subpackage TemplateResources
* @author Uwe Tews
* @author Rodney Rehm
*/
/**
* Smarty Internal Plugin Resource String
*
* Implements the strings as resource for Smarty template
*
* {@internal unlike eval-resources the compiled state of string-resources is saved for subsequent access}}
*
* @package Smarty
* @subpackage TemplateResources
*/
class Smarty_Internal_Resource_String extends Smarty_Resource {
/**
* populate Source Object with meta data from Resource
*
* @param Smarty_Template_Source $source source object
* @param Smarty_Internal_Template $_template template object
* @return void
*/
public function populate(Smarty_Template_Source $source, Smarty_Internal_Template $_template=null)
{
$source->uid = $source->filepath = sha1($source->name);
$source->timestamp = 0;
$source->exists = true;
}
/**
* Load template's source from $resource_name into current template object
*
* @uses decode() to decode base64 and urlencoded template_resources
* @param Smarty_Template_Source $source source object
* @return string template source
*/
public function getContent(Smarty_Template_Source $source)
{
return $this->decode($source->name);
}
/**
* decode base64 and urlencode
*
* @param string $string template_resource to decode
* @return string decoded template_resource
*/
protected function decode($string)
{
// decode if specified
if (($pos = strpos($string, ':')) !== false) {
if (!strncmp($string, 'base64', 6)) {
return base64_decode(substr($string, 7));
} elseif (!strncmp($string, 'urlencode', 9)) {
return urldecode(substr($string, 10));
}
}
return $string;
}
/**
* modify resource_name according to resource handlers specifications
*
* @param Smarty $smarty Smarty instance
* @param string $resource_name resource_name to make unique
* @return string unique resource name
*/
protected function buildUniqueResourceName(Smarty $smarty, $resource_name)
{
return get_class($this) . '#' .$this->decode($resource_name);
}
/**
* Determine basename for compiled filename
*
* Always returns an empty string.
*
* @param Smarty_Template_Source $source source object
* @return string resource's basename
*/
protected function getBasename(Smarty_Template_Source $source)
{
return '';
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_resource_string.php | PHP | asf20 | 2,790 |
<?php
/**
* Smarty Internal Plugin Compile Registered Function
*
* Compiles code for the execution of a registered function
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Registered Function Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Private_Registered_Function extends Smarty_Internal_CompileBase {
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $optional_attributes = array('_any');
/**
* Compiles code for the execution of a registered function
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @param string $tag name of function
* @return string compiled code
*/
public function compile($args, $compiler, $parameter, $tag)
{
// This tag does create output
$compiler->has_output = true;
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
if ($_attr['nocache']) {
$compiler->tag_nocache = true;
}
unset($_attr['nocache']);
if (isset($compiler->smarty->registered_plugins[Smarty::PLUGIN_FUNCTION][$tag])) {
$tag_info = $compiler->smarty->registered_plugins[Smarty::PLUGIN_FUNCTION][$tag];
} else {
$tag_info = $compiler->default_handler_plugins[Smarty::PLUGIN_FUNCTION][$tag];
}
// not cachable?
$compiler->tag_nocache = $compiler->tag_nocache || !$tag_info[1];
// convert attributes into parameter array string
$_paramsArray = array();
foreach ($_attr as $_key => $_value) {
if (is_int($_key)) {
$_paramsArray[] = "$_key=>$_value";
} elseif ($compiler->template->caching && in_array($_key,$tag_info[2])) {
$_value = str_replace("'","^#^",$_value);
$_paramsArray[] = "'$_key'=>^#^.var_export($_value,true).^#^";
} else {
$_paramsArray[] = "'$_key'=>$_value";
}
}
$_params = 'array(' . implode(",", $_paramsArray) . ')';
$function = $tag_info[0];
// compile code
if (!is_array($function)) {
$output = "<?php echo {$function}({$_params},\$_smarty_tpl);?>\n";
} else if (is_object($function[0])) {
$output = "<?php echo \$_smarty_tpl->smarty->registered_plugins[Smarty::PLUGIN_FUNCTION]['{$tag}'][0][0]->{$function[1]}({$_params},\$_smarty_tpl);?>\n";
} else {
$output = "<?php echo {$function[0]}::{$function[1]}({$_params},\$_smarty_tpl);?>\n";
}
return $output;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_private_registered_function.php | PHP | asf20 | 2,977 |
<?php
/**
* Smarty Internal Plugin Compile Print Expression
*
* Compiles any tag which will output an expression or variable
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Print Expression Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Private_Print_Expression extends Smarty_Internal_CompileBase {
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $optional_attributes = array('assign');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $option_flags = array('nocache', 'nofilter');
/**
* Compiles code for gererting output from any expression
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
// nocache option
if ($_attr['nocache'] === true) {
$compiler->tag_nocache = true;
}
// filter handling
if ($_attr['nofilter'] === true) {
$_filter = 'false';
} else {
$_filter = 'true';
}
if (isset($_attr['assign'])) {
// assign output to variable
$output = "<?php \$_smarty_tpl->assign({$_attr['assign']},{$parameter['value']});?>";
} else {
// display value
$output = $parameter['value'];
// tag modifier
if (!empty($parameter['modifierlist'])) {
$output = $compiler->compileTag('private_modifier', array(), array('modifierlist' => $parameter['modifierlist'], 'value' => $output));
}
if (!$_attr['nofilter']) {
// default modifier
if (!empty($compiler->smarty->default_modifiers)) {
if (empty($compiler->default_modifier_list)) {
$modifierlist = array();
foreach ($compiler->smarty->default_modifiers as $key => $single_default_modifier) {
preg_match_all('/(\'[^\'\\\\]*(?:\\\\.[^\'\\\\]*)*\'|"[^"\\\\]*(?:\\\\.[^"\\\\]*)*"|:|[^:]+)/', $single_default_modifier, $mod_array);
for ($i = 0, $count = count($mod_array[0]);$i < $count;$i++) {
if ($mod_array[0][$i] != ':') {
$modifierlist[$key][] = $mod_array[0][$i];
}
}
}
$compiler->default_modifier_list = $modifierlist;
}
$output = $compiler->compileTag('private_modifier', array(), array('modifierlist' => $compiler->default_modifier_list, 'value' => $output));
}
// autoescape html
if ($compiler->template->smarty->escape_html) {
$output = "htmlspecialchars({$output}, ENT_QUOTES, '" . addslashes(Smarty::$_CHARSET) . "')";
}
// loop over registerd filters
if (!empty($compiler->template->smarty->registered_filters[Smarty::FILTER_VARIABLE])) {
foreach ($compiler->template->smarty->registered_filters[Smarty::FILTER_VARIABLE] as $key => $function) {
if (!is_array($function)) {
$output = "{$function}({$output},\$_smarty_tpl)";
} else if (is_object($function[0])) {
$output = "\$_smarty_tpl->smarty->registered_filters[Smarty::FILTER_VARIABLE][{$key}][0]->{$function[1]}({$output},\$_smarty_tpl)";
} else {
$output = "{$function[0]}::{$function[1]}({$output},\$_smarty_tpl)";
}
}
}
// auto loaded filters
if (isset($compiler->smarty->autoload_filters[Smarty::FILTER_VARIABLE])) {
foreach ((array)$compiler->template->smarty->autoload_filters[Smarty::FILTER_VARIABLE] as $name) {
$result = $this->compile_output_filter($compiler, $name, $output);
if ($result !== false) {
$output = $result;
} else {
// not found, throw exception
throw new SmartyException("Unable to load filter '{$name}'");
}
}
}
if (isset($compiler->template->variable_filters)) {
foreach ($compiler->template->variable_filters as $filter) {
if (count($filter) == 1 && ($result = $this->compile_output_filter($compiler, $filter[0], $output)) !== false) {
$output = $result;
} else {
$output = $compiler->compileTag('private_modifier', array(), array('modifierlist' => array($filter), 'value' => $output));
}
}
}
}
$compiler->has_output = true;
$output = "<?php echo {$output};?>";
}
return $output;
}
/**
* @param object $compiler compiler object
* @param string $name name of variable filter
* @param type $output embedded output
* @return string
*/
private function compile_output_filter($compiler, $name, $output)
{
$plugin_name = "smarty_variablefilter_{$name}";
$path = $compiler->smarty->loadPlugin($plugin_name, false);
if ($path) {
if ($compiler->template->caching) {
$compiler->template->required_plugins['nocache'][$name][Smarty::FILTER_VARIABLE]['file'] = $path;
$compiler->template->required_plugins['nocache'][$name][Smarty::FILTER_VARIABLE]['function'] = $plugin_name;
} else {
$compiler->template->required_plugins['compiled'][$name][Smarty::FILTER_VARIABLE]['file'] = $path;
$compiler->template->required_plugins['compiled'][$name][Smarty::FILTER_VARIABLE]['function'] = $plugin_name;
}
} else {
// not found
return false;
}
return "{$plugin_name}({$output},\$_smarty_tpl)";
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_private_print_expression.php | PHP | asf20 | 6,870 |
<?php
/**
* Smarty Internal Plugin Compile Section
*
* Compiles the {section} {sectionelse} {/section} tags
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Section Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Section extends Smarty_Internal_CompileBase {
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $required_attributes = array('name', 'loop');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $shorttag_order = array('name', 'loop');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $optional_attributes = array('start', 'step', 'max', 'show');
/**
* Compiles code for the {section} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @return string compiled code
*/
public function compile($args, $compiler)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
$this->openTag($compiler, 'section', array('section', $compiler->nocache));
// maybe nocache because of nocache variables
$compiler->nocache = $compiler->nocache | $compiler->tag_nocache;
$output = "<?php ";
$section_name = $_attr['name'];
$output .= "if (isset(\$_smarty_tpl->tpl_vars['smarty']->value['section'][$section_name])) unset(\$_smarty_tpl->tpl_vars['smarty']->value['section'][$section_name]);\n";
$section_props = "\$_smarty_tpl->tpl_vars['smarty']->value['section'][$section_name]";
foreach ($_attr as $attr_name => $attr_value) {
switch ($attr_name) {
case 'loop':
$output .= "{$section_props}['loop'] = is_array(\$_loop=$attr_value) ? count(\$_loop) : max(0, (int)\$_loop); unset(\$_loop);\n";
break;
case 'show':
if (is_bool($attr_value))
$show_attr_value = $attr_value ? 'true' : 'false';
else
$show_attr_value = "(bool)$attr_value";
$output .= "{$section_props}['show'] = $show_attr_value;\n";
break;
case 'name':
$output .= "{$section_props}['$attr_name'] = $attr_value;\n";
break;
case 'max':
case 'start':
$output .= "{$section_props}['$attr_name'] = (int)$attr_value;\n";
break;
case 'step':
$output .= "{$section_props}['$attr_name'] = ((int)$attr_value) == 0 ? 1 : (int)$attr_value;\n";
break;
}
}
if (!isset($_attr['show']))
$output .= "{$section_props}['show'] = true;\n";
if (!isset($_attr['loop']))
$output .= "{$section_props}['loop'] = 1;\n";
if (!isset($_attr['max']))
$output .= "{$section_props}['max'] = {$section_props}['loop'];\n";
else
$output .= "if ({$section_props}['max'] < 0)\n" . " {$section_props}['max'] = {$section_props}['loop'];\n";
if (!isset($_attr['step']))
$output .= "{$section_props}['step'] = 1;\n";
if (!isset($_attr['start']))
$output .= "{$section_props}['start'] = {$section_props}['step'] > 0 ? 0 : {$section_props}['loop']-1;\n";
else {
$output .= "if ({$section_props}['start'] < 0)\n" . " {$section_props}['start'] = max({$section_props}['step'] > 0 ? 0 : -1, {$section_props}['loop'] + {$section_props}['start']);\n" . "else\n" . " {$section_props}['start'] = min({$section_props}['start'], {$section_props}['step'] > 0 ? {$section_props}['loop'] : {$section_props}['loop']-1);\n";
}
$output .= "if ({$section_props}['show']) {\n";
if (!isset($_attr['start']) && !isset($_attr['step']) && !isset($_attr['max'])) {
$output .= " {$section_props}['total'] = {$section_props}['loop'];\n";
} else {
$output .= " {$section_props}['total'] = min(ceil(({$section_props}['step'] > 0 ? {$section_props}['loop'] - {$section_props}['start'] : {$section_props}['start']+1)/abs({$section_props}['step'])), {$section_props}['max']);\n";
}
$output .= " if ({$section_props}['total'] == 0)\n" . " {$section_props}['show'] = false;\n" . "} else\n" . " {$section_props}['total'] = 0;\n";
$output .= "if ({$section_props}['show']):\n";
$output .= "
for ({$section_props}['index'] = {$section_props}['start'], {$section_props}['iteration'] = 1;
{$section_props}['iteration'] <= {$section_props}['total'];
{$section_props}['index'] += {$section_props}['step'], {$section_props}['iteration']++):\n";
$output .= "{$section_props}['rownum'] = {$section_props}['iteration'];\n";
$output .= "{$section_props}['index_prev'] = {$section_props}['index'] - {$section_props}['step'];\n";
$output .= "{$section_props}['index_next'] = {$section_props}['index'] + {$section_props}['step'];\n";
$output .= "{$section_props}['first'] = ({$section_props}['iteration'] == 1);\n";
$output .= "{$section_props}['last'] = ({$section_props}['iteration'] == {$section_props}['total']);\n";
$output .= "?>";
return $output;
}
}
/**
* Smarty Internal Plugin Compile Sectionelse Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Sectionelse extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {sectionelse} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @return string compiled code
*/
public function compile($args, $compiler)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
list($openTag, $nocache) = $this->closeTag($compiler, array('section'));
$this->openTag($compiler, 'sectionelse', array('sectionelse', $nocache));
return "<?php endfor; else: ?>";
}
}
/**
* Smarty Internal Plugin Compile Sectionclose Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Sectionclose extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {/section} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @return string compiled code
*/
public function compile($args, $compiler)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
// must endblock be nocache?
if ($compiler->nocache) {
$compiler->tag_nocache = true;
}
list($openTag, $compiler->nocache) = $this->closeTag($compiler, array('section', 'sectionelse'));
if ($openTag == 'sectionelse') {
return "<?php endif; ?>";
} else {
return "<?php endfor; endif; ?>";
}
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_section.php | PHP | asf20 | 7,639 |
<?php
/**
* Smarty Internal Plugin Function Call Handler
*
* @package Smarty
* @subpackage PluginsInternal
* @author Uwe Tews
*/
/**
* This class does call function defined with the {function} tag
*
* @package Smarty
* @subpackage PluginsInternal
*/
class Smarty_Internal_Function_Call_Handler {
/**
* This function handles calls to template functions defined by {function}
* It does create a PHP function at the first call
*
* @param string $_name template function name
* @param Smarty_Internal_Template $_template template object
* @param array $_params Smarty variables passed as call parameter
* @param string $_hash nocache hash value
* @param bool $_nocache nocache flag
*/
public static function call($_name, Smarty_Internal_Template $_template, $_params, $_hash, $_nocache)
{
if ($_nocache) {
$_function = "smarty_template_function_{$_name}_nocache";
} else {
$_function = "smarty_template_function_{$_hash}_{$_name}";
}
if (!is_callable($_function)) {
$_code = "function {$_function}(\$_smarty_tpl,\$params) {
\$saved_tpl_vars = \$_smarty_tpl->tpl_vars;
foreach (\$_smarty_tpl->smarty->template_functions['{$_name}']['parameter'] as \$key => \$value) {\$_smarty_tpl->tpl_vars[\$key] = new Smarty_variable(\$value);};
foreach (\$params as \$key => \$value) {\$_smarty_tpl->tpl_vars[\$key] = new Smarty_variable(\$value);}?>";
if ($_nocache) {
$_code .= preg_replace(array("!<\?php echo \\'/\*%%SmartyNocache:{$_template->smarty->template_functions[$_name]['nocache_hash']}%%\*/|/\*/%%SmartyNocache:{$_template->smarty->template_functions[$_name]['nocache_hash']}%%\*/\\';\?>!",
"!\\\'!"), array('', "'"), $_template->smarty->template_functions[$_name]['compiled']);
$_template->smarty->template_functions[$_name]['called_nocache'] = true;
} else {
$_code .= preg_replace("/{$_template->smarty->template_functions[$_name]['nocache_hash']}/", $_template->properties['nocache_hash'], $_template->smarty->template_functions[$_name]['compiled']);
}
$_code .= "<?php \$_smarty_tpl->tpl_vars = \$saved_tpl_vars;}";
eval($_code);
}
$_function($_template, $_params);
}
}
?>
| 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_function_call_handler.php | PHP | asf20 | 2,529 |
<?php
/**
* Project: Smarty: the PHP compiling template engine
* File: smarty_internal_utility.php
* SVN: $Id: $
*
* This library is free software; you can redistribute it and/or
* modify it under the terms of the GNU Lesser General Public
* License as published by the Free Software Foundation; either
* version 2.1 of the License, or (at your option) any later version.
*
* This library is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
* Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public
* License along with this library; if not, write to the Free Software
* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
*
* For questions, help, comments, discussion, etc., please join the
* Smarty mailing list. Send a blank e-mail to
* smarty-discussion-subscribe@googlegroups.com
*
* @link http://www.smarty.net/
* @copyright 2008 New Digital Group, Inc.
* @author Monte Ohrt <monte at ohrt dot com>
* @author Uwe Tews
* @package Smarty
* @subpackage PluginsInternal
* @version 3-SVN$Rev: 3286 $
*/
/**
* Utility class
*
* @package Smarty
* @subpackage Security
*/
class Smarty_Internal_Utility {
/**
* private constructor to prevent calls creation of new instances
*/
private final function __construct()
{
// intentionally left blank
}
/**
* Compile all template files
*
* @param string $extension template file name extension
* @param bool $force_compile force all to recompile
* @param int $time_limit set maximum execution time
* @param int $max_errors set maximum allowed errors
* @param Smarty $smarty Smarty instance
* @return integer number of template files compiled
*/
public static function compileAllTemplates($extention, $force_compile, $time_limit, $max_errors, Smarty $smarty)
{
// switch off time limit
if (function_exists('set_time_limit')) {
@set_time_limit($time_limit);
}
$smarty->force_compile = $force_compile;
$_count = 0;
$_error_count = 0;
// loop over array of template directories
foreach($smarty->getTemplateDir() as $_dir) {
$_compileDirs = new RecursiveDirectoryIterator($_dir);
$_compile = new RecursiveIteratorIterator($_compileDirs);
foreach ($_compile as $_fileinfo) {
if (substr($_fileinfo->getBasename(),0,1) == '.' || strpos($_fileinfo, '.svn') !== false) continue;
$_file = $_fileinfo->getFilename();
if (!substr_compare($_file, $extention, - strlen($extention)) == 0) continue;
if ($_fileinfo->getPath() == substr($_dir, 0, -1)) {
$_template_file = $_file;
} else {
$_template_file = substr($_fileinfo->getPath(), strlen($_dir)) . DS . $_file;
}
echo '<br>', $_dir, '---', $_template_file;
flush();
$_start_time = microtime(true);
try {
$_tpl = $smarty->createTemplate($_template_file,null,null,null,false);
if ($_tpl->mustCompile()) {
$_tpl->compileTemplateSource();
echo ' compiled in ', microtime(true) - $_start_time, ' seconds';
flush();
} else {
echo ' is up to date';
flush();
}
}
catch (Exception $e) {
echo 'Error: ', $e->getMessage(), "<br><br>";
$_error_count++;
}
// free memory
$smarty->template_objects = array();
$_tpl->smarty->template_objects = array();
$_tpl = null;
if ($max_errors !== null && $_error_count == $max_errors) {
echo '<br><br>too many errors';
exit();
}
}
}
return $_count;
}
/**
* Compile all config files
*
* @param string $extension config file name extension
* @param bool $force_compile force all to recompile
* @param int $time_limit set maximum execution time
* @param int $max_errors set maximum allowed errors
* @param Smarty $smarty Smarty instance
* @return integer number of config files compiled
*/
public static function compileAllConfig($extention, $force_compile, $time_limit, $max_errors, Smarty $smarty)
{
// switch off time limit
if (function_exists('set_time_limit')) {
@set_time_limit($time_limit);
}
$smarty->force_compile = $force_compile;
$_count = 0;
$_error_count = 0;
// loop over array of template directories
foreach($smarty->getConfigDir() as $_dir) {
$_compileDirs = new RecursiveDirectoryIterator($_dir);
$_compile = new RecursiveIteratorIterator($_compileDirs);
foreach ($_compile as $_fileinfo) {
if (substr($_fileinfo->getBasename(),0,1) == '.' || strpos($_fileinfo, '.svn') !== false) continue;
$_file = $_fileinfo->getFilename();
if (!substr_compare($_file, $extention, - strlen($extention)) == 0) continue;
if ($_fileinfo->getPath() == substr($_dir, 0, -1)) {
$_config_file = $_file;
} else {
$_config_file = substr($_fileinfo->getPath(), strlen($_dir)) . DS . $_file;
}
echo '<br>', $_dir, '---', $_config_file;
flush();
$_start_time = microtime(true);
try {
$_config = new Smarty_Internal_Config($_config_file, $smarty);
if ($_config->mustCompile()) {
$_config->compileConfigSource();
echo ' compiled in ', microtime(true) - $_start_time, ' seconds';
flush();
} else {
echo ' is up to date';
flush();
}
}
catch (Exception $e) {
echo 'Error: ', $e->getMessage(), "<br><br>";
$_error_count++;
}
if ($max_errors !== null && $_error_count == $max_errors) {
echo '<br><br>too many errors';
exit();
}
}
}
return $_count;
}
/**
* Delete compiled template file
*
* @param string $resource_name template name
* @param string $compile_id compile id
* @param integer $exp_time expiration time
* @param Smarty $smarty Smarty instance
* @return integer number of template files deleted
*/
public static function clearCompiledTemplate($resource_name, $compile_id, $exp_time, Smarty $smarty)
{
$_compile_dir = $smarty->getCompileDir();
$_compile_id = isset($compile_id) ? preg_replace('![^\w\|]+!', '_', $compile_id) : null;
$_dir_sep = $smarty->use_sub_dirs ? DS : '^';
if (isset($resource_name)) {
$_save_stat = $smarty->caching;
$smarty->caching = false;
$tpl = new $smarty->template_class($resource_name, $smarty);
$smarty->caching = $_save_stat;
// remove from template cache
$tpl->source; // have the template registered before unset()
if ($smarty->allow_ambiguous_resources) {
$_templateId = $tpl->source->unique_resource . $tpl->cache_id . $tpl->compile_id;
} else {
$_templateId = $smarty->joined_template_dir . '#' . $resource_name . $tpl->cache_id . $tpl->compile_id;
}
if (isset($_templateId[150])) {
$_templateId = sha1($_templateId);
}
unset($smarty->template_objects[$_templateId]);
if ($tpl->source->exists) {
$_resource_part_1 = basename(str_replace('^', '/', $tpl->compiled->filepath));
$_resource_part_1_length = strlen($_resource_part_1);
} else {
return 0;
}
$_resource_part_2 = str_replace('.php','.cache.php',$_resource_part_1);
$_resource_part_2_length = strlen($_resource_part_2);
} else {
$_resource_part = '';
}
$_dir = $_compile_dir;
if ($smarty->use_sub_dirs && isset($_compile_id)) {
$_dir .= $_compile_id . $_dir_sep;
}
if (isset($_compile_id)) {
$_compile_id_part = $_compile_dir . $_compile_id . $_dir_sep;
$_compile_id_part_length = strlen($_compile_id_part);
}
$_count = 0;
try {
$_compileDirs = new RecursiveDirectoryIterator($_dir);
// NOTE: UnexpectedValueException thrown for PHP >= 5.3
} catch (Exception $e) {
return 0;
}
$_compile = new RecursiveIteratorIterator($_compileDirs, RecursiveIteratorIterator::CHILD_FIRST);
foreach ($_compile as $_file) {
if (substr($_file->getBasename(), 0, 1) == '.' || strpos($_file, '.svn') !== false)
continue;
$_filepath = (string) $_file;
if ($_file->isDir()) {
if (!$_compile->isDot()) {
// delete folder if empty
@rmdir($_file->getPathname());
}
} else {
$unlink = false;
if ((!isset($_compile_id) || (isset($_filepath[$_compile_id_part_length]) && !strncmp($_filepath, $_compile_id_part, $_compile_id_part_length)))
&& (!isset($resource_name)
|| (isset($_filepath[$_resource_part_1_length])
&& substr_compare($_filepath, $_resource_part_1, -$_resource_part_1_length, $_resource_part_1_length) == 0)
|| (isset($_filepath[$_resource_part_2_length])
&& substr_compare($_filepath, $_resource_part_2, -$_resource_part_2_length, $_resource_part_2_length) == 0))) {
if (isset($exp_time)) {
if (time() - @filemtime($_filepath) >= $exp_time) {
$unlink = true;
}
} else {
$unlink = true;
}
}
if ($unlink && @unlink($_filepath)) {
$_count++;
}
}
}
// clear compiled cache
Smarty_Resource::$sources = array();
Smarty_Resource::$compileds = array();
return $_count;
}
/**
* Return array of tag/attributes of all tags used by an template
*
* @param Smarty_Internal_Template $templae template object
* @return array of tag/attributes
*/
public static function getTags(Smarty_Internal_Template $template)
{
$template->smarty->get_used_tags = true;
$template->compileTemplateSource();
return $template->used_tags;
}
/**
* diagnose Smarty setup
*
* If $errors is secified, the diagnostic report will be appended to the array, rather than being output.
*
* @param Smarty $smarty Smarty instance to test
* @param array $errors array to push results into rather than outputting them
* @return bool status, true if everything is fine, false else
*/
public static function testInstall(Smarty $smarty, &$errors=null)
{
$status = true;
if ($errors === null) {
echo "<PRE>\n";
echo "Smarty Installation test...\n";
echo "Testing template directory...\n";
}
// test if all registered template_dir are accessible
foreach($smarty->getTemplateDir() as $template_dir) {
$_template_dir = $template_dir;
$template_dir = realpath($template_dir);
// resolve include_path or fail existance
if (!$template_dir) {
if ($smarty->use_include_path && !preg_match('/^([\/\\\\]|[a-zA-Z]:[\/\\\\])/', $_template_dir)) {
// try PHP include_path
if (($template_dir = Smarty_Internal_Get_Include_Path::getIncludePath($_template_dir)) !== false) {
if ($errors === null) {
echo "$template_dir is OK.\n";
}
continue;
} else {
$status = false;
$message = "FAILED: $_template_dir does not exist (and couldn't be found in include_path either)";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['template_dir'] = $message;
}
continue;
}
} else {
$status = false;
$message = "FAILED: $_template_dir does not exist";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['template_dir'] = $message;
}
continue;
}
}
if (!is_dir($template_dir)) {
$status = false;
$message = "FAILED: $template_dir is not a directory";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['template_dir'] = $message;
}
} elseif (!is_readable($template_dir)) {
$status = false;
$message = "FAILED: $template_dir is not readable";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['template_dir'] = $message;
}
} else {
if ($errors === null) {
echo "$template_dir is OK.\n";
}
}
}
if ($errors === null) {
echo "Testing compile directory...\n";
}
// test if registered compile_dir is accessible
$__compile_dir = $smarty->getCompileDir();
$_compile_dir = realpath($__compile_dir);
if (!$_compile_dir) {
$status = false;
$message = "FAILED: {$__compile_dir} does not exist";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['compile_dir'] = $message;
}
} elseif (!is_dir($_compile_dir)) {
$status = false;
$message = "FAILED: {$_compile_dir} is not a directory";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['compile_dir'] = $message;
}
} elseif (!is_readable($_compile_dir)) {
$status = false;
$message = "FAILED: {$_compile_dir} is not readable";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['compile_dir'] = $message;
}
} elseif (!is_writable($_compile_dir)) {
$status = false;
$message = "FAILED: {$_compile_dir} is not writable";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['compile_dir'] = $message;
}
} else {
if ($errors === null) {
echo "{$_compile_dir} is OK.\n";
}
}
if ($errors === null) {
echo "Testing plugins directory...\n";
}
// test if all registered plugins_dir are accessible
// and if core plugins directory is still registered
$_core_plugins_dir = realpath(dirname(__FILE__) .'/../plugins');
$_core_plugins_available = false;
foreach($smarty->getPluginsDir() as $plugin_dir) {
$_plugin_dir = $plugin_dir;
$plugin_dir = realpath($plugin_dir);
// resolve include_path or fail existance
if (!$plugin_dir) {
if ($smarty->use_include_path && !preg_match('/^([\/\\\\]|[a-zA-Z]:[\/\\\\])/', $_plugin_dir)) {
// try PHP include_path
if (($plugin_dir = Smarty_Internal_Get_Include_Path::getIncludePath($_plugin_dir)) !== false) {
if ($errors === null) {
echo "$plugin_dir is OK.\n";
}
continue;
} else {
$status = false;
$message = "FAILED: $_plugin_dir does not exist (and couldn't be found in include_path either)";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['plugins_dir'] = $message;
}
continue;
}
} else {
$status = false;
$message = "FAILED: $_plugin_dir does not exist";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['plugins_dir'] = $message;
}
continue;
}
}
if (!is_dir($plugin_dir)) {
$status = false;
$message = "FAILED: $plugin_dir is not a directory";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['plugins_dir'] = $message;
}
} elseif (!is_readable($plugin_dir)) {
$status = false;
$message = "FAILED: $plugin_dir is not readable";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['plugins_dir'] = $message;
}
} elseif ($_core_plugins_dir && $_core_plugins_dir == realpath($plugin_dir)) {
$_core_plugins_available = true;
if ($errors === null) {
echo "$plugin_dir is OK.\n";
}
} else {
if ($errors === null) {
echo "$plugin_dir is OK.\n";
}
}
}
if (!$_core_plugins_available) {
$status = false;
$message = "WARNING: Smarty's own libs/plugins is not available";
if ($errors === null) {
echo $message . ".\n";
} elseif (!isset($errors['plugins_dir'])) {
$errors['plugins_dir'] = $message;
}
}
if ($errors === null) {
echo "Testing cache directory...\n";
}
// test if all registered cache_dir is accessible
$__cache_dir = $smarty->getCacheDir();
$_cache_dir = realpath($__cache_dir);
if (!$_cache_dir) {
$status = false;
$message = "FAILED: {$__cache_dir} does not exist";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['cache_dir'] = $message;
}
} elseif (!is_dir($_cache_dir)) {
$status = false;
$message = "FAILED: {$_cache_dir} is not a directory";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['cache_dir'] = $message;
}
} elseif (!is_readable($_cache_dir)) {
$status = false;
$message = "FAILED: {$_cache_dir} is not readable";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['cache_dir'] = $message;
}
} elseif (!is_writable($_cache_dir)) {
$status = false;
$message = "FAILED: {$_cache_dir} is not writable";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['cache_dir'] = $message;
}
} else {
if ($errors === null) {
echo "{$_cache_dir} is OK.\n";
}
}
if ($errors === null) {
echo "Testing configs directory...\n";
}
// test if all registered config_dir are accessible
foreach($smarty->getConfigDir() as $config_dir) {
$_config_dir = $config_dir;
$config_dir = realpath($config_dir);
// resolve include_path or fail existance
if (!$config_dir) {
if ($smarty->use_include_path && !preg_match('/^([\/\\\\]|[a-zA-Z]:[\/\\\\])/', $_config_dir)) {
// try PHP include_path
if (($config_dir = Smarty_Internal_Get_Include_Path::getIncludePath($_config_dir)) !== false) {
if ($errors === null) {
echo "$config_dir is OK.\n";
}
continue;
} else {
$status = false;
$message = "FAILED: $_config_dir does not exist (and couldn't be found in include_path either)";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['config_dir'] = $message;
}
continue;
}
} else {
$status = false;
$message = "FAILED: $_config_dir does not exist";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['config_dir'] = $message;
}
continue;
}
}
if (!is_dir($config_dir)) {
$status = false;
$message = "FAILED: $config_dir is not a directory";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['config_dir'] = $message;
}
} elseif (!is_readable($config_dir)) {
$status = false;
$message = "FAILED: $config_dir is not readable";
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['config_dir'] = $message;
}
} else {
if ($errors === null) {
echo "$config_dir is OK.\n";
}
}
}
if ($errors === null) {
echo "Testing sysplugin files...\n";
}
// test if sysplugins are available
$source = SMARTY_SYSPLUGINS_DIR;
if (is_dir($source)) {
$expected = array(
"smarty_cacheresource.php" => true,
"smarty_cacheresource_custom.php" => true,
"smarty_cacheresource_keyvaluestore.php" => true,
"smarty_config_source.php" => true,
"smarty_internal_cacheresource_file.php" => true,
"smarty_internal_compile_append.php" => true,
"smarty_internal_compile_assign.php" => true,
"smarty_internal_compile_block.php" => true,
"smarty_internal_compile_break.php" => true,
"smarty_internal_compile_call.php" => true,
"smarty_internal_compile_capture.php" => true,
"smarty_internal_compile_config_load.php" => true,
"smarty_internal_compile_continue.php" => true,
"smarty_internal_compile_debug.php" => true,
"smarty_internal_compile_eval.php" => true,
"smarty_internal_compile_extends.php" => true,
"smarty_internal_compile_for.php" => true,
"smarty_internal_compile_foreach.php" => true,
"smarty_internal_compile_function.php" => true,
"smarty_internal_compile_if.php" => true,
"smarty_internal_compile_include.php" => true,
"smarty_internal_compile_include_php.php" => true,
"smarty_internal_compile_insert.php" => true,
"smarty_internal_compile_ldelim.php" => true,
"smarty_internal_compile_nocache.php" => true,
"smarty_internal_compile_private_block_plugin.php" => true,
"smarty_internal_compile_private_function_plugin.php" => true,
"smarty_internal_compile_private_modifier.php" => true,
"smarty_internal_compile_private_object_block_function.php" => true,
"smarty_internal_compile_private_object_function.php" => true,
"smarty_internal_compile_private_print_expression.php" => true,
"smarty_internal_compile_private_registered_block.php" => true,
"smarty_internal_compile_private_registered_function.php" => true,
"smarty_internal_compile_private_special_variable.php" => true,
"smarty_internal_compile_rdelim.php" => true,
"smarty_internal_compile_section.php" => true,
"smarty_internal_compile_setfilter.php" => true,
"smarty_internal_compile_while.php" => true,
"smarty_internal_compilebase.php" => true,
"smarty_internal_config.php" => true,
"smarty_internal_config_file_compiler.php" => true,
"smarty_internal_configfilelexer.php" => true,
"smarty_internal_configfileparser.php" => true,
"smarty_internal_data.php" => true,
"smarty_internal_debug.php" => true,
"smarty_internal_filter_handler.php" => true,
"smarty_internal_function_call_handler.php" => true,
"smarty_internal_get_include_path.php" => true,
"smarty_internal_nocache_insert.php" => true,
"smarty_internal_parsetree.php" => true,
"smarty_internal_resource_eval.php" => true,
"smarty_internal_resource_extends.php" => true,
"smarty_internal_resource_file.php" => true,
"smarty_internal_resource_registered.php" => true,
"smarty_internal_resource_stream.php" => true,
"smarty_internal_resource_string.php" => true,
"smarty_internal_smartytemplatecompiler.php" => true,
"smarty_internal_template.php" => true,
"smarty_internal_templatebase.php" => true,
"smarty_internal_templatecompilerbase.php" => true,
"smarty_internal_templatelexer.php" => true,
"smarty_internal_templateparser.php" => true,
"smarty_internal_utility.php" => true,
"smarty_internal_write_file.php" => true,
"smarty_resource.php" => true,
"smarty_resource_custom.php" => true,
"smarty_resource_recompiled.php" => true,
"smarty_resource_uncompiled.php" => true,
"smarty_security.php" => true,
);
$iterator = new DirectoryIterator($source);
foreach ($iterator as $file) {
if (!$file->isDot()) {
$filename = $file->getFilename();
if (isset($expected[$filename])) {
unset($expected[$filename]);
}
}
}
if ($expected) {
$status = false;
$message = "FAILED: files missing from libs/sysplugins: ". join(', ', array_keys($expected));
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['sysplugins'] = $message;
}
} elseif ($errors === null) {
echo "... OK\n";
}
} else {
$status = false;
$message = "FAILED: ". SMARTY_SYSPLUGINS_DIR .' is not a directory';
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['sysplugins_dir_constant'] = $message;
}
}
if ($errors === null) {
echo "Testing plugin files...\n";
}
// test if core plugins are available
$source = SMARTY_PLUGINS_DIR;
if (is_dir($source)) {
$expected = array(
"block.textformat.php" => true,
"function.counter.php" => true,
"function.cycle.php" => true,
"function.fetch.php" => true,
"function.html_checkboxes.php" => true,
"function.html_image.php" => true,
"function.html_options.php" => true,
"function.html_radios.php" => true,
"function.html_select_date.php" => true,
"function.html_select_time.php" => true,
"function.html_table.php" => true,
"function.mailto.php" => true,
"function.math.php" => true,
"modifier.capitalize.php" => true,
"modifier.date_format.php" => true,
"modifier.debug_print_var.php" => true,
"modifier.escape.php" => true,
"modifier.regex_replace.php" => true,
"modifier.replace.php" => true,
"modifier.spacify.php" => true,
"modifier.truncate.php" => true,
"modifiercompiler.cat.php" => true,
"modifiercompiler.count_characters.php" => true,
"modifiercompiler.count_paragraphs.php" => true,
"modifiercompiler.count_sentences.php" => true,
"modifiercompiler.count_words.php" => true,
"modifiercompiler.default.php" => true,
"modifiercompiler.escape.php" => true,
"modifiercompiler.from_charset.php" => true,
"modifiercompiler.indent.php" => true,
"modifiercompiler.lower.php" => true,
"modifiercompiler.noprint.php" => true,
"modifiercompiler.string_format.php" => true,
"modifiercompiler.strip.php" => true,
"modifiercompiler.strip_tags.php" => true,
"modifiercompiler.to_charset.php" => true,
"modifiercompiler.unescape.php" => true,
"modifiercompiler.upper.php" => true,
"modifiercompiler.wordwrap.php" => true,
"outputfilter.trimwhitespace.php" => true,
"shared.escape_special_chars.php" => true,
"shared.literal_compiler_param.php" => true,
"shared.make_timestamp.php" => true,
"shared.mb_str_replace.php" => true,
"shared.mb_unicode.php" => true,
"shared.mb_wordwrap.php" => true,
"variablefilter.htmlspecialchars.php" => true,
);
$iterator = new DirectoryIterator($source);
foreach ($iterator as $file) {
if (!$file->isDot()) {
$filename = $file->getFilename();
if (isset($expected[$filename])) {
unset($expected[$filename]);
}
}
}
if ($expected) {
$status = false;
$message = "FAILED: files missing from libs/plugins: ". join(', ', array_keys($expected));
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['plugins'] = $message;
}
} elseif ($errors === null) {
echo "... OK\n";
}
} else {
$status = false;
$message = "FAILED: ". SMARTY_PLUGINS_DIR .' is not a directory';
if ($errors === null) {
echo $message . ".\n";
} else {
$errors['plugins_dir_constant'] = $message;
}
}
if ($errors === null) {
echo "Tests complete.\n";
echo "</PRE>\n";
}
return $status;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_utility.php | PHP | asf20 | 34,135 |
<?php
/**
* Smarty Internal Plugin Configfilelexer
*
* This is the lexer to break the config file source into tokens
* @package Smarty
* @subpackage Config
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Configfilelexer
*/
class Smarty_Internal_Configfilelexer
{
public $data;
public $counter;
public $token;
public $value;
public $node;
public $line;
private $state = 1;
public $smarty_token_names = array ( // Text for parser error messages
);
function __construct($data, $smarty)
{
// set instance object
self::instance($this);
$this->data = $data . "\n"; //now all lines are \n-terminated
$this->counter = 0;
$this->line = 1;
$this->smarty = $smarty;
$this->mbstring_overload = ini_get('mbstring.func_overload') & 2;
}
public static function &instance($new_instance = null)
{
static $instance = null;
if (isset($new_instance) && is_object($new_instance))
$instance = $new_instance;
return $instance;
}
private $_yy_state = 1;
private $_yy_stack = array();
function yylex()
{
return $this->{'yylex' . $this->_yy_state}();
}
function yypushstate($state)
{
array_push($this->_yy_stack, $this->_yy_state);
$this->_yy_state = $state;
}
function yypopstate()
{
$this->_yy_state = array_pop($this->_yy_stack);
}
function yybegin($state)
{
$this->_yy_state = $state;
}
function yylex1()
{
$tokenMap = array (
1 => 0,
2 => 0,
3 => 0,
4 => 0,
5 => 0,
6 => 0,
7 => 0,
8 => 0,
);
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
$yy_global_pattern = "/\G(#|;)|\G(\\[)|\G(\\])|\G(=)|\G([ \t\r]+)|\G(\n)|\G([0-9]*[a-zA-Z_]\\w*)|\G([\S\s])/iS";
do {
if ($this->mbstring_overload ? preg_match($yy_global_pattern, substr($this->data, $this->counter), $yymatches) : preg_match($yy_global_pattern,$this->data, $yymatches, null, $this->counter)) {
$yysubmatches = $yymatches;
$yymatches = array_filter($yymatches, 'strlen'); // remove empty sub-patterns
if (!count($yymatches)) {
throw new Exception('Error: lexing failed because a rule matched' .
' an empty string. Input "' . substr($this->data,
$this->counter, 5) . '... state START');
}
next($yymatches); // skip global match
$this->token = key($yymatches); // token number
if ($tokenMap[$this->token]) {
// extract sub-patterns for passing to lex function
$yysubmatches = array_slice($yysubmatches, $this->token + 1,
$tokenMap[$this->token]);
} else {
$yysubmatches = array();
}
$this->value = current($yymatches); // token value
$r = $this->{'yy_r1_' . $this->token}($yysubmatches);
if ($r === null) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
// accept this token
return true;
} elseif ($r === true) {
// we have changed state
// process this token in the new state
return $this->yylex();
} elseif ($r === false) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
// skip this token
continue;
} } else {
throw new Exception('Unexpected input at line' . $this->line .
': ' . $this->data[$this->counter]);
}
break;
} while (true);
} // end function
const START = 1;
function yy_r1_1($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_COMMENTSTART;
$this->yypushstate(self::COMMENT);
}
function yy_r1_2($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_OPENB;
$this->yypushstate(self::SECTION);
}
function yy_r1_3($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_CLOSEB;
}
function yy_r1_4($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_EQUAL;
$this->yypushstate(self::VALUE);
}
function yy_r1_5($yy_subpatterns)
{
return false;
}
function yy_r1_6($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_NEWLINE;
}
function yy_r1_7($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_ID;
}
function yy_r1_8($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_OTHER;
}
function yylex2()
{
$tokenMap = array (
1 => 0,
2 => 0,
3 => 0,
4 => 0,
5 => 0,
6 => 0,
7 => 0,
8 => 0,
9 => 0,
);
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
$yy_global_pattern = "/\G([ \t\r]+)|\G(\\d+\\.\\d+(?=[ \t\r]*[\n#;]))|\G(\\d+(?=[ \t\r]*[\n#;]))|\G(\"\"\")|\G('[^'\\\\]*(?:\\\\.[^'\\\\]*)*'(?=[ \t\r]*[\n#;]))|\G(\"[^\"\\\\]*(?:\\\\.[^\"\\\\]*)*\"(?=[ \t\r]*[\n#;]))|\G([a-zA-Z]+(?=[ \t\r]*[\n#;]))|\G([^\n]+?(?=[ \t\r]*\n))|\G(\n)/iS";
do {
if ($this->mbstring_overload ? preg_match($yy_global_pattern, substr($this->data, $this->counter), $yymatches) : preg_match($yy_global_pattern,$this->data, $yymatches, null, $this->counter)) {
$yysubmatches = $yymatches;
$yymatches = array_filter($yymatches, 'strlen'); // remove empty sub-patterns
if (!count($yymatches)) {
throw new Exception('Error: lexing failed because a rule matched' .
' an empty string. Input "' . substr($this->data,
$this->counter, 5) . '... state VALUE');
}
next($yymatches); // skip global match
$this->token = key($yymatches); // token number
if ($tokenMap[$this->token]) {
// extract sub-patterns for passing to lex function
$yysubmatches = array_slice($yysubmatches, $this->token + 1,
$tokenMap[$this->token]);
} else {
$yysubmatches = array();
}
$this->value = current($yymatches); // token value
$r = $this->{'yy_r2_' . $this->token}($yysubmatches);
if ($r === null) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
// accept this token
return true;
} elseif ($r === true) {
// we have changed state
// process this token in the new state
return $this->yylex();
} elseif ($r === false) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
// skip this token
continue;
} } else {
throw new Exception('Unexpected input at line' . $this->line .
': ' . $this->data[$this->counter]);
}
break;
} while (true);
} // end function
const VALUE = 2;
function yy_r2_1($yy_subpatterns)
{
return false;
}
function yy_r2_2($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_FLOAT;
$this->yypopstate();
}
function yy_r2_3($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_INT;
$this->yypopstate();
}
function yy_r2_4($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_TRIPPLE_QUOTES;
$this->yypushstate(self::TRIPPLE);
}
function yy_r2_5($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_SINGLE_QUOTED_STRING;
$this->yypopstate();
}
function yy_r2_6($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_DOUBLE_QUOTED_STRING;
$this->yypopstate();
}
function yy_r2_7($yy_subpatterns)
{
if (!$this->smarty->config_booleanize || !in_array(strtolower($this->value), Array("true", "false", "on", "off", "yes", "no")) ) {
$this->yypopstate();
$this->yypushstate(self::NAKED_STRING_VALUE);
return true; //reprocess in new state
} else {
$this->token = Smarty_Internal_Configfileparser::TPC_BOOL;
$this->yypopstate();
}
}
function yy_r2_8($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_NAKED_STRING;
$this->yypopstate();
}
function yy_r2_9($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_NAKED_STRING;
$this->value = "";
$this->yypopstate();
}
function yylex3()
{
$tokenMap = array (
1 => 0,
);
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
$yy_global_pattern = "/\G([^\n]+?(?=[ \t\r]*\n))/iS";
do {
if ($this->mbstring_overload ? preg_match($yy_global_pattern, substr($this->data, $this->counter), $yymatches) : preg_match($yy_global_pattern,$this->data, $yymatches, null, $this->counter)) {
$yysubmatches = $yymatches;
$yymatches = array_filter($yymatches, 'strlen'); // remove empty sub-patterns
if (!count($yymatches)) {
throw new Exception('Error: lexing failed because a rule matched' .
' an empty string. Input "' . substr($this->data,
$this->counter, 5) . '... state NAKED_STRING_VALUE');
}
next($yymatches); // skip global match
$this->token = key($yymatches); // token number
if ($tokenMap[$this->token]) {
// extract sub-patterns for passing to lex function
$yysubmatches = array_slice($yysubmatches, $this->token + 1,
$tokenMap[$this->token]);
} else {
$yysubmatches = array();
}
$this->value = current($yymatches); // token value
$r = $this->{'yy_r3_' . $this->token}($yysubmatches);
if ($r === null) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
// accept this token
return true;
} elseif ($r === true) {
// we have changed state
// process this token in the new state
return $this->yylex();
} elseif ($r === false) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
// skip this token
continue;
} } else {
throw new Exception('Unexpected input at line' . $this->line .
': ' . $this->data[$this->counter]);
}
break;
} while (true);
} // end function
const NAKED_STRING_VALUE = 3;
function yy_r3_1($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_NAKED_STRING;
$this->yypopstate();
}
function yylex4()
{
$tokenMap = array (
1 => 0,
2 => 0,
3 => 0,
);
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
$yy_global_pattern = "/\G([ \t\r]+)|\G([^\n]+?(?=[ \t\r]*\n))|\G(\n)/iS";
do {
if ($this->mbstring_overload ? preg_match($yy_global_pattern, substr($this->data, $this->counter), $yymatches) : preg_match($yy_global_pattern,$this->data, $yymatches, null, $this->counter)) {
$yysubmatches = $yymatches;
$yymatches = array_filter($yymatches, 'strlen'); // remove empty sub-patterns
if (!count($yymatches)) {
throw new Exception('Error: lexing failed because a rule matched' .
' an empty string. Input "' . substr($this->data,
$this->counter, 5) . '... state COMMENT');
}
next($yymatches); // skip global match
$this->token = key($yymatches); // token number
if ($tokenMap[$this->token]) {
// extract sub-patterns for passing to lex function
$yysubmatches = array_slice($yysubmatches, $this->token + 1,
$tokenMap[$this->token]);
} else {
$yysubmatches = array();
}
$this->value = current($yymatches); // token value
$r = $this->{'yy_r4_' . $this->token}($yysubmatches);
if ($r === null) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
// accept this token
return true;
} elseif ($r === true) {
// we have changed state
// process this token in the new state
return $this->yylex();
} elseif ($r === false) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
// skip this token
continue;
} } else {
throw new Exception('Unexpected input at line' . $this->line .
': ' . $this->data[$this->counter]);
}
break;
} while (true);
} // end function
const COMMENT = 4;
function yy_r4_1($yy_subpatterns)
{
return false;
}
function yy_r4_2($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_NAKED_STRING;
}
function yy_r4_3($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_NEWLINE;
$this->yypopstate();
}
function yylex5()
{
$tokenMap = array (
1 => 0,
2 => 0,
);
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
$yy_global_pattern = "/\G(\\.)|\G(.*?(?=[\.=[\]\r\n]))/iS";
do {
if ($this->mbstring_overload ? preg_match($yy_global_pattern, substr($this->data, $this->counter), $yymatches) : preg_match($yy_global_pattern,$this->data, $yymatches, null, $this->counter)) {
$yysubmatches = $yymatches;
$yymatches = array_filter($yymatches, 'strlen'); // remove empty sub-patterns
if (!count($yymatches)) {
throw new Exception('Error: lexing failed because a rule matched' .
' an empty string. Input "' . substr($this->data,
$this->counter, 5) . '... state SECTION');
}
next($yymatches); // skip global match
$this->token = key($yymatches); // token number
if ($tokenMap[$this->token]) {
// extract sub-patterns for passing to lex function
$yysubmatches = array_slice($yysubmatches, $this->token + 1,
$tokenMap[$this->token]);
} else {
$yysubmatches = array();
}
$this->value = current($yymatches); // token value
$r = $this->{'yy_r5_' . $this->token}($yysubmatches);
if ($r === null) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
// accept this token
return true;
} elseif ($r === true) {
// we have changed state
// process this token in the new state
return $this->yylex();
} elseif ($r === false) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
// skip this token
continue;
} } else {
throw new Exception('Unexpected input at line' . $this->line .
': ' . $this->data[$this->counter]);
}
break;
} while (true);
} // end function
const SECTION = 5;
function yy_r5_1($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_DOT;
}
function yy_r5_2($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_SECTION;
$this->yypopstate();
}
function yylex6()
{
$tokenMap = array (
1 => 0,
2 => 0,
);
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
$yy_global_pattern = "/\G(\"\"\"(?=[ \t\r]*[\n#;]))|\G([\S\s])/iS";
do {
if ($this->mbstring_overload ? preg_match($yy_global_pattern, substr($this->data, $this->counter), $yymatches) : preg_match($yy_global_pattern,$this->data, $yymatches, null, $this->counter)) {
$yysubmatches = $yymatches;
$yymatches = array_filter($yymatches, 'strlen'); // remove empty sub-patterns
if (!count($yymatches)) {
throw new Exception('Error: lexing failed because a rule matched' .
' an empty string. Input "' . substr($this->data,
$this->counter, 5) . '... state TRIPPLE');
}
next($yymatches); // skip global match
$this->token = key($yymatches); // token number
if ($tokenMap[$this->token]) {
// extract sub-patterns for passing to lex function
$yysubmatches = array_slice($yysubmatches, $this->token + 1,
$tokenMap[$this->token]);
} else {
$yysubmatches = array();
}
$this->value = current($yymatches); // token value
$r = $this->{'yy_r6_' . $this->token}($yysubmatches);
if ($r === null) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
// accept this token
return true;
} elseif ($r === true) {
// we have changed state
// process this token in the new state
return $this->yylex();
} elseif ($r === false) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
// skip this token
continue;
} } else {
throw new Exception('Unexpected input at line' . $this->line .
': ' . $this->data[$this->counter]);
}
break;
} while (true);
} // end function
const TRIPPLE = 6;
function yy_r6_1($yy_subpatterns)
{
$this->token = Smarty_Internal_Configfileparser::TPC_TRIPPLE_QUOTES_END;
$this->yypopstate();
$this->yypushstate(self::START);
}
function yy_r6_2($yy_subpatterns)
{
$to = strlen($this->data);
preg_match("/\"\"\"[ \t\r]*[\n#;]/",$this->data,$match,PREG_OFFSET_CAPTURE,$this->counter);
if (isset($match[0][1])) {
$to = $match[0][1];
}
$this->value = substr($this->data,$this->counter,$to-$this->counter);
$this->token = Smarty_Internal_Configfileparser::TPC_TRIPPLE_TEXT;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_configfilelexer.php | PHP | asf20 | 22,312 |
<?php
/**
* Smarty Internal Plugin
*
* @package Smarty
* @subpackage Cacher
*/
/**
* Cache Handler API
*
* @package Smarty
* @subpackage Cacher
* @author Rodney Rehm
*/
abstract class Smarty_CacheResource {
/**
* cache for Smarty_CacheResource instances
* @var array
*/
public static $resources = array();
/**
* resource types provided by the core
* @var array
*/
protected static $sysplugins = array(
'file' => true,
);
/**
* populate Cached Object with meta data from Resource
*
* @param Smarty_Template_Cached $cached cached object
* @param Smarty_Internal_Template $_template template object
* @return void
*/
public abstract function populate(Smarty_Template_Cached $cached, Smarty_Internal_Template $_template);
/**
* populate Cached Object with timestamp and exists from Resource
*
* @param Smarty_Template_Cached $source cached object
* @return void
*/
public abstract function populateTimestamp(Smarty_Template_Cached $cached);
/**
* Read the cached template and process header
*
* @param Smarty_Internal_Template $_template template object
* @param Smarty_Template_Cached $cached cached object
* @return booelan true or false if the cached content does not exist
*/
public abstract function process(Smarty_Internal_Template $_template, Smarty_Template_Cached $cached=null);
/**
* Write the rendered template output to cache
*
* @param Smarty_Internal_Template $_template template object
* @param string $content content to cache
* @return boolean success
*/
public abstract function writeCachedContent(Smarty_Internal_Template $_template, $content);
/**
* Return cached content
*
* @param Smarty_Internal_Template $_template template object
* @param string $content content of cache
*/
public function getCachedContent(Smarty_Internal_Template $_template)
{
if ($_template->cached->handler->process($_template)) {
ob_start();
$_template->properties['unifunc']($_template);
return ob_get_clean();
}
return null;
}
/**
* Empty cache
*
* @param Smarty $smarty Smarty object
* @param integer $exp_time expiration time (number of seconds, not timestamp)
* @return integer number of cache files deleted
*/
public abstract function clearAll(Smarty $smarty, $exp_time=null);
/**
* Empty cache for a specific template
*
* @param Smarty $smarty Smarty object
* @param string $resource_name template name
* @param string $cache_id cache id
* @param string $compile_id compile id
* @param integer $exp_time expiration time (number of seconds, not timestamp)
* @return integer number of cache files deleted
*/
public abstract function clear(Smarty $smarty, $resource_name, $cache_id, $compile_id, $exp_time);
public function locked(Smarty $smarty, Smarty_Template_Cached $cached)
{
// theoretically locking_timeout should be checked against time_limit (max_execution_time)
$start = microtime(true);
$hadLock = null;
while ($this->hasLock($smarty, $cached)) {
$hadLock = true;
if (microtime(true) - $start > $smarty->locking_timeout) {
// abort waiting for lock release
return false;
}
sleep(1);
}
return $hadLock;
}
public function hasLock(Smarty $smarty, Smarty_Template_Cached $cached)
{
// check if lock exists
return false;
}
public function acquireLock(Smarty $smarty, Smarty_Template_Cached $cached)
{
// create lock
return true;
}
public function releaseLock(Smarty $smarty, Smarty_Template_Cached $cached)
{
// release lock
return true;
}
/**
* Load Cache Resource Handler
*
* @param Smarty $smarty Smarty object
* @param string $type name of the cache resource
* @return Smarty_CacheResource Cache Resource Handler
*/
public static function load(Smarty $smarty, $type = null)
{
if (!isset($type)) {
$type = $smarty->caching_type;
}
// try smarty's cache
if (isset($smarty->_cacheresource_handlers[$type])) {
return $smarty->_cacheresource_handlers[$type];
}
// try registered resource
if (isset($smarty->registered_cache_resources[$type])) {
// do not cache these instances as they may vary from instance to instance
return $smarty->_cacheresource_handlers[$type] = $smarty->registered_cache_resources[$type];
}
// try sysplugins dir
if (isset(self::$sysplugins[$type])) {
if (!isset(self::$resources[$type])) {
$cache_resource_class = 'Smarty_Internal_CacheResource_' . ucfirst($type);
self::$resources[$type] = new $cache_resource_class();
}
return $smarty->_cacheresource_handlers[$type] = self::$resources[$type];
}
// try plugins dir
$cache_resource_class = 'Smarty_CacheResource_' . ucfirst($type);
if ($smarty->loadPlugin($cache_resource_class)) {
if (!isset(self::$resources[$type])) {
self::$resources[$type] = new $cache_resource_class();
}
return $smarty->_cacheresource_handlers[$type] = self::$resources[$type];
}
// give up
throw new SmartyException("Unable to load cache resource '{$type}'");
}
/**
* Invalid Loaded Cache Files
*
* @param Smarty $smarty Smarty object
*/
public static function invalidLoadedCache(Smarty $smarty)
{
foreach ($smarty->template_objects as $tpl) {
if (isset($tpl->cached)) {
$tpl->cached->valid = false;
$tpl->cached->processed = false;
}
}
}
}
/**
* Smarty Resource Data Object
*
* Cache Data Container for Template Files
*
* @package Smarty
* @subpackage TemplateResources
* @author Rodney Rehm
*/
class Smarty_Template_Cached {
/**
* Source Filepath
* @var string
*/
public $filepath = false;
/**
* Source Content
* @var string
*/
public $content = null;
/**
* Source Timestamp
* @var integer
*/
public $timestamp = false;
/**
* Source Existance
* @var boolean
*/
public $exists = false;
/**
* Cache Is Valid
* @var boolean
*/
public $valid = false;
/**
* Cache was processed
* @var boolean
*/
public $processed = false;
/**
* CacheResource Handler
* @var Smarty_CacheResource
*/
public $handler = null;
/**
* Template Compile Id (Smarty_Internal_Template::$compile_id)
* @var string
*/
public $compile_id = null;
/**
* Template Cache Id (Smarty_Internal_Template::$cache_id)
* @var string
*/
public $cache_id = null;
/**
* Id for cache locking
* @var string
*/
public $lock_id = null;
/**
* flag that cache is locked by this instance
* @var bool
*/
public $is_locked = false;
/**
* Source Object
* @var Smarty_Template_Source
*/
public $source = null;
/**
* create Cached Object container
*
* @param Smarty_Internal_Template $_template template object
*/
public function __construct(Smarty_Internal_Template $_template)
{
$this->compile_id = $_template->compile_id;
$this->cache_id = $_template->cache_id;
$this->source = $_template->source;
$_template->cached = $this;
$smarty = $_template->smarty;
//
// load resource handler
//
$this->handler = $handler = Smarty_CacheResource::load($smarty); // Note: prone to circular references
//
// check if cache is valid
//
if (!($_template->caching == Smarty::CACHING_LIFETIME_CURRENT || $_template->caching == Smarty::CACHING_LIFETIME_SAVED) || $_template->source->recompiled) {
$handler->populate($this, $_template);
return;
}
while (true) {
while (true) {
$handler->populate($this, $_template);
if ($this->timestamp === false || $smarty->force_compile || $smarty->force_cache) {
$this->valid = false;
} else {
$this->valid = true;
}
if ($this->valid && $_template->caching == Smarty::CACHING_LIFETIME_CURRENT && $_template->cache_lifetime >= 0 && time() > ($this->timestamp + $_template->cache_lifetime)) {
// lifetime expired
$this->valid = false;
}
if ($this->valid || !$_template->smarty->cache_locking) {
break;
}
if (!$this->handler->locked($_template->smarty, $this)) {
$this->handler->acquireLock($_template->smarty, $this);
break 2;
}
}
if ($this->valid) {
if (!$_template->smarty->cache_locking || $this->handler->locked($_template->smarty, $this) === null) {
// load cache file for the following checks
if ($smarty->debugging) {
Smarty_Internal_Debug::start_cache($_template);
}
if($handler->process($_template, $this) === false) {
$this->valid = false;
} else {
$this->processed = true;
}
if ($smarty->debugging) {
Smarty_Internal_Debug::end_cache($_template);
}
} else {
continue;
}
} else {
return;
}
if ($this->valid && $_template->caching === Smarty::CACHING_LIFETIME_SAVED && $_template->properties['cache_lifetime'] >= 0 && (time() > ($_template->cached->timestamp + $_template->properties['cache_lifetime']))) {
$this->valid = false;
}
if (!$this->valid && $_template->smarty->cache_locking) {
$this->handler->acquireLock($_template->smarty, $this);
return;
} else {
return;
}
}
}
/**
* Write this cache object to handler
*
* @param Smarty_Internal_Template $_template template object
* @param string $content content to cache
* @return boolean success
*/
public function write(Smarty_Internal_Template $_template, $content)
{
if (!$_template->source->recompiled) {
if ($this->handler->writeCachedContent($_template, $content)) {
$this->timestamp = time();
$this->exists = true;
$this->valid = true;
if ($_template->smarty->cache_locking) {
$this->handler->releaseLock($_template->smarty, $this);
}
return true;
}
}
return false;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_cacheresource.php | PHP | asf20 | 11,754 |
<?php
/**
* Smarty write file plugin
*
* @package Smarty
* @subpackage PluginsInternal
* @author Monte Ohrt
*/
/**
* Smarty Internal Write File Class
*
* @package Smarty
* @subpackage PluginsInternal
*/
class Smarty_Internal_Write_File {
/**
* Writes file in a safe way to disk
*
* @param string $_filepath complete filepath
* @param string $_contents file content
* @param Smarty $smarty smarty instance
* @return boolean true
*/
public static function writeFile($_filepath, $_contents, Smarty $smarty)
{
$_error_reporting = error_reporting();
error_reporting($_error_reporting & ~E_NOTICE & ~E_WARNING);
if ($smarty->_file_perms !== null) {
$old_umask = umask(0);
}
$_dirpath = dirname($_filepath);
// if subdirs, create dir structure
if ($_dirpath !== '.' && !file_exists($_dirpath)) {
mkdir($_dirpath, $smarty->_dir_perms === null ? 0777 : $smarty->_dir_perms, true);
}
// write to tmp file, then move to overt file lock race condition
$_tmp_file = $_dirpath . DS . uniqid('wrt');
if (!file_put_contents($_tmp_file, $_contents)) {
error_reporting($_error_reporting);
throw new SmartyException("unable to write file {$_tmp_file}");
return false;
}
// remove original file
@unlink($_filepath);
// rename tmp file
$success = rename($_tmp_file, $_filepath);
if (!$success) {
error_reporting($_error_reporting);
throw new SmartyException("unable to write file {$_filepath}");
return false;
}
if ($smarty->_file_perms !== null) {
// set file permissions
chmod($_filepath, $smarty->_file_perms);
umask($old_umask);
}
error_reporting($_error_reporting);
return true;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_write_file.php | PHP | asf20 | 2,020 |
<?php
/**
* Smarty Internal Plugin Resource Eval
*
* @package Smarty
* @subpackage TemplateResources
* @author Uwe Tews
* @author Rodney Rehm
*/
/**
* Smarty Internal Plugin Resource Eval
*
* Implements the strings as resource for Smarty template
*
* {@internal unlike string-resources the compiled state of eval-resources is NOT saved for subsequent access}}
*
* @package Smarty
* @subpackage TemplateResources
*/
class Smarty_Internal_Resource_Eval extends Smarty_Resource_Recompiled {
/**
* populate Source Object with meta data from Resource
*
* @param Smarty_Template_Source $source source object
* @param Smarty_Internal_Template $_template template object
* @return void
*/
public function populate(Smarty_Template_Source $source, Smarty_Internal_Template $_template=null)
{
$source->uid = $source->filepath = sha1($source->name);
$source->timestamp = false;
$source->exists = true;
}
/**
* Load template's source from $resource_name into current template object
*
* @uses decode() to decode base64 and urlencoded template_resources
* @param Smarty_Template_Source $source source object
* @return string template source
*/
public function getContent(Smarty_Template_Source $source)
{
return $this->decode($source->name);
}
/**
* decode base64 and urlencode
*
* @param string $string template_resource to decode
* @return string decoded template_resource
*/
protected function decode($string)
{
// decode if specified
if (($pos = strpos($string, ':')) !== false) {
if (!strncmp($string, 'base64', 6)) {
return base64_decode(substr($string, 7));
} elseif (!strncmp($string, 'urlencode', 9)) {
return urldecode(substr($string, 10));
}
}
return $string;
}
/**
* modify resource_name according to resource handlers specifications
*
* @param Smarty $smarty Smarty instance
* @param string $resource_name resource_name to make unique
* @return string unique resource name
*/
protected function buildUniqueResourceName(Smarty $smarty, $resource_name)
{
return get_class($this) . '#' .$this->decode($resource_name);
}
/**
* Determine basename for compiled filename
*
* @param Smarty_Template_Source $source source object
* @return string resource's basename
*/
protected function getBasename(Smarty_Template_Source $source)
{
return '';
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_resource_eval.php | PHP | asf20 | 2,755 |
<?php
/**
* Smarty Internal Plugin Config File Compiler
*
* This is the config file compiler class. It calls the lexer and parser to
* perform the compiling.
*
* @package Smarty
* @subpackage Config
* @author Uwe Tews
*/
/**
* Main config file compiler class
*
* @package Smarty
* @subpackage Config
*/
class Smarty_Internal_Config_File_Compiler {
/**
* Lexer object
*
* @var object
*/
public $lex;
/**
* Parser object
*
* @var object
*/
public $parser;
/**
* Smarty object
*
* @var Smarty object
*/
public $smarty;
/**
* Smarty object
*
* @var Smarty_Internal_Config object
*/
public $config;
/**
* Compiled config data sections and variables
*
* @var array
*/
public $config_data = array();
/**
* Initialize compiler
*
* @param Smarty $smarty base instance
*/
public function __construct($smarty)
{
$this->smarty = $smarty;
$this->config_data['sections'] = array();
$this->config_data['vars'] = array();
}
/**
* Method to compile a Smarty template.
*
* @param Smarty_Internal_Config $config config object
* @return bool true if compiling succeeded, false if it failed
*/
public function compileSource(Smarty_Internal_Config $config)
{
/* here is where the compiling takes place. Smarty
tags in the templates are replaces with PHP code,
then written to compiled files. */
$this->config = $config;
// get config file source
$_content = $config->source->content . "\n";
// on empty template just return
if ($_content == '') {
return true;
}
// init the lexer/parser to compile the config file
$lex = new Smarty_Internal_Configfilelexer($_content, $this->smarty);
$parser = new Smarty_Internal_Configfileparser($lex, $this);
if ($this->smarty->_parserdebug) $parser->PrintTrace();
// get tokens from lexer and parse them
while ($lex->yylex()) {
if ($this->smarty->_parserdebug) echo "<br>Parsing {$parser->yyTokenName[$lex->token]} Token {$lex->value} Line {$lex->line} \n";
$parser->doParse($lex->token, $lex->value);
}
// finish parsing process
$parser->doParse(0, 0);
$config->compiled_config = '<?php $_config_vars = ' . var_export($this->config_data, true) . '; ?>';
}
/**
* display compiler error messages without dying
*
* If parameter $args is empty it is a parser detected syntax error.
* In this case the parser is called to obtain information about exspected tokens.
*
* If parameter $args contains a string this is used as error message
*
* @param string $args individual error message or null
*/
public function trigger_config_file_error($args = null)
{
$this->lex = Smarty_Internal_Configfilelexer::instance();
$this->parser = Smarty_Internal_Configfileparser::instance();
// get template source line which has error
$line = $this->lex->line;
if (isset($args)) {
// $line--;
}
$match = preg_split("/\n/", $this->lex->data);
$error_text = "Syntax error in config file '{$this->config->source->filepath}' on line {$line} '{$match[$line-1]}' ";
if (isset($args)) {
// individual error message
$error_text .= $args;
} else {
// exspected token from parser
foreach ($this->parser->yy_get_expected_tokens($this->parser->yymajor) as $token) {
$exp_token = $this->parser->yyTokenName[$token];
if (isset($this->lex->smarty_token_names[$exp_token])) {
// token type from lexer
$expect[] = '"' . $this->lex->smarty_token_names[$exp_token] . '"';
} else {
// otherwise internal token name
$expect[] = $this->parser->yyTokenName[$token];
}
}
// output parser error message
$error_text .= ' - Unexpected "' . $this->lex->value . '", expected one of: ' . implode(' , ', $expect);
}
throw new SmartyCompilerException($error_text);
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_config_file_compiler.php | PHP | asf20 | 4,533 |
<?php
/**
* Smarty Internal Plugin
*
* @package Smarty
* @subpackage Cacher
*/
/**
* Smarty Cache Handler Base for Key/Value Storage Implementations
*
* This class implements the functionality required to use simple key/value stores
* for hierarchical cache groups. key/value stores like memcache or APC do not support
* wildcards in keys, therefore a cache group cannot be cleared like "a|*" - which
* is no problem to filesystem and RDBMS implementations.
*
* This implementation is based on the concept of invalidation. While one specific cache
* can be identified and cleared, any range of caches cannot be identified. For this reason
* each level of the cache group hierarchy can have its own value in the store. These values
* are nothing but microtimes, telling us when a particular cache group was cleared for the
* last time. These keys are evaluated for every cache read to determine if the cache has
* been invalidated since it was created and should hence be treated as inexistent.
*
* Although deep hierarchies are possible, they are not recommended. Try to keep your
* cache groups as shallow as possible. Anything up 3-5 parents should be ok. So
* »a|b|c« is a good depth where »a|b|c|d|e|f|g|h|i|j|k« isn't. Try to join correlating
* cache groups: if your cache groups look somewhat like »a|b|$page|$items|$whatever«
* consider using »a|b|c|$page-$items-$whatever« instead.
*
* @package Smarty
* @subpackage Cacher
* @author Rodney Rehm
*/
abstract class Smarty_CacheResource_KeyValueStore extends Smarty_CacheResource {
/**
* cache for contents
* @var array
*/
protected $contents = array();
/**
* cache for timestamps
* @var array
*/
protected $timestamps = array();
/**
* populate Cached Object with meta data from Resource
*
* @param Smarty_Template_Cached $cached cached object
* @param Smarty_Internal_Template $_template template object
* @return void
*/
public function populate(Smarty_Template_Cached $cached, Smarty_Internal_Template $_template)
{
$cached->filepath = $_template->source->uid
. '#' . $this->sanitize($cached->source->name)
. '#' . $this->sanitize($cached->cache_id)
. '#' . $this->sanitize($cached->compile_id);
$this->populateTimestamp($cached);
}
/**
* populate Cached Object with timestamp and exists from Resource
*
* @param Smarty_Template_Cached $cached cached object
* @return void
*/
public function populateTimestamp(Smarty_Template_Cached $cached)
{
if (!$this->fetch($cached->filepath, $cached->source->name, $cached->cache_id, $cached->compile_id, $content, $timestamp, $cached->source->uid)) {
return;
}
$cached->content = $content;
$cached->timestamp = (int) $timestamp;
$cached->exists = $cached->timestamp;
}
/**
* Read the cached template and process the header
*
* @param Smarty_Internal_Template $_template template object
* @param Smarty_Template_Cached $cached cached object
* @return booelan true or false if the cached content does not exist
*/
public function process(Smarty_Internal_Template $_template, Smarty_Template_Cached $cached=null)
{
if (!$cached) {
$cached = $_template->cached;
}
$content = $cached->content ? $cached->content : null;
$timestamp = $cached->timestamp ? $cached->timestamp : null;
if ($content === null || !$timestamp) {
if (!$this->fetch($_template->cached->filepath, $_template->source->name, $_template->cache_id, $_template->compile_id, $content, $timestamp, $_template->source->uid)) {
return false;
}
}
if (isset($content)) {
$_smarty_tpl = $_template;
eval("?>" . $content);
return true;
}
return false;
}
/**
* Write the rendered template output to cache
*
* @param Smarty_Internal_Template $_template template object
* @param string $content content to cache
* @return boolean success
*/
public function writeCachedContent(Smarty_Internal_Template $_template, $content)
{
$this->addMetaTimestamp($content);
return $this->write(array($_template->cached->filepath => $content), $_template->properties['cache_lifetime']);
}
/**
* Empty cache
*
* {@internal the $exp_time argument is ignored altogether }}
*
* @param Smarty $smarty Smarty object
* @param integer $exp_time expiration time [being ignored]
* @return integer number of cache files deleted [always -1]
* @uses purge() to clear the whole store
* @uses invalidate() to mark everything outdated if purge() is inapplicable
*/
public function clearAll(Smarty $smarty, $exp_time=null)
{
if (!$this->purge()) {
$this->invalidate(null);
}
return -1;
}
/**
* Empty cache for a specific template
*
* {@internal the $exp_time argument is ignored altogether}}
*
* @param Smarty $smarty Smarty object
* @param string $resource_name template name
* @param string $cache_id cache id
* @param string $compile_id compile id
* @param integer $exp_time expiration time [being ignored]
* @return integer number of cache files deleted [always -1]
* @uses buildCachedFilepath() to generate the CacheID
* @uses invalidate() to mark CacheIDs parent chain as outdated
* @uses delete() to remove CacheID from cache
*/
public function clear(Smarty $smarty, $resource_name, $cache_id, $compile_id, $exp_time)
{
$uid = $this->getTemplateUid($smarty, $resource_name, $cache_id, $compile_id);
$cid = $uid . '#' . $this->sanitize($resource_name) . '#' . $this->sanitize($cache_id) . '#' . $this->sanitize($compile_id);
$this->delete(array($cid));
$this->invalidate($cid, $resource_name, $cache_id, $compile_id, $uid);
return -1;
}
/**
* Get template's unique ID
*
* @param Smarty $smarty Smarty object
* @param string $resource_name template name
* @param string $cache_id cache id
* @param string $compile_id compile id
* @return string filepath of cache file
*/
protected function getTemplateUid(Smarty $smarty, $resource_name, $cache_id, $compile_id)
{
$uid = '';
if (isset($resource_name)) {
$tpl = new $smarty->template_class($resource_name, $smarty);
if ($tpl->source->exists) {
$uid = $tpl->source->uid;
}
// remove from template cache
if ($smarty->allow_ambiguous_resources) {
$_templateId = $tpl->source->unique_resource . $tpl->cache_id . $tpl->compile_id;
} else {
$_templateId = $smarty->joined_template_dir . '#' . $resource_name . $tpl->cache_id . $tpl->compile_id;
}
if (isset($_templateId[150])) {
$_templateId = sha1($_templateId);
}
unset($smarty->template_objects[$_templateId]);
}
return $uid;
}
/**
* Sanitize CacheID components
*
* @param string $string CacheID component to sanitize
* @return string sanitized CacheID component
*/
protected function sanitize($string)
{
// some poeple smoke bad weed
$string = trim($string, '|');
if (!$string) {
return null;
}
return preg_replace('#[^\w\|]+#S', '_', $string);
}
/**
* Fetch and prepare a cache object.
*
* @param string $cid CacheID to fetch
* @param string $resource_name template name
* @param string $cache_id cache id
* @param string $compile_id compile id
* @param string $content cached content
* @param integer &$timestamp cached timestamp (epoch)
* @param string $resource_uid resource's uid
* @return boolean success
*/
protected function fetch($cid, $resource_name = null, $cache_id = null, $compile_id = null, &$content = null, &$timestamp = null, $resource_uid = null)
{
$t = $this->read(array($cid));
$content = !empty($t[$cid]) ? $t[$cid] : null;
$timestamp = null;
if ($content && ($timestamp = $this->getMetaTimestamp($content))) {
$invalidated = $this->getLatestInvalidationTimestamp($cid, $resource_name, $cache_id, $compile_id, $resource_uid);
if ($invalidated > $timestamp) {
$timestamp = null;
$content = null;
}
}
return !!$content;
}
/**
* Add current microtime to the beginning of $cache_content
*
* {@internal the header uses 8 Bytes, the first 4 Bytes are the seconds, the second 4 Bytes are the microseconds}}
*
* @param string &$content the content to be cached
*/
protected function addMetaTimestamp(&$content)
{
$mt = explode(" ", microtime());
$ts = pack("NN", $mt[1], (int) ($mt[0] * 100000000));
$content = $ts . $content;
}
/**
* Extract the timestamp the $content was cached
*
* @param string &$content the cached content
* @return float the microtime the content was cached
*/
protected function getMetaTimestamp(&$content)
{
$s = unpack("N", substr($content, 0, 4));
$m = unpack("N", substr($content, 4, 4));
$content = substr($content, 8);
return $s[1] + ($m[1] / 100000000);
}
/**
* Invalidate CacheID
*
* @param string $cid CacheID
* @param string $resource_name template name
* @param string $cache_id cache id
* @param string $compile_id compile id
* @param string $resource_uid source's uid
* @return void
*/
protected function invalidate($cid = null, $resource_name = null, $cache_id = null, $compile_id = null, $resource_uid = null)
{
$now = microtime(true);
$key = null;
// invalidate everything
if (!$resource_name && !$cache_id && !$compile_id) {
$key = 'IVK#ALL';
}
// invalidate all caches by template
else if ($resource_name && !$cache_id && !$compile_id) {
$key = 'IVK#TEMPLATE#' . $resource_uid . '#' . $this->sanitize($resource_name);
}
// invalidate all caches by cache group
else if (!$resource_name && $cache_id && !$compile_id) {
$key = 'IVK#CACHE#' . $this->sanitize($cache_id);
}
// invalidate all caches by compile id
else if (!$resource_name && !$cache_id && $compile_id) {
$key = 'IVK#COMPILE#' . $this->sanitize($compile_id);
}
// invalidate by combination
else {
$key = 'IVK#CID#' . $cid;
}
$this->write(array($key => $now));
}
/**
* Determine the latest timestamp known to the invalidation chain
*
* @param string $cid CacheID to determine latest invalidation timestamp of
* @param string $resource_name template name
* @param string $cache_id cache id
* @param string $compile_id compile id
* @param string $resource_uid source's filepath
* @return float the microtime the CacheID was invalidated
*/
protected function getLatestInvalidationTimestamp($cid, $resource_name = null, $cache_id = null, $compile_id = null, $resource_uid = null)
{
// abort if there is no CacheID
if (false && !$cid) {
return 0;
}
// abort if there are no InvalidationKeys to check
if (!($_cid = $this->listInvalidationKeys($cid, $resource_name, $cache_id, $compile_id, $resource_uid))) {
return 0;
}
// there are no InValidationKeys
if (!($values = $this->read($_cid))) {
return 0;
}
// make sure we're dealing with floats
$values = array_map('floatval', $values);
return max($values);
}
/**
* Translate a CacheID into the list of applicable InvalidationKeys.
*
* Splits "some|chain|into|an|array" into array( '#clearAll#', 'some', 'some|chain', 'some|chain|into', ... )
*
* @param string $cid CacheID to translate
* @param string $resource_name template name
* @param string $cache_id cache id
* @param string $compile_id compile id
* @param string $resource_uid source's filepath
* @return array list of InvalidationKeys
* @uses $invalidationKeyPrefix to prepend to each InvalidationKey
*/
protected function listInvalidationKeys($cid, $resource_name = null, $cache_id = null, $compile_id = null, $resource_uid = null)
{
$t = array('IVK#ALL');
$_name = $_compile = '#';
if ($resource_name) {
$_name .= $resource_uid . '#' . $this->sanitize($resource_name);
$t[] = 'IVK#TEMPLATE' . $_name;
}
if ($compile_id) {
$_compile .= $this->sanitize($compile_id);
$t[] = 'IVK#COMPILE' . $_compile;
}
$_name .= '#';
// some poeple smoke bad weed
$cid = trim($cache_id, '|');
if (!$cid) {
return $t;
}
$i = 0;
while (true) {
// determine next delimiter position
$i = strpos($cid, '|', $i);
// add complete CacheID if there are no more delimiters
if ($i === false) {
$t[] = 'IVK#CACHE#' . $cid;
$t[] = 'IVK#CID' . $_name . $cid . $_compile;
$t[] = 'IVK#CID' . $_name . $_compile;
break;
}
$part = substr($cid, 0, $i);
// add slice to list
$t[] = 'IVK#CACHE#' . $part;
$t[] = 'IVK#CID' . $_name . $part . $_compile;
// skip past delimiter position
$i++;
}
return $t;
}
/**
* Check is cache is locked for this template
*
* @param Smarty $smarty Smarty object
* @param Smarty_Template_Cached $cached cached object
* @return booelan true or false if cache is locked
*/
public function hasLock(Smarty $smarty, Smarty_Template_Cached $cached)
{
$key = 'LOCK#' . $cached->filepath;
$data = $this->read(array($key));
return $data && time() - $data[$key] < $smarty->locking_timeout;
}
/**
* Lock cache for this template
*
* @param Smarty $smarty Smarty object
* @param Smarty_Template_Cached $cached cached object
*/
public function acquireLock(Smarty $smarty, Smarty_Template_Cached $cached)
{
$cached->is_locked = true;
$key = 'LOCK#' . $cached->filepath;
$this->write(array($key => time()), $smarty->locking_timeout);
}
/**
* Unlock cache for this template
*
* @param Smarty $smarty Smarty object
* @param Smarty_Template_Cached $cached cached object
*/
public function releaseLock(Smarty $smarty, Smarty_Template_Cached $cached)
{
$cached->is_locked = false;
$key = 'LOCK#' . $cached->filepath;
$this->delete(array($key));
}
/**
* Read values for a set of keys from cache
*
* @param array $keys list of keys to fetch
* @return array list of values with the given keys used as indexes
*/
protected abstract function read(array $keys);
/**
* Save values for a set of keys to cache
*
* @param array $keys list of values to save
* @param int $expire expiration time
* @return boolean true on success, false on failure
*/
protected abstract function write(array $keys, $expire=null);
/**
* Remove values from cache
*
* @param array $keys list of keys to delete
* @return boolean true on success, false on failure
*/
protected abstract function delete(array $keys);
/**
* Remove *all* values from cache
*
* @return boolean true on success, false on failure
*/
protected function purge()
{
return false;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_cacheresource_keyvaluestore.php | PHP | asf20 | 16,921 |
<?php
/**
* Smarty Internal Plugin Compile Special Smarty Variable
*
* Compiles the special $smarty variables
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile special Smarty Variable Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Private_Special_Variable extends Smarty_Internal_CompileBase {
/**
* Compiles code for the speical $smarty variables
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
$_index = preg_split("/\]\[/",substr($parameter, 1, strlen($parameter)-2));
$compiled_ref = ' ';
$variable = trim($_index[0], "'");
switch ($variable) {
case 'foreach':
return "\$_smarty_tpl->getVariable('smarty')->value$parameter";
case 'section':
return "\$_smarty_tpl->getVariable('smarty')->value$parameter";
case 'capture':
return "Smarty::\$_smarty_vars$parameter";
case 'now':
return 'time()';
case 'cookies':
if (isset($compiler->smarty->security_policy) && !$compiler->smarty->security_policy->allow_super_globals) {
$compiler->trigger_template_error("(secure mode) super globals not permitted");
break;
}
$compiled_ref = '$_COOKIE';
break;
case 'get':
case 'post':
case 'env':
case 'server':
case 'session':
case 'request':
if (isset($compiler->smarty->security_policy) && !$compiler->smarty->security_policy->allow_super_globals) {
$compiler->trigger_template_error("(secure mode) super globals not permitted");
break;
}
$compiled_ref = '$_'.strtoupper($variable);
break;
case 'template':
return 'basename($_smarty_tpl->source->filepath)';
case 'current_dir':
return 'dirname($_smarty_tpl->source->filepath)';
case 'version':
$_version = Smarty::SMARTY_VERSION;
return "'$_version'";
case 'const':
if (isset($compiler->smarty->security_policy) && !$compiler->smarty->security_policy->allow_constants) {
$compiler->trigger_template_error("(secure mode) constants not permitted");
break;
}
return '@' . trim($_index[1], "'");
case 'config':
return "\$_smarty_tpl->getConfigVariable($_index[1])";
case 'ldelim':
$_ldelim = $compiler->smarty->left_delimiter;
return "'$_ldelim'";
case 'rdelim':
$_rdelim = $compiler->smarty->right_delimiter;
return "'$_rdelim'";
default:
$compiler->trigger_template_error('$smarty.' . trim($_index[0], "'") . ' is invalid');
break;
}
if (isset($_index[1])) {
array_shift($_index);
foreach ($_index as $_ind) {
$compiled_ref = $compiled_ref . "[$_ind]";
}
}
return $compiled_ref;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_private_special_variable.php | PHP | asf20 | 3,609 |
<?php
/**
* Smarty Internal Plugin Compile For
*
* Compiles the {for} {forelse} {/for} tags
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile For Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_For extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {for} tag
*
* Smarty 3 does implement two different sytaxes:
*
* - {for $var in $array}
* For looping over arrays or iterators
*
* - {for $x=0; $x<$y; $x++}
* For general loops
*
* The parser is gereration different sets of attribute by which this compiler can
* determin which syntax is used.
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
if ($parameter == 0) {
$this->required_attributes = array('start', 'to');
$this->optional_attributes = array('max', 'step');
} else {
$this->required_attributes = array('start', 'ifexp', 'var', 'step');
$this->optional_attributes = array();
}
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
$output = "<?php ";
if ($parameter == 1) {
foreach ($_attr['start'] as $_statement) {
$output .= " \$_smarty_tpl->tpl_vars[$_statement[var]] = new Smarty_Variable;";
$output .= " \$_smarty_tpl->tpl_vars[$_statement[var]]->value = $_statement[value];\n";
}
$output .= " if ($_attr[ifexp]){ for (\$_foo=true;$_attr[ifexp]; \$_smarty_tpl->tpl_vars[$_attr[var]]->value$_attr[step]){\n";
} else {
$_statement = $_attr['start'];
$output .= "\$_smarty_tpl->tpl_vars[$_statement[var]] = new Smarty_Variable;";
if (isset($_attr['step'])) {
$output .= "\$_smarty_tpl->tpl_vars[$_statement[var]]->step = $_attr[step];";
} else {
$output .= "\$_smarty_tpl->tpl_vars[$_statement[var]]->step = 1;";
}
if (isset($_attr['max'])) {
$output .= "\$_smarty_tpl->tpl_vars[$_statement[var]]->total = (int)min(ceil((\$_smarty_tpl->tpl_vars[$_statement[var]]->step > 0 ? $_attr[to]+1 - ($_statement[value]) : $_statement[value]-($_attr[to])+1)/abs(\$_smarty_tpl->tpl_vars[$_statement[var]]->step)),$_attr[max]);\n";
} else {
$output .= "\$_smarty_tpl->tpl_vars[$_statement[var]]->total = (int)ceil((\$_smarty_tpl->tpl_vars[$_statement[var]]->step > 0 ? $_attr[to]+1 - ($_statement[value]) : $_statement[value]-($_attr[to])+1)/abs(\$_smarty_tpl->tpl_vars[$_statement[var]]->step));\n";
}
$output .= "if (\$_smarty_tpl->tpl_vars[$_statement[var]]->total > 0){\n";
$output .= "for (\$_smarty_tpl->tpl_vars[$_statement[var]]->value = $_statement[value], \$_smarty_tpl->tpl_vars[$_statement[var]]->iteration = 1;\$_smarty_tpl->tpl_vars[$_statement[var]]->iteration <= \$_smarty_tpl->tpl_vars[$_statement[var]]->total;\$_smarty_tpl->tpl_vars[$_statement[var]]->value += \$_smarty_tpl->tpl_vars[$_statement[var]]->step, \$_smarty_tpl->tpl_vars[$_statement[var]]->iteration++){\n";
$output .= "\$_smarty_tpl->tpl_vars[$_statement[var]]->first = \$_smarty_tpl->tpl_vars[$_statement[var]]->iteration == 1;";
$output .= "\$_smarty_tpl->tpl_vars[$_statement[var]]->last = \$_smarty_tpl->tpl_vars[$_statement[var]]->iteration == \$_smarty_tpl->tpl_vars[$_statement[var]]->total;";
}
$output .= "?>";
$this->openTag($compiler, 'for', array('for', $compiler->nocache));
// maybe nocache because of nocache variables
$compiler->nocache = $compiler->nocache | $compiler->tag_nocache;
// return compiled code
return $output;
}
}
/**
* Smarty Internal Plugin Compile Forelse Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Forelse extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {forelse} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
list($openTag, $nocache) = $this->closeTag($compiler, array('for'));
$this->openTag($compiler, 'forelse', array('forelse', $nocache));
return "<?php }} else { ?>";
}
}
/**
* Smarty Internal Plugin Compile Forclose Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Forclose extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {/for} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
// must endblock be nocache?
if ($compiler->nocache) {
$compiler->tag_nocache = true;
}
list($openTag, $compiler->nocache) = $this->closeTag($compiler, array('for', 'forelse'));
if ($openTag == 'forelse') {
return "<?php } ?>";
} else {
return "<?php }} ?>";
}
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_for.php | PHP | asf20 | 6,028 |
<?php
/**
* Smarty Internal Plugin Templateparser Parsetrees
*
* These are classes to build parsetrees in the template parser
*
* @package Smarty
* @subpackage Compiler
* @author Thue Kristensen
* @author Uwe Tews
*/
/**
* @package Smarty
* @subpackage Compiler
* @ignore
*/
abstract class _smarty_parsetree {
/**
* Parser object
* @var object
*/
public $parser;
/**
* Buffer content
* @var mixed
*/
public $data;
/**
* Return buffer
*
* @return string buffer content
*/
abstract public function to_smarty_php();
}
/**
* A complete smarty tag.
*
* @package Smarty
* @subpackage Compiler
* @ignore
*/
class _smarty_tag extends _smarty_parsetree {
/**
* Saved block nesting level
* @var int
*/
public $saved_block_nesting;
/**
* Create parse tree buffer for Smarty tag
*
* @param object $parser parser object
* @param string $data content
*/
public function __construct($parser, $data)
{
$this->parser = $parser;
$this->data = $data;
$this->saved_block_nesting = $parser->block_nesting_level;
}
/**
* Return buffer content
*
* @return string content
*/
public function to_smarty_php()
{
return $this->data;
}
/**
* Return complied code that loads the evaluated outout of buffer content into a temporary variable
*
* @return string template code
*/
public function assign_to_var()
{
$var = sprintf('$_tmp%d', ++$this->parser->prefix_number);
$this->parser->compiler->prefix_code[] = sprintf('<?php ob_start();?>%s<?php %s=ob_get_clean();?>', $this->data, $var);
return $var;
}
}
/**
* Code fragment inside a tag.
*
* @package Smarty
* @subpackage Compiler
* @ignore
*/
class _smarty_code extends _smarty_parsetree {
/**
* Create parse tree buffer for code fragment
*
* @param object $parser parser object
* @param string $data content
*/
public function __construct($parser, $data)
{
$this->parser = $parser;
$this->data = $data;
}
/**
* Return buffer content in parentheses
*
* @return string content
*/
public function to_smarty_php()
{
return sprintf("(%s)", $this->data);
}
}
/**
* Double quoted string inside a tag.
*
* @package Smarty
* @subpackage Compiler
* @ignore
*/
class _smarty_doublequoted extends _smarty_parsetree {
/**
* Create parse tree buffer for double quoted string subtrees
*
* @param object $parser parser object
* @param _smarty_parsetree $subtree parsetree buffer
*/
public function __construct($parser, _smarty_parsetree $subtree)
{
$this->parser = $parser;
$this->subtrees[] = $subtree;
if ($subtree instanceof _smarty_tag) {
$this->parser->block_nesting_level = count($this->parser->compiler->_tag_stack);
}
}
/**
* Append buffer to subtree
*
* @param _smarty_parsetree $subtree parsetree buffer
*/
public function append_subtree(_smarty_parsetree $subtree)
{
$last_subtree = count($this->subtrees) - 1;
if ($last_subtree >= 0 && $this->subtrees[$last_subtree] instanceof _smarty_tag && $this->subtrees[$last_subtree]->saved_block_nesting < $this->parser->block_nesting_level) {
if ($subtree instanceof _smarty_code) {
$this->subtrees[$last_subtree]->data .= '<?php echo ' . $subtree->data . ';?>';
} elseif ($subtree instanceof _smarty_dq_content) {
$this->subtrees[$last_subtree]->data .= '<?php echo "' . $subtree->data . '";?>';
} else {
$this->subtrees[$last_subtree]->data .= $subtree->data;
}
} else {
$this->subtrees[] = $subtree;
}
if ($subtree instanceof _smarty_tag) {
$this->parser->block_nesting_level = count($this->parser->compiler->_tag_stack);
}
}
/**
* Merge subtree buffer content together
*
* @return string compiled template code
*/
public function to_smarty_php()
{
$code = '';
foreach ($this->subtrees as $subtree) {
if ($code !== "") {
$code .= ".";
}
if ($subtree instanceof _smarty_tag) {
$more_php = $subtree->assign_to_var();
} else {
$more_php = $subtree->to_smarty_php();
}
$code .= $more_php;
if (!$subtree instanceof _smarty_dq_content) {
$this->parser->compiler->has_variable_string = true;
}
}
return $code;
}
}
/**
* Raw chars as part of a double quoted string.
*
* @package Smarty
* @subpackage Compiler
* @ignore
*/
class _smarty_dq_content extends _smarty_parsetree {
/**
* Create parse tree buffer with string content
*
* @param object $parser parser object
* @param string $data string section
*/
public function __construct($parser, $data)
{
$this->parser = $parser;
$this->data = $data;
}
/**
* Return content as double quoted string
*
* @return string doubled quoted string
*/
public function to_smarty_php()
{
return '"' . $this->data . '"';
}
}
/**
* Template element
*
* @package Smarty
* @subpackage Compiler
* @ignore
*/
class _smarty_template_buffer extends _smarty_parsetree {
/**
* Array of template elements
*
* @var array
*/
public $subtrees = Array();
/**
* Create root of parse tree for template elements
*
* @param object $parser parse object
*/
public function __construct($parser)
{
$this->parser = $parser;
}
/**
* Append buffer to subtree
*
* @param _smarty_parsetree $subtree
*/
public function append_subtree(_smarty_parsetree $subtree)
{
$this->subtrees[] = $subtree;
}
/**
* Sanitize and merge subtree buffers together
*
* @return string template code content
*/
public function to_smarty_php()
{
$code = '';
for ($key = 0, $cnt = count($this->subtrees); $key < $cnt; $key++) {
if ($key + 2 < $cnt) {
if ($this->subtrees[$key] instanceof _smarty_linebreak && $this->subtrees[$key + 1] instanceof _smarty_tag && $this->subtrees[$key + 1]->data == '' && $this->subtrees[$key + 2] instanceof _smarty_linebreak) {
$key = $key + 1;
continue;
}
if (substr($this->subtrees[$key]->data, -1) == '<' && $this->subtrees[$key + 1]->data == '' && substr($this->subtrees[$key + 2]->data, -1) == '?') {
$key = $key + 2;
continue;
}
}
if (substr($code, -1) == '<') {
$subtree = $this->subtrees[$key]->to_smarty_php();
if (substr($subtree, 0, 1) == '?') {
$code = substr($code, 0, strlen($code) - 1) . '<<?php ?>?' . substr($subtree, 1);
} elseif ($this->parser->asp_tags && substr($subtree, 0, 1) == '%') {
$code = substr($code, 0, strlen($code) - 1) . '<<?php ?>%' . substr($subtree, 1);
} else {
$code .= $subtree;
}
continue;
}
if ($this->parser->asp_tags && substr($code, -1) == '%') {
$subtree = $this->subtrees[$key]->to_smarty_php();
if (substr($subtree, 0, 1) == '>') {
$code = substr($code, 0, strlen($code) - 1) . '%<?php ?>>' . substr($subtree, 1);
} else {
$code .= $subtree;
}
continue;
}
if (substr($code, -1) == '?') {
$subtree = $this->subtrees[$key]->to_smarty_php();
if (substr($subtree, 0, 1) == '>') {
$code = substr($code, 0, strlen($code) - 1) . '?<?php ?>>' . substr($subtree, 1);
} else {
$code .= $subtree;
}
continue;
}
$code .= $this->subtrees[$key]->to_smarty_php();
}
return $code;
}
}
/**
* template text
*
* @package Smarty
* @subpackage Compiler
* @ignore
*/
class _smarty_text extends _smarty_parsetree {
/**
* Create template text buffer
*
* @param object $parser parser object
* @param string $data text
*/
public function __construct($parser, $data)
{
$this->parser = $parser;
$this->data = $data;
}
/**
* Return buffer content
*
* @return strint text
*/
public function to_smarty_php()
{
return $this->data;
}
}
/**
* template linebreaks
*
* @package Smarty
* @subpackage Compiler
* @ignore
*/
class _smarty_linebreak extends _smarty_parsetree {
/**
* Create buffer with linebreak content
*
* @param object $parser parser object
* @param string $data linebreak string
*/
public function __construct($parser, $data)
{
$this->parser = $parser;
$this->data = $data;
}
/**
* Return linebrak
*
* @return string linebreak
*/
public function to_smarty_php()
{
return $this->data;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_parsetree.php | PHP | asf20 | 10,051 |
<?php
/**
* Smarty Internal Plugin Smarty Template Compiler Base
*
* This file contains the basic classes and methodes for compiling Smarty templates with lexer/parser
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Main abstract compiler class
*
* @package Smarty
* @subpackage Compiler
*/
abstract class Smarty_Internal_TemplateCompilerBase {
/**
* hash for nocache sections
*
* @var mixed
*/
private $nocache_hash = null;
/**
* suppress generation of nocache code
*
* @var bool
*/
public $suppressNocacheProcessing = false;
/**
* suppress generation of merged template code
*
* @var bool
*/
public $suppressMergedTemplates = false;
/**
* compile tag objects
*
* @var array
*/
public static $_tag_objects = array();
/**
* tag stack
*
* @var array
*/
public $_tag_stack = array();
/**
* current template
*
* @var Smarty_Internal_Template
*/
public $template = null;
/**
* merged templates
*
* @var array
*/
public $merged_templates = array();
/**
* flag when compiling {block}
*
* @var bool
*/
public $inheritance = false;
/**
* plugins loaded by default plugin handler
*
* @var array
*/
public $default_handler_plugins = array();
/**
* saved preprocessed modifier list
*
* @var mixed
*/
public $default_modifier_list = null;
/**
* force compilation of complete template as nocache
* @var boolean
*/
public $forceNocache = false;
/**
* suppress Smarty header code in compiled template
* @var bool
*/
public $suppressHeader = false;
/**
* suppress template property header code in compiled template
* @var bool
*/
public $suppressTemplatePropertyHeader = false;
/**
* flag if compiled template file shall we written
* @var bool
*/
public $write_compiled_code = true;
/**
* flag if currently a template function is compiled
* @var bool
*/
public $compiles_template_function = false;
/**
* called subfuntions from template function
* @var array
*/
public $called_functions = array();
/**
* flags for used modifier plugins
* @var array
*/
public $modifier_plugins = array();
/**
* Initialize compiler
*/
public function __construct()
{
$this->nocache_hash = str_replace('.', '-', uniqid(rand(), true));
}
/**
* Method to compile a Smarty template
*
* @param Smarty_Internal_Template $template template object to compile
* @return bool true if compiling succeeded, false if it failed
*/
public function compileTemplate(Smarty_Internal_Template $template)
{
if (empty($template->properties['nocache_hash'])) {
$template->properties['nocache_hash'] = $this->nocache_hash;
} else {
$this->nocache_hash = $template->properties['nocache_hash'];
}
// flag for nochache sections
$this->nocache = false;
$this->tag_nocache = false;
// save template object in compiler class
$this->template = $template;
// reset has noche code flag
$this->template->has_nocache_code = false;
$this->smarty->_current_file = $saved_filepath = $this->template->source->filepath;
// template header code
$template_header = '';
if (!$this->suppressHeader) {
$template_header .= "<?php /* Smarty version " . Smarty::SMARTY_VERSION . ", created on " . strftime("%Y-%m-%d %H:%M:%S") . "\n";
$template_header .= " compiled from \"" . $this->template->source->filepath . "\" */ ?>\n";
}
do {
// flag for aborting current and start recompile
$this->abort_and_recompile = false;
// get template source
$_content = $template->source->content;
// run prefilter if required
if (isset($this->smarty->autoload_filters['pre']) || isset($this->smarty->registered_filters['pre'])) {
$template->source->content = $_content = Smarty_Internal_Filter_Handler::runFilter('pre', $_content, $template);
}
// on empty template just return header
if ($_content == '') {
if ($this->suppressTemplatePropertyHeader) {
$code = '';
} else {
$code = $template_header . $template->createTemplateCodeFrame();
}
return $code;
}
// call compiler
$_compiled_code = $this->doCompile($_content);
} while ($this->abort_and_recompile);
$this->template->source->filepath = $saved_filepath;
// free memory
unset($this->parser->root_buffer, $this->parser->current_buffer, $this->parser, $this->lex, $this->template);
self::$_tag_objects = array();
// return compiled code to template object
$merged_code = '';
if (!$this->suppressMergedTemplates) {
foreach ($this->merged_templates as $code) {
$merged_code .= $code;
}
}
if ($this->suppressTemplatePropertyHeader) {
$code = $_compiled_code . $merged_code;
} else {
$code = $template_header . $template->createTemplateCodeFrame($_compiled_code) . $merged_code;
}
// run postfilter if required
if (isset($this->smarty->autoload_filters['post']) || isset($this->smarty->registered_filters['post'])) {
$code = Smarty_Internal_Filter_Handler::runFilter('post', $code, $template);
}
return $code;
}
/**
* Compile Tag
*
* This is a call back from the lexer/parser
* It executes the required compile plugin for the Smarty tag
*
* @param string $tag tag name
* @param array $args array with tag attributes
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compileTag($tag, $args, $parameter = array())
{
// $args contains the attributes parsed and compiled by the lexer/parser
// assume that tag does compile into code, but creates no HTML output
$this->has_code = true;
$this->has_output = false;
// log tag/attributes
if (isset($this->smarty->get_used_tags) && $this->smarty->get_used_tags) {
$this->template->used_tags[] = array($tag, $args);
}
// check nocache option flag
if (in_array("'nocache'",$args) || in_array(array('nocache'=>'true'),$args)
|| in_array(array('nocache'=>'"true"'),$args) || in_array(array('nocache'=>"'true'"),$args)) {
$this->tag_nocache = true;
}
// compile the smarty tag (required compile classes to compile the tag are autoloaded)
if (($_output = $this->callTagCompiler($tag, $args, $parameter)) === false) {
if (isset($this->smarty->template_functions[$tag])) {
// template defined by {template} tag
$args['_attr']['name'] = "'" . $tag . "'";
$_output = $this->callTagCompiler('call', $args, $parameter);
}
}
if ($_output !== false) {
if ($_output !== true) {
// did we get compiled code
if ($this->has_code) {
// Does it create output?
if ($this->has_output) {
$_output .= "\n";
}
// return compiled code
return $_output;
}
}
// tag did not produce compiled code
return '';
} else {
// map_named attributes
if (isset($args['_attr'])) {
foreach ($args['_attr'] as $key => $attribute) {
if (is_array($attribute)) {
$args = array_merge($args, $attribute);
}
}
}
// not an internal compiler tag
if (strlen($tag) < 6 || substr($tag, -5) != 'close') {
// check if tag is a registered object
if (isset($this->smarty->registered_objects[$tag]) && isset($parameter['object_methode'])) {
$methode = $parameter['object_methode'];
if (!in_array($methode, $this->smarty->registered_objects[$tag][3]) &&
(empty($this->smarty->registered_objects[$tag][1]) || in_array($methode, $this->smarty->registered_objects[$tag][1]))) {
return $this->callTagCompiler('private_object_function', $args, $parameter, $tag, $methode);
} elseif (in_array($methode, $this->smarty->registered_objects[$tag][3])) {
return $this->callTagCompiler('private_object_block_function', $args, $parameter, $tag, $methode);
} else {
return $this->trigger_template_error ('unallowed methode "' . $methode . '" in registered object "' . $tag . '"', $this->lex->taglineno);
}
}
// check if tag is registered
foreach (array(Smarty::PLUGIN_COMPILER, Smarty::PLUGIN_FUNCTION, Smarty::PLUGIN_BLOCK) as $plugin_type) {
if (isset($this->smarty->registered_plugins[$plugin_type][$tag])) {
// if compiler function plugin call it now
if ($plugin_type == Smarty::PLUGIN_COMPILER) {
$new_args = array();
foreach ($args as $key => $mixed) {
if (is_array($mixed)) {
$new_args = array_merge($new_args, $mixed);
} else {
$new_args[$key] = $mixed;
}
}
if (!$this->smarty->registered_plugins[$plugin_type][$tag][1]) {
$this->tag_nocache = true;
}
$function = $this->smarty->registered_plugins[$plugin_type][$tag][0];
if (!is_array($function)) {
return $function($new_args, $this);
} else if (is_object($function[0])) {
return $this->smarty->registered_plugins[$plugin_type][$tag][0][0]->$function[1]($new_args, $this);
} else {
return call_user_func_array($function, array($new_args, $this));
}
}
// compile registered function or block function
if ($plugin_type == Smarty::PLUGIN_FUNCTION || $plugin_type == Smarty::PLUGIN_BLOCK) {
return $this->callTagCompiler('private_registered_' . $plugin_type, $args, $parameter, $tag);
}
}
}
// check plugins from plugins folder
foreach ($this->smarty->plugin_search_order as $plugin_type) {
if ($plugin_type == Smarty::PLUGIN_BLOCK && $this->smarty->loadPlugin('smarty_compiler_' . $tag) && (!isset($this->smarty->security_policy) || $this->smarty->security_policy->isTrustedTag($tag, $this))) {
$plugin = 'smarty_compiler_' . $tag;
if (is_callable($plugin)) {
// convert arguments format for old compiler plugins
$new_args = array();
foreach ($args as $key => $mixed) {
if (is_array($mixed)) {
$new_args = array_merge($new_args, $mixed);
} else {
$new_args[$key] = $mixed;
}
}
return $plugin($new_args, $this->smarty);
}
if (class_exists($plugin, false)) {
$plugin_object = new $plugin;
if (method_exists($plugin_object, 'compile')) {
return $plugin_object->compile($args, $this);
}
}
throw new SmartyException("Plugin \"{$tag}\" not callable");
} else {
if ($function = $this->getPlugin($tag, $plugin_type)) {
if(!isset($this->smarty->security_policy) || $this->smarty->security_policy->isTrustedTag($tag, $this)) {
return $this->callTagCompiler('private_' . $plugin_type . '_plugin', $args, $parameter, $tag, $function);
}
}
}
}
if (is_callable($this->smarty->default_plugin_handler_func)) {
$found = false;
// look for already resolved tags
foreach ($this->smarty->plugin_search_order as $plugin_type) {
if (isset($this->default_handler_plugins[$plugin_type][$tag])) {
$found = true;
break;
}
}
if (!$found) {
// call default handler
foreach ($this->smarty->plugin_search_order as $plugin_type) {
if ($this->getPluginFromDefaultHandler($tag, $plugin_type)) {
$found = true;
break;
}
}
}
if ($found) {
// if compiler function plugin call it now
if ($plugin_type == Smarty::PLUGIN_COMPILER) {
$new_args = array();
foreach ($args as $mixed) {
$new_args = array_merge($new_args, $mixed);
}
$function = $this->default_handler_plugins[$plugin_type][$tag][0];
if (!is_array($function)) {
return $function($new_args, $this);
} else if (is_object($function[0])) {
return $this->default_handler_plugins[$plugin_type][$tag][0][0]->$function[1]($new_args, $this);
} else {
return call_user_func_array($function, array($new_args, $this));
}
} else {
return $this->callTagCompiler('private_registered_' . $plugin_type, $args, $parameter, $tag);
}
}
}
} else {
// compile closing tag of block function
$base_tag = substr($tag, 0, -5);
// check if closing tag is a registered object
if (isset($this->smarty->registered_objects[$base_tag]) && isset($parameter['object_methode'])) {
$methode = $parameter['object_methode'];
if (in_array($methode, $this->smarty->registered_objects[$base_tag][3])) {
return $this->callTagCompiler('private_object_block_function', $args, $parameter, $tag, $methode);
} else {
return $this->trigger_template_error ('unallowed closing tag methode "' . $methode . '" in registered object "' . $base_tag . '"', $this->lex->taglineno);
}
}
// registered block tag ?
if (isset($this->smarty->registered_plugins[Smarty::PLUGIN_BLOCK][$base_tag]) || isset($this->default_handler_plugins[Smarty::PLUGIN_BLOCK][$base_tag])) {
return $this->callTagCompiler('private_registered_block', $args, $parameter, $tag);
}
// block plugin?
if ($function = $this->getPlugin($base_tag, Smarty::PLUGIN_BLOCK)) {
return $this->callTagCompiler('private_block_plugin', $args, $parameter, $tag, $function);
}
if ($this->smarty->loadPlugin('smarty_compiler_' . $tag)) {
$plugin = 'smarty_compiler_' . $tag;
if (is_callable($plugin)) {
return $plugin($args, $this->smarty);
}
if (class_exists($plugin, false)) {
$plugin_object = new $plugin;
if (method_exists($plugin_object, 'compile')) {
return $plugin_object->compile($args, $this);
}
}
throw new SmartyException("Plugin \"{$tag}\" not callable");
}
}
$this->trigger_template_error ("unknown tag \"" . $tag . "\"", $this->lex->taglineno);
}
}
/**
* lazy loads internal compile plugin for tag and calls the compile methode
*
* compile objects cached for reuse.
* class name format: Smarty_Internal_Compile_TagName
* plugin filename format: Smarty_Internal_Tagname.php
*
* @param string $tag tag name
* @param array $args list of tag attributes
* @param mixed $param1 optional parameter
* @param mixed $param2 optional parameter
* @param mixed $param3 optional parameter
* @return string compiled code
*/
public function callTagCompiler($tag, $args, $param1 = null, $param2 = null, $param3 = null)
{
// re-use object if already exists
if (isset(self::$_tag_objects[$tag])) {
// compile this tag
return self::$_tag_objects[$tag]->compile($args, $this, $param1, $param2, $param3);
}
// lazy load internal compiler plugin
$class_name = 'Smarty_Internal_Compile_' . $tag;
if ($this->smarty->loadPlugin($class_name)) {
// check if tag allowed by security
if (!isset($this->smarty->security_policy) || $this->smarty->security_policy->isTrustedTag($tag, $this)) {
// use plugin if found
self::$_tag_objects[$tag] = new $class_name;
// compile this tag
return self::$_tag_objects[$tag]->compile($args, $this, $param1, $param2, $param3);
}
}
// no internal compile plugin for this tag
return false;
}
/**
* Check for plugins and return function name
*
* @param string $pugin_name name of plugin or function
* @param string $plugin_type type of plugin
* @return string call name of function
*/
public function getPlugin($plugin_name, $plugin_type)
{
$function = null;
if ($this->template->caching && ($this->nocache || $this->tag_nocache)) {
if (isset($this->template->required_plugins['nocache'][$plugin_name][$plugin_type])) {
$function = $this->template->required_plugins['nocache'][$plugin_name][$plugin_type]['function'];
} else if (isset($this->template->required_plugins['compiled'][$plugin_name][$plugin_type])) {
$this->template->required_plugins['nocache'][$plugin_name][$plugin_type] = $this->template->required_plugins['compiled'][$plugin_name][$plugin_type];
$function = $this->template->required_plugins['nocache'][$plugin_name][$plugin_type]['function'];
}
} else {
if (isset($this->template->required_plugins['compiled'][$plugin_name][$plugin_type])) {
$function = $this->template->required_plugins['compiled'][$plugin_name][$plugin_type]['function'];
} else if (isset($this->template->required_plugins['nocache'][$plugin_name][$plugin_type])) {
$this->template->required_plugins['compiled'][$plugin_name][$plugin_type] = $this->template->required_plugins['nocache'][$plugin_name][$plugin_type];
$function = $this->template->required_plugins['compiled'][$plugin_name][$plugin_type]['function'];
}
}
if (isset($function)) {
if ($plugin_type == 'modifier') {
$this->modifier_plugins[$plugin_name] = true;
}
return $function;
}
// loop through plugin dirs and find the plugin
$function = 'smarty_' . $plugin_type . '_' . $plugin_name;
$file = $this->smarty->loadPlugin($function, false);
if (is_string($file)) {
if ($this->template->caching && ($this->nocache || $this->tag_nocache)) {
$this->template->required_plugins['nocache'][$plugin_name][$plugin_type]['file'] = $file;
$this->template->required_plugins['nocache'][$plugin_name][$plugin_type]['function'] = $function;
} else {
$this->template->required_plugins['compiled'][$plugin_name][$plugin_type]['file'] = $file;
$this->template->required_plugins['compiled'][$plugin_name][$plugin_type]['function'] = $function;
}
if ($plugin_type == 'modifier') {
$this->modifier_plugins[$plugin_name] = true;
}
return $function;
}
if (is_callable($function)) {
// plugin function is defined in the script
return $function;
}
return false;
}
/**
* Check for plugins by default plugin handler
*
* @param string $tag name of tag
* @param string $plugin_type type of plugin
* @return boolean true if found
*/
public function getPluginFromDefaultHandler($tag, $plugin_type)
{
$callback = null;
$script = null;
$result = call_user_func_array(
$this->smarty->default_plugin_handler_func,
array($tag, $plugin_type, $this->template, &$callback, &$script)
);
if ($result) {
if ($script !== null) {
if (is_file($script)) {
if ($this->template->caching && ($this->nocache || $this->tag_nocache)) {
$this->template->required_plugins['nocache'][$tag][$plugin_type]['file'] = $script;
$this->template->required_plugins['nocache'][$tag][$plugin_type]['function'] = $callback;
} else {
$this->template->required_plugins['compiled'][$tag][$plugin_type]['file'] = $script;
$this->template->required_plugins['compiled'][$tag][$plugin_type]['function'] = $callback;
}
include_once $script;
} else {
$this->trigger_template_error("Default plugin handler: Returned script file \"{$script}\" for \"{$tag}\" not found");
}
}
if (!is_string($callback) && !(is_array($callback) && is_string($callback[0]) && is_string($callback[1]))) {
$this->trigger_template_error("Default plugin handler: Returned callback for \"{$tag}\" must be a static function name or array of class and function name");
}
if (is_callable($callback)) {
$this->default_handler_plugins[$plugin_type][$tag] = array($callback, true, array());
return true;
} else {
$this->trigger_template_error("Default plugin handler: Returned callback for \"{$tag}\" not callable");
}
}
return false;
}
/**
* Inject inline code for nocache template sections
*
* This method gets the content of each template element from the parser.
* If the content is compiled code and it should be not cached the code is injected
* into the rendered output.
*
* @param string $content content of template element
* @param boolean $is_code true if content is compiled code
* @return string content
*/
public function processNocacheCode($content, $is_code)
{
// If the template is not evaluated and we have a nocache section and or a nocache tag
if ($is_code && !empty($content)) {
// generate replacement code
if ((!($this->template->source->recompiled) || $this->forceNocache) && $this->template->caching && !$this->suppressNocacheProcessing &&
($this->nocache || $this->tag_nocache || $this->forceNocache == 2)) {
$this->template->has_nocache_code = true;
$_output = str_replace("'", "\'", $content);
$_output = str_replace('\\\\', '\\\\\\\\', $_output);
$_output = str_replace("^#^", "'", $_output);
$_output = "<?php echo '/*%%SmartyNocache:{$this->nocache_hash}%%*/" . $_output . "/*/%%SmartyNocache:{$this->nocache_hash}%%*/';?>\n";
// make sure we include modifer plugins for nocache code
foreach ($this->modifier_plugins as $plugin_name => $dummy) {
if (isset($this->template->required_plugins['compiled'][$plugin_name]['modifier'])) {
$this->template->required_plugins['nocache'][$plugin_name]['modifier'] = $this->template->required_plugins['compiled'][$plugin_name]['modifier'];
}
}
} else {
$_output = $content;
}
} else {
$_output = $content;
}
$this->modifier_plugins = array();
$this->suppressNocacheProcessing = false;
$this->tag_nocache = false;
return $_output;
}
/**
* display compiler error messages without dying
*
* If parameter $args is empty it is a parser detected syntax error.
* In this case the parser is called to obtain information about expected tokens.
*
* If parameter $args contains a string this is used as error message
*
* @param string $args individual error message or null
* @param string $line line-number
* @throws SmartyCompilerException when an unexpected token is found
*/
public function trigger_template_error($args = null, $line = null)
{
// get template source line which has error
if (!isset($line)) {
$line = $this->lex->line;
}
$match = preg_split("/\n/", $this->lex->data);
$error_text = 'Syntax Error in template "' . $this->template->source->filepath . '" on line ' . $line . ' "' . htmlspecialchars(trim(preg_replace('![\t\r\n]+!',' ',$match[$line-1]))) . '" ';
if (isset($args)) {
// individual error message
$error_text .= $args;
} else {
// expected token from parser
$error_text .= ' - Unexpected "' . $this->lex->value.'"';
if (count($this->parser->yy_get_expected_tokens($this->parser->yymajor)) <= 4 ) {
foreach ($this->parser->yy_get_expected_tokens($this->parser->yymajor) as $token) {
$exp_token = $this->parser->yyTokenName[$token];
if (isset($this->lex->smarty_token_names[$exp_token])) {
// token type from lexer
$expect[] = '"' . $this->lex->smarty_token_names[$exp_token] . '"';
} else {
// otherwise internal token name
$expect[] = $this->parser->yyTokenName[$token];
}
}
$error_text .= ', expected one of: ' . implode(' , ', $expect);
}
}
throw new SmartyCompilerException($error_text);
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_templatecompilerbase.php | PHP | asf20 | 28,935 |
<?php
/**
* Smarty Internal Plugin Resource Extends
*
* @package Smarty
* @subpackage TemplateResources
* @author Uwe Tews
* @author Rodney Rehm
*/
/**
* Smarty Internal Plugin Resource Extends
*
* Implements the file system as resource for Smarty which {extend}s a chain of template files templates
*
* @package Smarty
* @subpackage TemplateResources
*/
class Smarty_Internal_Resource_Extends extends Smarty_Resource {
/**
* populate Source Object with meta data from Resource
*
* @param Smarty_Template_Source $source source object
* @param Smarty_Internal_Template $_template template object
*/
public function populate(Smarty_Template_Source $source, Smarty_Internal_Template $_template=null)
{
$uid = '';
$sources = array();
$components = explode('|', $source->name);
$exists = true;
foreach ($components as $component) {
$s = Smarty_Resource::source(null, $source->smarty, $component);
if ($s->type == 'php') {
throw new SmartyException("Resource type {$s->type} cannot be used with the extends resource type");
}
$sources[$s->uid] = $s;
$uid .= $s->filepath;
if ($_template && $_template->smarty->compile_check) {
$exists == $exists && $s->exists;
}
}
$source->components = $sources;
$source->filepath = $s->filepath;
$source->uid = sha1($uid);
if ($_template && $_template->smarty->compile_check) {
$source->timestamp = $s->timestamp;
$source->exists = $exists;
}
// need the template at getContent()
$source->template = $_template;
}
/**
* populate Source Object with timestamp and exists from Resource
*
* @param Smarty_Template_Source $source source object
*/
public function populateTimestamp(Smarty_Template_Source $source)
{
$source->exists = true;
foreach ($source->components as $s) {
$source->exists == $source->exists && $s->exists;
}
$source->timestamp = $s->timestamp;
}
/**
* Load template's source from files into current template object
*
* @param Smarty_Template_Source $source source object
* @return string template source
* @throws SmartyException if source cannot be loaded
*/
public function getContent(Smarty_Template_Source $source)
{
if (!$source->exists) {
throw new SmartyException("Unable to read template {$source->type} '{$source->name}'");
}
$_rdl = preg_quote($source->smarty->right_delimiter);
$_ldl = preg_quote($source->smarty->left_delimiter);
$_components = array_reverse($source->components);
$_first = reset($_components);
$_last = end($_components);
foreach ($_components as $_component) {
// register dependency
if ($_component != $_first) {
$source->template->properties['file_dependency'][$_component->uid] = array($_component->filepath, $_component->timestamp, $_component->type);
}
// read content
$source->filepath = $_component->filepath;
$_content = $_component->content;
// extend sources
if ($_component != $_last) {
if (preg_match_all("!({$_ldl}block\s(.+?){$_rdl})!", $_content, $_open) !=
preg_match_all("!({$_ldl}/block{$_rdl})!", $_content, $_close)) {
throw new SmartyException("unmatched {block} {/block} pairs in template {$_component->type} '{$_component->name}'");
}
preg_match_all("!{$_ldl}block\s(.+?){$_rdl}|{$_ldl}/block{$_rdl}|{$_ldl}\*([\S\s]*?)\*{$_rdl}!", $_content, $_result, PREG_OFFSET_CAPTURE);
$_result_count = count($_result[0]);
$_start = 0;
while ($_start+1 < $_result_count) {
$_end = 0;
$_level = 1;
if (substr($_result[0][$_start][0],0,strlen($source->smarty->left_delimiter)+1) == $source->smarty->left_delimiter.'*') {
$_start++;
continue;
}
while ($_level != 0) {
$_end++;
if (substr($_result[0][$_start + $_end][0],0,strlen($source->smarty->left_delimiter)+1) == $source->smarty->left_delimiter.'*') {
continue;
}
if (!strpos($_result[0][$_start + $_end][0], '/')) {
$_level++;
} else {
$_level--;
}
}
$_block_content = str_replace($source->smarty->left_delimiter . '$smarty.block.parent' . $source->smarty->right_delimiter, '%%%%SMARTY_PARENT%%%%', substr($_content, $_result[0][$_start][1] + strlen($_result[0][$_start][0]), $_result[0][$_start + $_end][1] - $_result[0][$_start][1] - + strlen($_result[0][$_start][0])));
Smarty_Internal_Compile_Block::saveBlockData($_block_content, $_result[0][$_start][0], $source->template, $_component->filepath);
$_start = $_start + $_end + 1;
}
} else {
return $_content;
}
}
}
/**
* Determine basename for compiled filename
*
* @param Smarty_Template_Source $source source object
* @return string resource's basename
*/
public function getBasename(Smarty_Template_Source $source)
{
return str_replace(':', '.', basename($source->filepath));
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_resource_extends.php | PHP | asf20 | 5,923 |
<?php
/**
* Smarty Internal Plugin Compile Capture
*
* Compiles the {capture} tag
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Capture Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Capture extends Smarty_Internal_CompileBase {
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $shorttag_order = array('name');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $optional_attributes = array('name', 'assign', 'append');
/**
* Compiles code for the {capture} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @return string compiled code
*/
public function compile($args, $compiler)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
$buffer = isset($_attr['name']) ? $_attr['name'] : "'default'";
$assign = isset($_attr['assign']) ? $_attr['assign'] : 'null';
$append = isset($_attr['append']) ? $_attr['append'] : 'null';
$compiler->_capture_stack[0][] = array($buffer, $assign, $append, $compiler->nocache);
// maybe nocache because of nocache variables
$compiler->nocache = $compiler->nocache | $compiler->tag_nocache;
$_output = "<?php \$_smarty_tpl->_capture_stack[0][] = array($buffer, $assign, $append); ob_start(); ?>";
return $_output;
}
}
/**
* Smarty Internal Plugin Compile Captureclose Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_CaptureClose extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {/capture} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @return string compiled code
*/
public function compile($args, $compiler)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
// must endblock be nocache?
if ($compiler->nocache) {
$compiler->tag_nocache = true;
}
list($buffer, $assign, $append, $compiler->nocache) = array_pop($compiler->_capture_stack[0]);
$_output = "<?php list(\$_capture_buffer, \$_capture_assign, \$_capture_append) = array_pop(\$_smarty_tpl->_capture_stack[0]);\n";
$_output .= "if (!empty(\$_capture_buffer)) {\n";
$_output .= " if (isset(\$_capture_assign)) \$_smarty_tpl->assign(\$_capture_assign, ob_get_contents());\n";
$_output .= " if (isset( \$_capture_append)) \$_smarty_tpl->append( \$_capture_append, ob_get_contents());\n";
$_output .= " Smarty::\$_smarty_vars['capture'][\$_capture_buffer]=ob_get_clean();\n";
$_output .= "} else \$_smarty_tpl->capture_error();?>";
return $_output;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_capture.php | PHP | asf20 | 3,167 |
<?php
/**
* Smarty Internal Plugin
*
* @package Smarty
* @subpackage Cacher
*/
/**
* Cache Handler API
*
* @package Smarty
* @subpackage Cacher
* @author Rodney Rehm
*/
abstract class Smarty_CacheResource_Custom extends Smarty_CacheResource {
/**
* fetch cached content and its modification time from data source
*
* @param string $id unique cache content identifier
* @param string $name template name
* @param string $cache_id cache id
* @param string $compile_id compile id
* @param string $content cached content
* @param integer $mtime cache modification timestamp (epoch)
* @return void
*/
protected abstract function fetch($id, $name, $cache_id, $compile_id, &$content, &$mtime);
/**
* Fetch cached content's modification timestamp from data source
*
* {@internal implementing this method is optional.
* Only implement it if modification times can be accessed faster than loading the complete cached content.}}
*
* @param string $id unique cache content identifier
* @param string $name template name
* @param string $cache_id cache id
* @param string $compile_id compile id
* @return integer|boolean timestamp (epoch) the template was modified, or false if not found
*/
protected function fetchTimestamp($id, $name, $cache_id, $compile_id)
{
return null;
}
/**
* Save content to cache
*
* @param string $id unique cache content identifier
* @param string $name template name
* @param string $cache_id cache id
* @param string $compile_id compile id
* @param integer|null $exp_time seconds till expiration or null
* @param string $content content to cache
* @return boolean success
*/
protected abstract function save($id, $name, $cache_id, $compile_id, $exp_time, $content);
/**
* Delete content from cache
*
* @param string $name template name
* @param string $cache_id cache id
* @param string $compile_id compile id
* @param integer|null $exp_time seconds till expiration time in seconds or null
* @return integer number of deleted caches
*/
protected abstract function delete($name, $cache_id, $compile_id, $exp_time);
/**
* populate Cached Object with meta data from Resource
*
* @param Smarty_Template_Cached $cached cached object
* @param Smarty_Internal_Template $_template template object
* @return void
*/
public function populate(Smarty_Template_Cached $cached, Smarty_Internal_Template $_template)
{
$_cache_id = isset($cached->cache_id) ? preg_replace('![^\w\|]+!', '_', $cached->cache_id) : null;
$_compile_id = isset($cached->compile_id) ? preg_replace('![^\w\|]+!', '_', $cached->compile_id) : null;
$cached->filepath = sha1($cached->source->filepath . $_cache_id . $_compile_id);
$this->populateTimestamp($cached);
}
/**
* populate Cached Object with timestamp and exists from Resource
*
* @param Smarty_Template_Cached $source cached object
* @return void
*/
public function populateTimestamp(Smarty_Template_Cached $cached)
{
$mtime = $this->fetchTimestamp($cached->filepath, $cached->source->name, $cached->cache_id, $cached->compile_id);
if ($mtime !== null) {
$cached->timestamp = $mtime;
$cached->exists = !!$cached->timestamp;
return;
}
$timestamp = null;
$this->fetch($cached->filepath, $cached->source->name, $cached->cache_id, $cached->compile_id, $cached->content, $timestamp);
$cached->timestamp = isset($timestamp) ? $timestamp : false;
$cached->exists = !!$cached->timestamp;
}
/**
* Read the cached template and process the header
*
* @param Smarty_Internal_Template $_template template object
* @param Smarty_Template_Cached $cached cached object
* @return booelan true or false if the cached content does not exist
*/
public function process(Smarty_Internal_Template $_template, Smarty_Template_Cached $cached=null)
{
if (!$cached) {
$cached = $_template->cached;
}
$content = $cached->content ? $cached->content : null;
$timestamp = $cached->timestamp ? $cached->timestamp : null;
if ($content === null || !$timestamp) {
$this->fetch(
$_template->cached->filepath,
$_template->source->name,
$_template->cache_id,
$_template->compile_id,
$content,
$timestamp
);
}
if (isset($content)) {
$_smarty_tpl = $_template;
eval("?>" . $content);
return true;
}
return false;
}
/**
* Write the rendered template output to cache
*
* @param Smarty_Internal_Template $_template template object
* @param string $content content to cache
* @return boolean success
*/
public function writeCachedContent(Smarty_Internal_Template $_template, $content)
{
return $this->save(
$_template->cached->filepath,
$_template->source->name,
$_template->cache_id,
$_template->compile_id,
$_template->properties['cache_lifetime'],
$content
);
}
/**
* Empty cache
*
* @param Smarty $smarty Smarty object
* @param integer $exp_time expiration time (number of seconds, not timestamp)
* @return integer number of cache files deleted
*/
public function clearAll(Smarty $smarty, $exp_time=null)
{
$this->cache = array();
return $this->delete(null, null, null, $exp_time);
}
/**
* Empty cache for a specific template
*
* @param Smarty $smarty Smarty object
* @param string $resource_name template name
* @param string $cache_id cache id
* @param string $compile_id compile id
* @param integer $exp_time expiration time (number of seconds, not timestamp)
* @return integer number of cache files deleted
*/
public function clear(Smarty $smarty, $resource_name, $cache_id, $compile_id, $exp_time)
{
$this->cache = array();
return $this->delete($resource_name, $cache_id, $compile_id, $exp_time);
}
/**
* Check is cache is locked for this template
*
* @param Smarty $smarty Smarty object
* @param Smarty_Template_Cached $cached cached object
* @return booelan true or false if cache is locked
*/
public function hasLock(Smarty $smarty, Smarty_Template_Cached $cached)
{
$id = $cached->filepath;
$name = $cached->source->name . '.lock';
$mtime = $this->fetchTimestamp($id, $name, null, null);
if ($mtime === null) {
$this->fetch($id, $name, null, null, $content, $mtime);
}
return $mtime && time() - $mtime < $smarty->locking_timeout;
}
/**
* Lock cache for this template
*
* @param Smarty $smarty Smarty object
* @param Smarty_Template_Cached $cached cached object
*/
public function acquireLock(Smarty $smarty, Smarty_Template_Cached $cached)
{
$cached->is_locked = true;
$id = $cached->filepath;
$name = $cached->source->name . '.lock';
$this->save($id, $name, null, null, $smarty->locking_timeout, '');
}
/**
* Unlock cache for this template
*
* @param Smarty $smarty Smarty object
* @param Smarty_Template_Cached $cached cached object
*/
public function releaseLock(Smarty $smarty, Smarty_Template_Cached $cached)
{
$cached->is_locked = false;
$id = $cached->filepath;
$name = $cached->source->name . '.lock';
$this->delete($name, null, null, null);
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_cacheresource_custom.php | PHP | asf20 | 8,386 |
<?php
/**
* Smarty Internal Plugin Compile Ldelim
*
* Compiles the {ldelim} tag
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Ldelim Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Ldelim extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {ldelim} tag
*
* This tag does output the left delimiter
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @return string compiled code
*/
public function compile($args, $compiler)
{
$_attr = $this->getAttributes($compiler, $args);
if ($_attr['nocache'] === true) {
$compiler->trigger_template_error('nocache option not allowed', $compiler->lex->taglineno);
}
// this tag does not return compiled code
$compiler->has_code = true;
return $compiler->smarty->left_delimiter;
}
}
?>
| 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_ldelim.php | PHP | asf20 | 1,046 |
<?php
/**
* Smarty Internal Plugin Compile Config Load
*
* Compiles the {config load} tag
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Config Load Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Config_Load extends Smarty_Internal_CompileBase {
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $required_attributes = array('file');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $shorttag_order = array('file','section');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $optional_attributes = array('section', 'scope');
/**
* Compiles code for the {config_load} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @return string compiled code
*/
public function compile($args, $compiler)
{
static $_is_legal_scope = array('local' => true,'parent' => true,'root' => true,'global' => true);
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
if ($_attr['nocache'] === true) {
$compiler->trigger_template_error('nocache option not allowed', $compiler->lex->taglineno);
}
// save posible attributes
$conf_file = $_attr['file'];
if (isset($_attr['section'])) {
$section = $_attr['section'];
} else {
$section = 'null';
}
$scope = 'local';
// scope setup
if (isset($_attr['scope'])) {
$_attr['scope'] = trim($_attr['scope'], "'\"");
if (isset($_is_legal_scope[$_attr['scope']])) {
$scope = $_attr['scope'];
} else {
$compiler->trigger_template_error('illegal value for "scope" attribute', $compiler->lex->taglineno);
}
}
// create config object
$_output = "<?php \$_config = new Smarty_Internal_Config($conf_file, \$_smarty_tpl->smarty, \$_smarty_tpl);";
$_output .= "\$_config->loadConfigVars($section, '$scope'); ?>";
return $_output;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_config_load.php | PHP | asf20 | 2,510 |
<?php
/**
* Smarty Internal Plugin Compile Debug
*
* Compiles the {debug} tag.
* It opens a window the the Smarty Debugging Console.
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Debug Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Debug extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {debug} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @return string compiled code
*/
public function compile($args, $compiler)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
// compile always as nocache
$compiler->tag_nocache = true;
// display debug template
$_output = "<?php \$_smarty_tpl->smarty->loadPlugin('Smarty_Internal_Debug'); Smarty_Internal_Debug::display_debug(\$_smarty_tpl); ?>";
return $_output;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_debug.php | PHP | asf20 | 1,075 |
<?php
/**
* Smarty Internal Plugin Compile Continue
*
* Compiles the {continue} tag
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Continue Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Continue extends Smarty_Internal_CompileBase {
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $optional_attributes = array('levels');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $shorttag_order = array('levels');
/**
* Compiles code for the {continue} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
static $_is_loopy = array('for' => true, 'foreach' => true, 'while' => true, 'section' => true);
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
if ($_attr['nocache'] === true) {
$compiler->trigger_template_error('nocache option not allowed', $compiler->lex->taglineno);
}
if (isset($_attr['levels'])) {
if (!is_numeric($_attr['levels'])) {
$compiler->trigger_template_error('level attribute must be a numeric constant', $compiler->lex->taglineno);
}
$_levels = $_attr['levels'];
} else {
$_levels = 1;
}
$level_count = $_levels;
$stack_count = count($compiler->_tag_stack) - 1;
while ($level_count > 0 && $stack_count >= 0) {
if (isset($_is_loopy[$compiler->_tag_stack[$stack_count][0]])) {
$level_count--;
}
$stack_count--;
}
if ($level_count != 0) {
$compiler->trigger_template_error("cannot continue {$_levels} level(s)", $compiler->lex->taglineno);
}
$compiler->has_code = true;
return "<?php continue {$_levels}?>";
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_continue.php | PHP | asf20 | 2,359 |
<?php
/**
* Smarty Internal Plugin Smarty Template Compiler Base
*
* This file contains the basic classes and methodes for compiling Smarty templates with lexer/parser
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* @ignore
*/
include ("smarty_internal_parsetree.php");
/**
* Class SmartyTemplateCompiler
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_SmartyTemplateCompiler extends Smarty_Internal_TemplateCompilerBase {
/**
* Lexer class name
*
* @var string
*/
public $lexer_class;
/**
* Parser class name
*
* @var string
*/
public $parser_class;
/**
* Lexer object
*
* @var object
*/
public $lex;
/**
* Parser object
*
* @var object
*/
public $parser;
/**
* Smarty object
*
* @var object
*/
public $smarty;
/**
* array of vars which can be compiled in local scope
*
* @var array
*/
public $local_var = array();
/**
* Initialize compiler
*
* @param string $lexer_class class name
* @param string $parser_class class name
* @param Smarty $smarty global instance
*/
public function __construct($lexer_class, $parser_class, $smarty)
{
$this->smarty = $smarty;
parent::__construct();
// get required plugins
$this->lexer_class = $lexer_class;
$this->parser_class = $parser_class;
}
/**
* Methode to compile a Smarty template
*
* @param mixed $_content template source
* @return bool true if compiling succeeded, false if it failed
*/
protected function doCompile($_content)
{
/* here is where the compiling takes place. Smarty
tags in the templates are replaces with PHP code,
then written to compiled files. */
// init the lexer/parser to compile the template
$this->lex = new $this->lexer_class($_content, $this);
$this->parser = new $this->parser_class($this->lex, $this);
if ($this->smarty->_parserdebug)
$this->parser->PrintTrace();
// get tokens from lexer and parse them
while ($this->lex->yylex() && !$this->abort_and_recompile) {
if ($this->smarty->_parserdebug) {
echo "<pre>Line {$this->lex->line} Parsing {$this->parser->yyTokenName[$this->lex->token]} Token " .
htmlentities($this->lex->value) . "</pre>";
}
$this->parser->doParse($this->lex->token, $this->lex->value);
}
if ($this->abort_and_recompile) {
// exit here on abort
return false;
}
// finish parsing process
$this->parser->doParse(0, 0);
// check for unclosed tags
if (count($this->_tag_stack) > 0) {
// get stacked info
list($openTag, $_data) = array_pop($this->_tag_stack);
$this->trigger_template_error("unclosed {" . $openTag . "} tag");
}
// return compiled code
// return str_replace(array("? >\n<?php","? ><?php"), array('',''), $this->parser->retvalue);
return $this->parser->retvalue;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_smartytemplatecompiler.php | PHP | asf20 | 3,384 |
<?php
/**
* Smarty Internal Plugin Compile Function
*
* Compiles the {function} {/function} tags
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Function Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Function extends Smarty_Internal_CompileBase {
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $required_attributes = array('name');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $shorttag_order = array('name');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $optional_attributes = array('_any');
/**
* Compiles code for the {function} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return boolean true
*/
public function compile($args, $compiler, $parameter)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
if ($_attr['nocache'] === true) {
$compiler->trigger_template_error('nocache option not allowed', $compiler->lex->taglineno);
}
unset($_attr['nocache']);
$save = array($_attr, $compiler->parser->current_buffer,
$compiler->template->has_nocache_code, $compiler->template->required_plugins);
$this->openTag($compiler, 'function', $save);
$_name = trim($_attr['name'], "'\"");
unset($_attr['name']);
// set flag that we are compiling a template function
$compiler->compiles_template_function = true;
$compiler->template->properties['function'][$_name]['parameter'] = array();
$_smarty_tpl = $compiler->template;
foreach ($_attr as $_key => $_data) {
eval ('$tmp='.$_data.';');
$compiler->template->properties['function'][$_name]['parameter'][$_key] = $tmp;
}
$compiler->smarty->template_functions[$_name]['parameter'] = $compiler->template->properties['function'][$_name]['parameter'];
if ($compiler->template->caching) {
$output = '';
} else {
$output = "<?php if (!function_exists('smarty_template_function_{$_name}')) {
function smarty_template_function_{$_name}(\$_smarty_tpl,\$params) {
\$saved_tpl_vars = \$_smarty_tpl->tpl_vars;
foreach (\$_smarty_tpl->smarty->template_functions['{$_name}']['parameter'] as \$key => \$value) {\$_smarty_tpl->tpl_vars[\$key] = new Smarty_variable(\$value);};
foreach (\$params as \$key => \$value) {\$_smarty_tpl->tpl_vars[\$key] = new Smarty_variable(\$value);}?>";
}
// Init temporay context
$compiler->template->required_plugins = array('compiled' => array(), 'nocache' => array());
$compiler->parser->current_buffer = new _smarty_template_buffer($compiler->parser);
$compiler->parser->current_buffer->append_subtree(new _smarty_tag($compiler->parser, $output));
$compiler->template->has_nocache_code = false;
$compiler->has_code = false;
$compiler->template->properties['function'][$_name]['compiled'] = '';
return true;
}
}
/**
* Smarty Internal Plugin Compile Functionclose Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Functionclose extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {/function} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return boolean true
*/
public function compile($args, $compiler, $parameter)
{
$_attr = $this->getAttributes($compiler, $args);
$saved_data = $this->closeTag($compiler, array('function'));
$_name = trim($saved_data[0]['name'], "'\"");
// build plugin include code
$plugins_string = '';
if (!empty($compiler->template->required_plugins['compiled'])) {
$plugins_string = '<?php ';
foreach($compiler->template->required_plugins['compiled'] as $tmp) {
foreach($tmp as $data) {
$plugins_string .= "if (!is_callable('{$data['function']}')) include '{$data['file']}';\n";
}
}
$plugins_string .= '?>';
}
if (!empty($compiler->template->required_plugins['nocache'])) {
$plugins_string .= "<?php echo '/*%%SmartyNocache:{$compiler->template->properties['nocache_hash']}%%*/<?php ";
foreach($compiler->template->required_plugins['nocache'] as $tmp) {
foreach($tmp as $data) {
$plugins_string .= "if (!is_callable(\'{$data['function']}\')) include \'{$data['file']}\';\n";
}
}
$plugins_string .= "?>/*/%%SmartyNocache:{$compiler->template->properties['nocache_hash']}%%*/';?>\n";
}
// remove last line break from function definition
$last = count($compiler->parser->current_buffer->subtrees) - 1;
if ($compiler->parser->current_buffer->subtrees[$last] instanceof _smarty_linebreak) {
unset($compiler->parser->current_buffer->subtrees[$last]);
}
// if caching save template function for possible nocache call
if ($compiler->template->caching) {
$compiler->template->properties['function'][$_name]['compiled'] .= $plugins_string
. $compiler->parser->current_buffer->to_smarty_php();
$compiler->template->properties['function'][$_name]['nocache_hash'] = $compiler->template->properties['nocache_hash'];
$compiler->template->properties['function'][$_name]['has_nocache_code'] = $compiler->template->has_nocache_code;
$compiler->template->properties['function'][$_name]['called_functions'] = $compiler->called_functions;
$compiler->called_functions = array();
$compiler->smarty->template_functions[$_name] = $compiler->template->properties['function'][$_name];
$compiler->has_code = false;
$output = true;
} else {
$output = $plugins_string . $compiler->parser->current_buffer->to_smarty_php() . "<?php \$_smarty_tpl->tpl_vars = \$saved_tpl_vars;}}?>\n";
}
// reset flag that we are compiling a template function
$compiler->compiles_template_function = false;
// restore old compiler status
$compiler->parser->current_buffer = $saved_data[1];
$compiler->template->has_nocache_code = $compiler->template->has_nocache_code | $saved_data[2];
$compiler->template->required_plugins = $saved_data[3];
return $output;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_function.php | PHP | asf20 | 7,221 |
<?php
/**
* Smarty Internal Plugin Compile Include
*
* Compiles the {include} tag
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Include Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Include extends Smarty_Internal_CompileBase {
/**
* caching mode to create nocache code but no cache file
*/
const CACHING_NOCACHE_CODE = 9999;
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $required_attributes = array('file');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $shorttag_order = array('file');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $option_flags = array('nocache', 'inline', 'caching');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $optional_attributes = array('_any');
/**
* Compiles code for the {include} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
// save posible attributes
$include_file = $_attr['file'];
if (isset($_attr['assign'])) {
// output will be stored in a smarty variable instead of beind displayed
$_assign = $_attr['assign'];
}
$_parent_scope = Smarty::SCOPE_LOCAL;
if (isset($_attr['scope'])) {
$_attr['scope'] = trim($_attr['scope'], "'\"");
if ($_attr['scope'] == 'parent') {
$_parent_scope = Smarty::SCOPE_PARENT;
} elseif ($_attr['scope'] == 'root') {
$_parent_scope = Smarty::SCOPE_ROOT;
} elseif ($_attr['scope'] == 'global') {
$_parent_scope = Smarty::SCOPE_GLOBAL;
}
}
$_caching = 'null';
if ($compiler->nocache || $compiler->tag_nocache) {
$_caching = Smarty::CACHING_OFF;
}
// default for included templates
if ($compiler->template->caching && !$compiler->nocache && !$compiler->tag_nocache) {
$_caching = self::CACHING_NOCACHE_CODE;
}
/*
* if the {include} tag provides individual parameter for caching
* it will not be included into the common cache file and treated like
* a nocache section
*/
if (isset($_attr['cache_lifetime'])) {
$_cache_lifetime = $_attr['cache_lifetime'];
$compiler->tag_nocache = true;
$_caching = Smarty::CACHING_LIFETIME_CURRENT;
} else {
$_cache_lifetime = 'null';
}
if (isset($_attr['cache_id'])) {
$_cache_id = $_attr['cache_id'];
$compiler->tag_nocache = true;
$_caching = Smarty::CACHING_LIFETIME_CURRENT;
} else {
$_cache_id = '$_smarty_tpl->cache_id';
}
if (isset($_attr['compile_id'])) {
$_compile_id = $_attr['compile_id'];
} else {
$_compile_id = '$_smarty_tpl->compile_id';
}
if ($_attr['caching'] === true) {
$_caching = Smarty::CACHING_LIFETIME_CURRENT;
}
if ($_attr['nocache'] === true) {
$compiler->tag_nocache = true;
$_caching = Smarty::CACHING_OFF;
}
$has_compiled_template = false;
if (($compiler->smarty->merge_compiled_includes || $_attr['inline'] === true) && !$compiler->template->source->recompiled
&& !($compiler->template->caching && ($compiler->tag_nocache || $compiler->nocache)) && $_caching != Smarty::CACHING_LIFETIME_CURRENT) {
// check if compiled code can be merged (contains no variable part)
if (!$compiler->has_variable_string && (substr_count($include_file, '"') == 2 or substr_count($include_file, "'") == 2)
and substr_count($include_file, '(') == 0 and substr_count($include_file, '$_smarty_tpl->') == 0) {
$tpl_name = null;
eval("\$tpl_name = $include_file;");
if (!isset($compiler->smarty->merged_templates_func[$tpl_name]) || $compiler->inheritance) {
$tpl = new $compiler->smarty->template_class ($tpl_name, $compiler->smarty, $compiler->template, $compiler->template->cache_id, $compiler->template->compile_id);
// save unique function name
$compiler->smarty->merged_templates_func[$tpl_name]['func'] = $tpl->properties['unifunc'] = 'content_'.uniqid('', false);
// use current nocache hash for inlined code
$compiler->smarty->merged_templates_func[$tpl_name]['nocache_hash'] = $tpl->properties['nocache_hash'] = $compiler->template->properties['nocache_hash'];
if ($compiler->template->caching) {
// needs code for cached page but no cache file
$tpl->caching = self::CACHING_NOCACHE_CODE;
}
// make sure whole chain gest compiled
$tpl->mustCompile = true;
if (!($tpl->source->uncompiled) && $tpl->source->exists) {
// get compiled code
$compiled_code = $tpl->compiler->compileTemplate($tpl);
// release compiler object to free memory
unset($tpl->compiler);
// merge compiled code for {function} tags
$compiler->template->properties['function'] = array_merge($compiler->template->properties['function'], $tpl->properties['function']);
// merge filedependency
$tpl->properties['file_dependency'][$tpl->source->uid] = array($tpl->source->filepath, $tpl->source->timestamp,$tpl->source->type);
$compiler->template->properties['file_dependency'] = array_merge($compiler->template->properties['file_dependency'], $tpl->properties['file_dependency']);
// remove header code
$compiled_code = preg_replace("/(<\?php \/\*%%SmartyHeaderCode:{$tpl->properties['nocache_hash']}%%\*\/(.+?)\/\*\/%%SmartyHeaderCode%%\*\/\?>\n)/s", '', $compiled_code);
if ($tpl->has_nocache_code) {
// replace nocache_hash
$compiled_code = preg_replace("/{$tpl->properties['nocache_hash']}/", $compiler->template->properties['nocache_hash'], $compiled_code);
$compiler->template->has_nocache_code = true;
}
$compiler->merged_templates[$tpl->properties['unifunc']] = $compiled_code;
$has_compiled_template = true;
}
} else {
$has_compiled_template = true;
}
}
}
// delete {include} standard attributes
unset($_attr['file'], $_attr['assign'], $_attr['cache_id'], $_attr['compile_id'], $_attr['cache_lifetime'], $_attr['nocache'], $_attr['caching'], $_attr['scope'], $_attr['inline']);
// remaining attributes must be assigned as smarty variable
if (!empty($_attr)) {
if ($_parent_scope == Smarty::SCOPE_LOCAL) {
// create variables
foreach ($_attr as $key => $value) {
$_pairs[] = "'$key'=>$value";
}
$_vars = 'array('.join(',',$_pairs).')';
$_has_vars = true;
} else {
$compiler->trigger_template_error('variable passing not allowed in parent/global scope', $compiler->lex->taglineno);
}
} else {
$_vars = 'array()';
$_has_vars = false;
}
if ($has_compiled_template) {
$_hash = $compiler->smarty->merged_templates_func[$tpl_name]['nocache_hash'];
$_output = "<?php /* Call merged included template \"" . $tpl_name . "\" */\n";
$_output .= "\$_tpl_stack[] = \$_smarty_tpl;\n";
$_output .= " \$_smarty_tpl = \$_smarty_tpl->setupInlineSubTemplate($include_file, $_cache_id, $_compile_id, $_caching, $_cache_lifetime, $_vars, $_parent_scope, '$_hash');\n";
if (isset($_assign)) {
$_output .= 'ob_start(); ';
}
$_output .= $compiler->smarty->merged_templates_func[$tpl_name]['func']. "(\$_smarty_tpl);\n";
$_output .= "\$_smarty_tpl = array_pop(\$_tpl_stack); ";
if (isset($_assign)) {
$_output .= " \$_smarty_tpl->tpl_vars[$_assign] = new Smarty_variable(ob_get_clean());";
}
$_output .= "/* End of included template \"" . $tpl_name . "\" */?>";
return $_output;
}
// was there an assign attribute
if (isset($_assign)) {
$_output = "<?php \$_smarty_tpl->tpl_vars[$_assign] = new Smarty_variable(\$_smarty_tpl->getSubTemplate ($include_file, $_cache_id, $_compile_id, $_caching, $_cache_lifetime, $_vars, $_parent_scope));?>\n";;
} else {
$_output = "<?php echo \$_smarty_tpl->getSubTemplate ($include_file, $_cache_id, $_compile_id, $_caching, $_cache_lifetime, $_vars, $_parent_scope);?>\n";
}
return $_output;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_include.php | PHP | asf20 | 10,083 |
<?php
/**
* Smarty Internal Plugin Compile Block Plugin
*
* Compiles code for the execution of block plugin
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Block Plugin Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Private_Block_Plugin extends Smarty_Internal_CompileBase {
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $optional_attributes = array('_any');
/**
* Compiles code for the execution of block plugin
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @param string $tag name of block plugin
* @param string $function PHP function name
* @return string compiled code
*/
public function compile($args, $compiler, $parameter, $tag, $function)
{
if (!isset($tag[5]) || substr($tag, -5) != 'close') {
// opening tag of block plugin
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
if ($_attr['nocache'] === true) {
$compiler->tag_nocache = true;
}
unset($_attr['nocache']);
// convert attributes into parameter array string
$_paramsArray = array();
foreach ($_attr as $_key => $_value) {
if (is_int($_key)) {
$_paramsArray[] = "$_key=>$_value";
} else {
$_paramsArray[] = "'$_key'=>$_value";
}
}
$_params = 'array(' . implode(",", $_paramsArray) . ')';
$this->openTag($compiler, $tag, array($_params, $compiler->nocache));
// maybe nocache because of nocache variables or nocache plugin
$compiler->nocache = $compiler->nocache | $compiler->tag_nocache;
// compile code
$output = "<?php \$_smarty_tpl->smarty->_tag_stack[] = array('{$tag}', {$_params}); \$_block_repeat=true; echo {$function}({$_params}, null, \$_smarty_tpl, \$_block_repeat);while (\$_block_repeat) { ob_start();?>";
} else {
// must endblock be nocache?
if ($compiler->nocache) {
$compiler->tag_nocache = true;
}
// closing tag of block plugin, restore nocache
list($_params, $compiler->nocache) = $this->closeTag($compiler, substr($tag, 0, -5));
// This tag does create output
$compiler->has_output = true;
// compile code
if (!isset($parameter['modifier_list'])) {
$mod_pre = $mod_post ='';
} else {
$mod_pre = ' ob_start(); ';
$mod_post = 'echo '.$compiler->compileTag('private_modifier',array(),array('modifierlist'=>$parameter['modifier_list'],'value'=>'ob_get_clean()')).';';
}
$output = "<?php \$_block_content = ob_get_clean(); \$_block_repeat=false;".$mod_pre." echo {$function}({$_params}, \$_block_content, \$_smarty_tpl, \$_block_repeat); ".$mod_post." } array_pop(\$_smarty_tpl->smarty->_tag_stack);?>";
}
return $output . "\n";
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_private_block_plugin.php | PHP | asf20 | 3,468 |
<?php
/**
* Smarty Internal Plugin Data
*
* This file contains the basic classes and methodes for template and variable creation
*
* @package Smarty
* @subpackage Template
* @author Uwe Tews
*/
/**
* Base class with template and variable methodes
*
* @package Smarty
* @subpackage Template
*/
class Smarty_Internal_Data {
/**
* name of class used for templates
*
* @var string
*/
public $template_class = 'Smarty_Internal_Template';
/**
* template variables
*
* @var array
*/
public $tpl_vars = array();
/**
* parent template (if any)
*
* @var Smarty_Internal_Template
*/
public $parent = null;
/**
* configuration settings
*
* @var array
*/
public $config_vars = array();
/**
* assigns a Smarty variable
*
* @param array|string $tpl_var the template variable name(s)
* @param mixed $value the value to assign
* @param boolean $nocache if true any output of this variable will be not cached
* @param boolean $scope the scope the variable will have (local,parent or root)
* @return Smarty_Internal_Data current Smarty_Internal_Data (or Smarty or Smarty_Internal_Template) instance for chaining
*/
public function assign($tpl_var, $value = null, $nocache = false)
{
if (is_array($tpl_var)) {
foreach ($tpl_var as $_key => $_val) {
if ($_key != '') {
$this->tpl_vars[$_key] = new Smarty_variable($_val, $nocache);
}
}
} else {
if ($tpl_var != '') {
$this->tpl_vars[$tpl_var] = new Smarty_variable($value, $nocache);
}
}
return $this;
}
/**
* assigns a global Smarty variable
*
* @param string $varname the global variable name
* @param mixed $value the value to assign
* @param boolean $nocache if true any output of this variable will be not cached
* @return Smarty_Internal_Data current Smarty_Internal_Data (or Smarty or Smarty_Internal_Template) instance for chaining
*/
public function assignGlobal($varname, $value = null, $nocache = false)
{
if ($varname != '') {
Smarty::$global_tpl_vars[$varname] = new Smarty_variable($value, $nocache);
}
return $this;
}
/**
* assigns values to template variables by reference
*
* @param string $tpl_var the template variable name
* @param mixed $ &$value the referenced value to assign
* @param boolean $nocache if true any output of this variable will be not cached
* @return Smarty_Internal_Data current Smarty_Internal_Data (or Smarty or Smarty_Internal_Template) instance for chaining
*/
public function assignByRef($tpl_var, &$value, $nocache = false)
{
if ($tpl_var != '') {
$this->tpl_vars[$tpl_var] = new Smarty_variable(null, $nocache);
$this->tpl_vars[$tpl_var]->value = &$value;
}
return $this;
}
/**
* appends values to template variables
*
* @param array|string $tpl_var the template variable name(s)
* @param mixed $value the value to append
* @param boolean $merge flag if array elements shall be merged
* @param boolean $nocache if true any output of this variable will be not cached
* @return Smarty_Internal_Data current Smarty_Internal_Data (or Smarty or Smarty_Internal_Template) instance for chaining
*/
public function append($tpl_var, $value = null, $merge = false, $nocache = false)
{
if (is_array($tpl_var)) {
// $tpl_var is an array, ignore $value
foreach ($tpl_var as $_key => $_val) {
if ($_key != '') {
if (!isset($this->tpl_vars[$_key])) {
$tpl_var_inst = $this->getVariable($_key, null, true, false);
if ($tpl_var_inst instanceof Undefined_Smarty_Variable) {
$this->tpl_vars[$_key] = new Smarty_variable(null, $nocache);
} else {
$this->tpl_vars[$_key] = clone $tpl_var_inst;
}
}
if (!(is_array($this->tpl_vars[$_key]->value) || $this->tpl_vars[$_key]->value instanceof ArrayAccess)) {
settype($this->tpl_vars[$_key]->value, 'array');
}
if ($merge && is_array($_val)) {
foreach($_val as $_mkey => $_mval) {
$this->tpl_vars[$_key]->value[$_mkey] = $_mval;
}
} else {
$this->tpl_vars[$_key]->value[] = $_val;
}
}
}
} else {
if ($tpl_var != '' && isset($value)) {
if (!isset($this->tpl_vars[$tpl_var])) {
$tpl_var_inst = $this->getVariable($tpl_var, null, true, false);
if ($tpl_var_inst instanceof Undefined_Smarty_Variable) {
$this->tpl_vars[$tpl_var] = new Smarty_variable(null, $nocache);
} else {
$this->tpl_vars[$tpl_var] = clone $tpl_var_inst;
}
}
if (!(is_array($this->tpl_vars[$tpl_var]->value) || $this->tpl_vars[$tpl_var]->value instanceof ArrayAccess)) {
settype($this->tpl_vars[$tpl_var]->value, 'array');
}
if ($merge && is_array($value)) {
foreach($value as $_mkey => $_mval) {
$this->tpl_vars[$tpl_var]->value[$_mkey] = $_mval;
}
} else {
$this->tpl_vars[$tpl_var]->value[] = $value;
}
}
}
return $this;
}
/**
* appends values to template variables by reference
*
* @param string $tpl_var the template variable name
* @param mixed &$value the referenced value to append
* @param boolean $merge flag if array elements shall be merged
* @return Smarty_Internal_Data current Smarty_Internal_Data (or Smarty or Smarty_Internal_Template) instance for chaining
*/
public function appendByRef($tpl_var, &$value, $merge = false)
{
if ($tpl_var != '' && isset($value)) {
if (!isset($this->tpl_vars[$tpl_var])) {
$this->tpl_vars[$tpl_var] = new Smarty_variable();
}
if (!is_array($this->tpl_vars[$tpl_var]->value)) {
settype($this->tpl_vars[$tpl_var]->value, 'array');
}
if ($merge && is_array($value)) {
foreach($value as $_key => $_val) {
$this->tpl_vars[$tpl_var]->value[$_key] = &$value[$_key];
}
} else {
$this->tpl_vars[$tpl_var]->value[] = &$value;
}
}
return $this;
}
/**
* Returns a single or all template variables
*
* @param string $varname variable name or null
* @param string $_ptr optional pointer to data object
* @param boolean $search_parents include parent templates?
* @return string variable value or or array of variables
*/
public function getTemplateVars($varname = null, $_ptr = null, $search_parents = true)
{
if (isset($varname)) {
$_var = $this->getVariable($varname, $_ptr, $search_parents, false);
if (is_object($_var)) {
return $_var->value;
} else {
return null;
}
} else {
$_result = array();
if ($_ptr === null) {
$_ptr = $this;
} while ($_ptr !== null) {
foreach ($_ptr->tpl_vars AS $key => $var) {
if (!array_key_exists($key, $_result)) {
$_result[$key] = $var->value;
}
}
// not found, try at parent
if ($search_parents) {
$_ptr = $_ptr->parent;
} else {
$_ptr = null;
}
}
if ($search_parents && isset(Smarty::$global_tpl_vars)) {
foreach (Smarty::$global_tpl_vars AS $key => $var) {
if (!array_key_exists($key, $_result)) {
$_result[$key] = $var->value;
}
}
}
return $_result;
}
}
/**
* clear the given assigned template variable.
*
* @param string|array $tpl_var the template variable(s) to clear
* @return Smarty_Internal_Data current Smarty_Internal_Data (or Smarty or Smarty_Internal_Template) instance for chaining
*/
public function clearAssign($tpl_var)
{
if (is_array($tpl_var)) {
foreach ($tpl_var as $curr_var) {
unset($this->tpl_vars[$curr_var]);
}
} else {
unset($this->tpl_vars[$tpl_var]);
}
return $this;
}
/**
* clear all the assigned template variables.
* @return Smarty_Internal_Data current Smarty_Internal_Data (or Smarty or Smarty_Internal_Template) instance for chaining
*/
public function clearAllAssign()
{
$this->tpl_vars = array();
return $this;
}
/**
* load a config file, optionally load just selected sections
*
* @param string $config_file filename
* @param mixed $sections array of section names, single section or null
* @return Smarty_Internal_Data current Smarty_Internal_Data (or Smarty or Smarty_Internal_Template) instance for chaining
*/
public function configLoad($config_file, $sections = null)
{
// load Config class
$config = new Smarty_Internal_Config($config_file, $this->smarty, $this);
$config->loadConfigVars($sections);
return $this;
}
/**
* gets the object of a Smarty variable
*
* @param string $variable the name of the Smarty variable
* @param object $_ptr optional pointer to data object
* @param boolean $search_parents search also in parent data
* @return object the object of the variable
*/
public function getVariable($variable, $_ptr = null, $search_parents = true, $error_enable = true)
{
if ($_ptr === null) {
$_ptr = $this;
} while ($_ptr !== null) {
if (isset($_ptr->tpl_vars[$variable])) {
// found it, return it
return $_ptr->tpl_vars[$variable];
}
// not found, try at parent
if ($search_parents) {
$_ptr = $_ptr->parent;
} else {
$_ptr = null;
}
}
if (isset(Smarty::$global_tpl_vars[$variable])) {
// found it, return it
return Smarty::$global_tpl_vars[$variable];
}
if ($this->smarty->error_unassigned && $error_enable) {
// force a notice
$x = $$variable;
}
return new Undefined_Smarty_Variable;
}
/**
* gets a config variable
*
* @param string $variable the name of the config variable
* @return mixed the value of the config variable
*/
public function getConfigVariable($variable, $error_enable = true)
{
$_ptr = $this;
while ($_ptr !== null) {
if (isset($_ptr->config_vars[$variable])) {
// found it, return it
return $_ptr->config_vars[$variable];
}
// not found, try at parent
$_ptr = $_ptr->parent;
}
if ($this->smarty->error_unassigned && $error_enable) {
// force a notice
$x = $$variable;
}
return null;
}
/**
* gets a stream variable
*
* @param string $variable the stream of the variable
* @return mixed the value of the stream variable
*/
public function getStreamVariable($variable)
{
$_result = '';
$fp = fopen($variable, 'r+');
if ($fp) {
while (!feof($fp) && ($current_line = fgets($fp)) !== false ) {
$_result .= $current_line;
}
fclose($fp);
return $_result;
}
if ($this->smarty->error_unassigned) {
throw new SmartyException('Undefined stream variable "' . $variable . '"');
} else {
return null;
}
}
/**
* Returns a single or all config variables
*
* @param string $varname variable name or null
* @return string variable value or or array of variables
*/
public function getConfigVars($varname = null, $search_parents = true)
{
$_ptr = $this;
$var_array = array();
while ($_ptr !== null) {
if (isset($varname)) {
if (isset($_ptr->config_vars[$varname])) {
return $_ptr->config_vars[$varname];
}
} else {
$var_array = array_merge($_ptr->config_vars, $var_array);
}
// not found, try at parent
if ($search_parents) {
$_ptr = $_ptr->parent;
} else {
$_ptr = null;
}
}
if (isset($varname)) {
return '';
} else {
return $var_array;
}
}
/**
* Deassigns a single or all config variables
*
* @param string $varname variable name or null
* @return Smarty_Internal_Data current Smarty_Internal_Data (or Smarty or Smarty_Internal_Template) instance for chaining
*/
public function clearConfig($varname = null)
{
if (isset($varname)) {
unset($this->config_vars[$varname]);
} else {
$this->config_vars = array();
}
return $this;
}
}
/**
* class for the Smarty data object
*
* The Smarty data object will hold Smarty variables in the current scope
*
* @package Smarty
* @subpackage Template
*/
class Smarty_Data extends Smarty_Internal_Data {
/**
* Smarty object
*
* @var Smarty
*/
public $smarty = null;
/**
* create Smarty data object
*
* @param Smarty|array $_parent parent template
* @param Smarty $smarty global smarty instance
*/
public function __construct ($_parent = null, $smarty = null)
{
$this->smarty = $smarty;
if (is_object($_parent)) {
// when object set up back pointer
$this->parent = $_parent;
} elseif (is_array($_parent)) {
// set up variable values
foreach ($_parent as $_key => $_val) {
$this->tpl_vars[$_key] = new Smarty_variable($_val);
}
} elseif ($_parent != null) {
throw new SmartyException("Wrong type for template variables");
}
}
}
/**
* class for the Smarty variable object
*
* This class defines the Smarty variable object
*
* @package Smarty
* @subpackage Template
*/
class Smarty_Variable {
/**
* template variable
*
* @var mixed
*/
public $value = null;
/**
* if true any output of this variable will be not cached
*
* @var boolean
*/
public $nocache = false;
/**
* the scope the variable will have (local,parent or root)
*
* @var int
*/
public $scope = Smarty::SCOPE_LOCAL;
/**
* create Smarty variable object
*
* @param mixed $value the value to assign
* @param boolean $nocache if true any output of this variable will be not cached
* @param int $scope the scope the variable will have (local,parent or root)
*/
public function __construct($value = null, $nocache = false, $scope = Smarty::SCOPE_LOCAL)
{
$this->value = $value;
$this->nocache = $nocache;
$this->scope = $scope;
}
/**
* <<magic>> String conversion
*
* @return string
*/
public function __toString()
{
return (string) $this->value;
}
}
/**
* class for undefined variable object
*
* This class defines an object for undefined variable handling
*
* @package Smarty
* @subpackage Template
*/
class Undefined_Smarty_Variable {
/**
* Returns FALSE for 'nocache' and NULL otherwise.
*
* @param string $name
* @return bool
*/
public function __get($name)
{
if ($name == 'nocache') {
return false;
} else {
return null;
}
}
/**
* Always returns an empty string.
*
* @return string
*/
public function __toString()
{
return "";
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_data.php | PHP | asf20 | 17,652 |
<?php
/**
* Smarty Internal Plugin Compile Setfilter
*
* Compiles code for setfilter tag
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Setfilter Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Setfilter extends Smarty_Internal_CompileBase {
/**
* Compiles code for setfilter tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
$compiler->variable_filter_stack[] = $compiler->template->variable_filters;
$compiler->template->variable_filters = $parameter['modifier_list'];
// this tag does not return compiled code
$compiler->has_code = false;
return true;
}
}
/**
* Smarty Internal Plugin Compile Setfilterclose Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Setfilterclose extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {/setfilter} tag
*
* This tag does not generate compiled output. It resets variable filter.
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @return string compiled code
*/
public function compile($args, $compiler)
{
$_attr = $this->getAttributes($compiler, $args);
// reset variable filter to previous state
if (count($compiler->variable_filter_stack)) {
$compiler->template->variable_filters = array_pop($compiler->variable_filter_stack);
} else {
$compiler->template->variable_filters = array();
}
// this tag does not return compiled code
$compiler->has_code = false;
return true;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_setfilter.php | PHP | asf20 | 2,052 |
<?php
/**
* Smarty Internal Plugin Compile If
*
* Compiles the {if} {else} {elseif} {/if} tags
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile If Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_If extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {if} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
$this->openTag($compiler, 'if', array(1, $compiler->nocache));
// must whole block be nocache ?
$compiler->nocache = $compiler->nocache | $compiler->tag_nocache;
if (!array_key_exists("if condition",$parameter)) {
$compiler->trigger_template_error("missing if condition", $compiler->lex->taglineno);
}
if (is_array($parameter['if condition'])) {
if ($compiler->nocache) {
$_nocache = ',true';
// create nocache var to make it know for further compiling
if (is_array($parameter['if condition']['var'])) {
$compiler->template->tpl_vars[trim($parameter['if condition']['var']['var'], "'")] = new Smarty_variable(null, true);
} else {
$compiler->template->tpl_vars[trim($parameter['if condition']['var'], "'")] = new Smarty_variable(null, true);
}
} else {
$_nocache = '';
}
if (is_array($parameter['if condition']['var'])) {
$_output = "<?php if (!isset(\$_smarty_tpl->tpl_vars[".$parameter['if condition']['var']['var']."]) || !is_array(\$_smarty_tpl->tpl_vars[".$parameter['if condition']['var']['var']."]->value)) \$_smarty_tpl->createLocalArrayVariable(".$parameter['if condition']['var']['var']."$_nocache);\n";
$_output .= "if (\$_smarty_tpl->tpl_vars[".$parameter['if condition']['var']['var']."]->value".$parameter['if condition']['var']['smarty_internal_index']." = ".$parameter['if condition']['value']."){?>";
} else {
$_output = "<?php if (!isset(\$_smarty_tpl->tpl_vars[".$parameter['if condition']['var']."])) \$_smarty_tpl->tpl_vars[".$parameter['if condition']['var']."] = new Smarty_Variable(null{$_nocache});";
$_output .= "if (\$_smarty_tpl->tpl_vars[".$parameter['if condition']['var']."]->value = ".$parameter['if condition']['value']."){?>";
}
return $_output;
} else {
return "<?php if ({$parameter['if condition']}){?>";
}
}
}
/**
* Smarty Internal Plugin Compile Else Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Else extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {else} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
list($nesting, $compiler->tag_nocache) = $this->closeTag($compiler, array('if', 'elseif'));
$this->openTag($compiler, 'else', array($nesting, $compiler->tag_nocache));
return "<?php }else{ ?>";
}
}
/**
* Smarty Internal Plugin Compile ElseIf Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Elseif extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {elseif} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
list($nesting, $compiler->tag_nocache) = $this->closeTag($compiler, array('if', 'elseif'));
if (!array_key_exists("if condition",$parameter)) {
$compiler->trigger_template_error("missing elseif condition", $compiler->lex->taglineno);
}
if (is_array($parameter['if condition'])) {
$condition_by_assign = true;
if ($compiler->nocache) {
$_nocache = ',true';
// create nocache var to make it know for further compiling
if (is_array($parameter['if condition']['var'])) {
$compiler->template->tpl_vars[trim($parameter['if condition']['var']['var'], "'")] = new Smarty_variable(null, true);
} else {
$compiler->template->tpl_vars[trim($parameter['if condition']['var'], "'")] = new Smarty_variable(null, true);
}
} else {
$_nocache = '';
}
} else {
$condition_by_assign = false;
}
if (empty($compiler->prefix_code)) {
if ($condition_by_assign) {
$this->openTag($compiler, 'elseif', array($nesting + 1, $compiler->tag_nocache));
if (is_array($parameter['if condition']['var'])) {
$_output = "<?php }else{ if (!isset(\$_smarty_tpl->tpl_vars[" . $parameter['if condition']['var']['var'] . "]) || !is_array(\$_smarty_tpl->tpl_vars[" . $parameter['if condition']['var']['var'] . "]->value)) \$_smarty_tpl->createLocalArrayVariable(" . $parameter['if condition']['var']['var'] . "$_nocache);\n";
$_output .= "if (\$_smarty_tpl->tpl_vars[" . $parameter['if condition']['var']['var'] . "]->value" . $parameter['if condition']['var']['smarty_internal_index'] . " = " . $parameter['if condition']['value'] . "){?>";
} else {
$_output = "<?php }else{ if (!isset(\$_smarty_tpl->tpl_vars[" . $parameter['if condition']['var'] . "])) \$_smarty_tpl->tpl_vars[" . $parameter['if condition']['var'] . "] = new Smarty_Variable(null{$_nocache});";
$_output .= "if (\$_smarty_tpl->tpl_vars[" . $parameter['if condition']['var'] . "]->value = " . $parameter['if condition']['value'] . "){?>";
}
return $_output;
} else {
$this->openTag($compiler, 'elseif', array($nesting, $compiler->tag_nocache));
return "<?php }elseif({$parameter['if condition']}){?>";
}
} else {
$tmp = '';
foreach ($compiler->prefix_code as $code)
$tmp .= $code;
$compiler->prefix_code = array();
$this->openTag($compiler, 'elseif', array($nesting + 1, $compiler->tag_nocache));
if ($condition_by_assign) {
if (is_array($parameter['if condition']['var'])) {
$_output = "<?php }else{?>{$tmp}<?php if (!isset(\$_smarty_tpl->tpl_vars[" . $parameter['if condition']['var']['var'] . "]) || !is_array(\$_smarty_tpl->tpl_vars[" . $parameter['if condition']['var']['var'] . "]->value)) \$_smarty_tpl->createLocalArrayVariable(" . $parameter['if condition']['var']['var'] . "$_nocache);\n";
$_output .= "if (\$_smarty_tpl->tpl_vars[" . $parameter['if condition']['var']['var'] . "]->value" . $parameter['if condition']['var']['smarty_internal_index'] . " = " . $parameter['if condition']['value'] . "){?>";
} else {
$_output = "<?php }else{?>{$tmp}<?php if (!isset(\$_smarty_tpl->tpl_vars[" . $parameter['if condition']['var'] . "])) \$_smarty_tpl->tpl_vars[" . $parameter['if condition']['var'] . "] = new Smarty_Variable(null{$_nocache});";
$_output .= "if (\$_smarty_tpl->tpl_vars[" . $parameter['if condition']['var'] . "]->value = " . $parameter['if condition']['value'] . "){?>";
}
return $_output;
} else {
return "<?php }else{?>{$tmp}<?php if ({$parameter['if condition']}){?>";
}
}
}
}
/**
* Smarty Internal Plugin Compile Ifclose Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Ifclose extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {/if} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
// must endblock be nocache?
if ($compiler->nocache) {
$compiler->tag_nocache = true;
}
list($nesting, $compiler->nocache) = $this->closeTag($compiler, array('if', 'else', 'elseif'));
$tmp = '';
for ($i = 0; $i < $nesting; $i++) {
$tmp .= '}';
}
return "<?php {$tmp}?>";
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_if.php | PHP | asf20 | 9,417 |
<?php
/**
* Smarty Internal Plugin Compile Registered Block
*
* Compiles code for the execution of a registered block function
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Registered Block Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Private_Registered_Block extends Smarty_Internal_CompileBase {
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $optional_attributes = array('_any');
/**
* Compiles code for the execution of a block function
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @param string $tag name of block function
* @return string compiled code
*/
public function compile($args, $compiler, $parameter, $tag)
{
if (!isset($tag[5]) || substr($tag,-5) != 'close') {
// opening tag of block plugin
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
if ($_attr['nocache']) {
$compiler->tag_nocache = true;
}
unset($_attr['nocache']);
if (isset($compiler->smarty->registered_plugins[Smarty::PLUGIN_BLOCK][$tag])) {
$tag_info = $compiler->smarty->registered_plugins[Smarty::PLUGIN_BLOCK][$tag];
} else {
$tag_info = $compiler->default_handler_plugins[Smarty::PLUGIN_BLOCK][$tag];
}
// convert attributes into parameter array string
$_paramsArray = array();
foreach ($_attr as $_key => $_value) {
if (is_int($_key)) {
$_paramsArray[] = "$_key=>$_value";
} elseif ($compiler->template->caching && in_array($_key,$tag_info[2])) {
$_value = str_replace("'","^#^",$_value);
$_paramsArray[] = "'$_key'=>^#^.var_export($_value,true).^#^";
} else {
$_paramsArray[] = "'$_key'=>$_value";
}
}
$_params = 'array(' . implode(",", $_paramsArray) . ')';
$this->openTag($compiler, $tag, array($_params, $compiler->nocache));
// maybe nocache because of nocache variables or nocache plugin
$compiler->nocache = !$tag_info[1] | $compiler->nocache | $compiler->tag_nocache;
$function = $tag_info[0];
// compile code
if (!is_array($function)) {
$output = "<?php \$_smarty_tpl->smarty->_tag_stack[] = array('{$tag}', {$_params}); \$_block_repeat=true; echo {$function}({$_params}, null, \$_smarty_tpl, \$_block_repeat);while (\$_block_repeat) { ob_start();?>";
} else if (is_object($function[0])) {
$output = "<?php \$_smarty_tpl->smarty->_tag_stack[] = array('{$tag}', {$_params}); \$_block_repeat=true; echo \$_smarty_tpl->smarty->registered_plugins['block']['{$tag}'][0][0]->{$function[1]}({$_params}, null, \$_smarty_tpl, \$_block_repeat);while (\$_block_repeat) { ob_start();?>";
} else {
$output = "<?php \$_smarty_tpl->smarty->_tag_stack[] = array('{$tag}', {$_params}); \$_block_repeat=true; echo {$function[0]}::{$function[1]}({$_params}, null, \$_smarty_tpl, \$_block_repeat);while (\$_block_repeat) { ob_start();?>";
}
} else {
// must endblock be nocache?
if ($compiler->nocache) {
$compiler->tag_nocache = true;
}
$base_tag = substr($tag, 0, -5);
// closing tag of block plugin, restore nocache
list($_params, $compiler->nocache) = $this->closeTag($compiler, $base_tag);
// This tag does create output
$compiler->has_output = true;
if (isset($compiler->smarty->registered_plugins[Smarty::PLUGIN_BLOCK][$base_tag])) {
$function = $compiler->smarty->registered_plugins[Smarty::PLUGIN_BLOCK][$base_tag][0];
} else {
$function = $compiler->default_handler_plugins[Smarty::PLUGIN_BLOCK][$base_tag][0];
}
// compile code
if (!isset($parameter['modifier_list'])) {
$mod_pre = $mod_post ='';
} else {
$mod_pre = ' ob_start(); ';
$mod_post = 'echo '.$compiler->compileTag('private_modifier',array(),array('modifierlist'=>$parameter['modifier_list'],'value'=>'ob_get_clean()')).';';
}
if (!is_array($function)) {
$output = "<?php \$_block_content = ob_get_clean(); \$_block_repeat=false;".$mod_pre." echo {$function}({$_params}, \$_block_content, \$_smarty_tpl, \$_block_repeat);".$mod_post." } array_pop(\$_smarty_tpl->smarty->_tag_stack);?>";
} else if (is_object($function[0])) {
$output = "<?php \$_block_content = ob_get_clean(); \$_block_repeat=false;".$mod_pre." echo \$_smarty_tpl->smarty->registered_plugins['block']['{$base_tag}'][0][0]->{$function[1]}({$_params}, \$_block_content, \$_smarty_tpl, \$_block_repeat); ".$mod_post."} array_pop(\$_smarty_tpl->smarty->_tag_stack);?>";
} else {
$output = "<?php \$_block_content = ob_get_clean(); \$_block_repeat=false;".$mod_pre." echo {$function[0]}::{$function[1]}({$_params}, \$_block_content, \$_smarty_tpl, \$_block_repeat); ".$mod_post."} array_pop(\$_smarty_tpl->smarty->_tag_stack);?>";
}
}
return $output . "\n";
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_private_registered_block.php | PHP | asf20 | 5,859 |
<?php
/**
* Smarty read include path plugin
*
* @package Smarty
* @subpackage PluginsInternal
* @author Monte Ohrt
*/
/**
* Smarty Internal Read Include Path Class
*
* @package Smarty
* @subpackage PluginsInternal
*/
class Smarty_Internal_Get_Include_Path {
/**
* Return full file path from PHP include_path
*
* @param string $filepath filepath
* @return string|boolean full filepath or false
*/
public static function getIncludePath($filepath)
{
static $_include_path = null;
if ($_path_array === null) {
$_include_path = explode(PATH_SEPARATOR, get_include_path());
}
foreach ($_include_path as $_path) {
if (file_exists($_path . DS . $filepath)) {
return $_path . DS . $filepath;
}
}
return false;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_get_include_path.php | PHP | asf20 | 916 |
<?php
/**
* Smarty Resource Plugin
*
* @package Smarty
* @subpackage TemplateResources
* @author Rodney Rehm
*/
/**
* Smarty Resource Plugin
*
* Wrapper Implementation for custom resource plugins
*
* @package Smarty
* @subpackage TemplateResources
*/
abstract class Smarty_Resource_Custom extends Smarty_Resource {
/**
* fetch template and its modification time from data source
*
* @param string $name template name
* @param string &$source template source
* @param integer &$mtime template modification timestamp (epoch)
*/
protected abstract function fetch($name, &$source, &$mtime);
/**
* Fetch template's modification timestamp from data source
*
* {@internal implementing this method is optional.
* Only implement it if modification times can be accessed faster than loading the complete template source.}}
*
* @param string $name template name
* @return integer|boolean timestamp (epoch) the template was modified, or false if not found
*/
protected function fetchTimestamp($name)
{
return null;
}
/**
* populate Source Object with meta data from Resource
*
* @param Smarty_Template_Source $source source object
* @param Smarty_Internal_Template $_template template object
*/
public function populate(Smarty_Template_Source $source, Smarty_Internal_Template $_template=null)
{
$source->filepath = strtolower($source->type . ':' . $source->name);
$source->uid = sha1($source->type . ':' . $source->name);
$mtime = $this->fetchTimestamp($source->name);
if ($mtime !== null) {
$source->timestamp = $mtime;
} else {
$this->fetch($source->name, $content, $timestamp);
$source->timestamp = isset($timestamp) ? $timestamp : false;
if( isset($content) )
$source->content = $content;
}
$source->exists = !!$source->timestamp;
}
/**
* Load template's source into current template object
*
* @param Smarty_Template_Source $source source object
* @return string template source
* @throws SmartyException if source cannot be loaded
*/
public function getContent(Smarty_Template_Source $source)
{
$this->fetch($source->name, $content, $timestamp);
if (isset($content)) {
return $content;
}
throw new SmartyException("Unable to read template {$source->type} '{$source->name}'");
}
/**
* Determine basename for compiled filename
*
* @param Smarty_Template_Source $source source object
* @return string resource's basename
*/
protected function getBasename(Smarty_Template_Source $source)
{
return basename($source->name);
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_resource_custom.php | PHP | asf20 | 2,951 |
<?php
/**
* Smarty Internal Plugin Compile Foreach
*
* Compiles the {foreach} {foreachelse} {/foreach} tags
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Foreach Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Foreach extends Smarty_Internal_CompileBase {
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $required_attributes = array('from', 'item');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $optional_attributes = array('name', 'key');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $shorttag_order = array('from','item','key','name');
/**
* Compiles code for the {foreach} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
$tpl = $compiler->template;
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
$from = $_attr['from'];
$item = $_attr['item'];
if (!strncmp("\$_smarty_tpl->tpl_vars[$item]", $from, strlen($item) + 24)) {
$compiler->trigger_template_error("item variable {$item} may not be the same variable as at 'from'", $compiler->lex->taglineno);
}
if (isset($_attr['key'])) {
$key = $_attr['key'];
} else {
$key = null;
}
$this->openTag($compiler, 'foreach', array('foreach', $compiler->nocache, $item, $key));
// maybe nocache because of nocache variables
$compiler->nocache = $compiler->nocache | $compiler->tag_nocache;
if (isset($_attr['name'])) {
$name = $_attr['name'];
$has_name = true;
$SmartyVarName = '$smarty.foreach.' . trim($name, '\'"') . '.';
} else {
$name = null;
$has_name = false;
}
$ItemVarName = '$' . trim($item, '\'"') . '@';
// evaluates which Smarty variables and properties have to be computed
if ($has_name) {
$usesSmartyFirst = strpos($tpl->source->content, $SmartyVarName . 'first') !== false;
$usesSmartyLast = strpos($tpl->source->content, $SmartyVarName . 'last') !== false;
$usesSmartyIndex = strpos($tpl->source->content, $SmartyVarName . 'index') !== false;
$usesSmartyIteration = strpos($tpl->source->content, $SmartyVarName . 'iteration') !== false;
$usesSmartyShow = strpos($tpl->source->content, $SmartyVarName . 'show') !== false;
$usesSmartyTotal = strpos($tpl->source->content, $SmartyVarName . 'total') !== false;
} else {
$usesSmartyFirst = false;
$usesSmartyLast = false;
$usesSmartyTotal = false;
$usesSmartyShow = false;
}
$usesPropFirst = $usesSmartyFirst || strpos($tpl->source->content, $ItemVarName . 'first') !== false;
$usesPropLast = $usesSmartyLast || strpos($tpl->source->content, $ItemVarName . 'last') !== false;
$usesPropIndex = $usesPropFirst || strpos($tpl->source->content, $ItemVarName . 'index') !== false;
$usesPropIteration = $usesPropLast || strpos($tpl->source->content, $ItemVarName . 'iteration') !== false;
$usesPropShow = strpos($tpl->source->content, $ItemVarName . 'show') !== false;
$usesPropTotal = $usesSmartyTotal || $usesSmartyShow || $usesPropShow || $usesPropLast || strpos($tpl->source->content, $ItemVarName . 'total') !== false;
// generate output code
$output = "<?php ";
$output .= " \$_smarty_tpl->tpl_vars[$item] = new Smarty_Variable; \$_smarty_tpl->tpl_vars[$item]->_loop = false;\n";
if ($key != null) {
$output .= " \$_smarty_tpl->tpl_vars[$key] = new Smarty_Variable;\n";
}
$output .= " \$_from = $from; if (!is_array(\$_from) && !is_object(\$_from)) { settype(\$_from, 'array');}\n";
if ($usesPropTotal) {
$output .= " \$_smarty_tpl->tpl_vars[$item]->total= \$_smarty_tpl->_count(\$_from);\n";
}
if ($usesPropIteration) {
$output .= " \$_smarty_tpl->tpl_vars[$item]->iteration=0;\n";
}
if ($usesPropIndex) {
$output .= " \$_smarty_tpl->tpl_vars[$item]->index=-1;\n";
}
if ($usesPropShow) {
$output .= " \$_smarty_tpl->tpl_vars[$item]->show = (\$_smarty_tpl->tpl_vars[$item]->total > 0);\n";
}
if ($has_name) {
if ($usesSmartyTotal) {
$output .= " \$_smarty_tpl->tpl_vars['smarty']->value['foreach'][$name]['total'] = \$_smarty_tpl->tpl_vars[$item]->total;\n";
}
if ($usesSmartyIteration) {
$output .= " \$_smarty_tpl->tpl_vars['smarty']->value['foreach'][$name]['iteration']=0;\n";
}
if ($usesSmartyIndex) {
$output .= " \$_smarty_tpl->tpl_vars['smarty']->value['foreach'][$name]['index']=-1;\n";
}
if ($usesSmartyShow) {
$output .= " \$_smarty_tpl->tpl_vars['smarty']->value['foreach'][$name]['show']=(\$_smarty_tpl->tpl_vars[$item]->total > 0);\n";
}
}
$output .= "foreach (\$_from as \$_smarty_tpl->tpl_vars[$item]->key => \$_smarty_tpl->tpl_vars[$item]->value){\n\$_smarty_tpl->tpl_vars[$item]->_loop = true;\n";
if ($key != null) {
$output .= " \$_smarty_tpl->tpl_vars[$key]->value = \$_smarty_tpl->tpl_vars[$item]->key;\n";
}
if ($usesPropIteration) {
$output .= " \$_smarty_tpl->tpl_vars[$item]->iteration++;\n";
}
if ($usesPropIndex) {
$output .= " \$_smarty_tpl->tpl_vars[$item]->index++;\n";
}
if ($usesPropFirst) {
$output .= " \$_smarty_tpl->tpl_vars[$item]->first = \$_smarty_tpl->tpl_vars[$item]->index === 0;\n";
}
if ($usesPropLast) {
$output .= " \$_smarty_tpl->tpl_vars[$item]->last = \$_smarty_tpl->tpl_vars[$item]->iteration === \$_smarty_tpl->tpl_vars[$item]->total;\n";
}
if ($has_name) {
if ($usesSmartyFirst) {
$output .= " \$_smarty_tpl->tpl_vars['smarty']->value['foreach'][$name]['first'] = \$_smarty_tpl->tpl_vars[$item]->first;\n";
}
if ($usesSmartyIteration) {
$output .= " \$_smarty_tpl->tpl_vars['smarty']->value['foreach'][$name]['iteration']++;\n";
}
if ($usesSmartyIndex) {
$output .= " \$_smarty_tpl->tpl_vars['smarty']->value['foreach'][$name]['index']++;\n";
}
if ($usesSmartyLast) {
$output .= " \$_smarty_tpl->tpl_vars['smarty']->value['foreach'][$name]['last'] = \$_smarty_tpl->tpl_vars[$item]->last;\n";
}
}
$output .= "?>";
return $output;
}
}
/**
* Smarty Internal Plugin Compile Foreachelse Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Foreachelse extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {foreachelse} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
list($openTag, $nocache, $item, $key) = $this->closeTag($compiler, array('foreach'));
$this->openTag($compiler, 'foreachelse', array('foreachelse', $nocache, $item, $key));
return "<?php }\nif (!\$_smarty_tpl->tpl_vars[$item]->_loop) {\n?>";
}
}
/**
* Smarty Internal Plugin Compile Foreachclose Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Foreachclose extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {/foreach} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
// must endblock be nocache?
if ($compiler->nocache) {
$compiler->tag_nocache = true;
}
list($openTag, $compiler->nocache, $item, $key) = $this->closeTag($compiler, array('foreach', 'foreachelse'));
return "<?php } ?>";
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_foreach.php | PHP | asf20 | 9,352 |
<?php
/**
* Smarty Internal Plugin Resource File
*
* @package Smarty
* @subpackage TemplateResources
* @author Uwe Tews
* @author Rodney Rehm
*/
/**
* Smarty Internal Plugin Resource File
*
* Implements the file system as resource for Smarty templates
*
* @package Smarty
* @subpackage TemplateResources
*/
class Smarty_Internal_Resource_File extends Smarty_Resource {
/**
* populate Source Object with meta data from Resource
*
* @param Smarty_Template_Source $source source object
* @param Smarty_Internal_Template $_template template object
*/
public function populate(Smarty_Template_Source $source, Smarty_Internal_Template $_template=null)
{
$source->filepath = $this->buildFilepath($source, $_template);
if ($source->filepath !== false) {
if (is_object($source->smarty->security_policy)) {
$source->smarty->security_policy->isTrustedResourceDir($source->filepath);
}
$source->uid = sha1($source->filepath);
if ($source->smarty->compile_check && !isset($source->timestamp)) {
$source->timestamp = @filemtime($source->filepath);
$source->exists = !!$source->timestamp;
}
}
}
/**
* populate Source Object with timestamp and exists from Resource
*
* @param Smarty_Template_Source $source source object
*/
public function populateTimestamp(Smarty_Template_Source $source)
{
$source->timestamp = @filemtime($source->filepath);
$source->exists = !!$source->timestamp;
}
/**
* Load template's source from file into current template object
*
* @param Smarty_Template_Source $source source object
* @return string template source
* @throws SmartyException if source cannot be loaded
*/
public function getContent(Smarty_Template_Source $source)
{
if ($source->timestamp) {
return file_get_contents($source->filepath);
}
if ($source instanceof Smarty_Config_Source) {
throw new SmartyException("Unable to read config {$source->type} '{$source->name}'");
}
throw new SmartyException("Unable to read template {$source->type} '{$source->name}'");
}
/**
* Determine basename for compiled filename
*
* @param Smarty_Template_Source $source source object
* @return string resource's basename
*/
public function getBasename(Smarty_Template_Source $source)
{
$_file = $source->name;
if (($_pos = strpos($_file, ']')) !== false) {
$_file = substr($_file, $_pos + 1);
}
return basename($_file);
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_resource_file.php | PHP | asf20 | 2,824 |
<?php
/**
* Smarty Internal Plugin Resource PHP
*
* Implements the file system as resource for PHP templates
*
* @package Smarty
* @subpackage TemplateResources
* @author Uwe Tews
* @author Rodney Rehm
*/
class Smarty_Internal_Resource_PHP extends Smarty_Resource_Uncompiled {
/**
* container for short_open_tag directive's value before executing PHP templates
* @var string
*/
protected $short_open_tag;
/**
* Create a new PHP Resource
*
*/
public function __construct()
{
$this->short_open_tag = ini_get( 'short_open_tag' );
}
/**
* populate Source Object with meta data from Resource
*
* @param Smarty_Template_Source $source source object
* @param Smarty_Internal_Template $_template template object
* @return void
*/
public function populate(Smarty_Template_Source $source, Smarty_Internal_Template $_template=null)
{
$source->filepath = $this->buildFilepath($source, $_template);
if ($source->filepath !== false) {
if (is_object($source->smarty->security_policy)) {
$source->smarty->security_policy->isTrustedResourceDir($source->filepath);
}
$source->uid = sha1($source->filepath);
if ($source->smarty->compile_check) {
$source->timestamp = @filemtime($source->filepath);
$source->exists = !!$source->timestamp;
}
}
}
/**
* populate Source Object with timestamp and exists from Resource
*
* @param Smarty_Template_Source $source source object
* @return void
*/
public function populateTimestamp(Smarty_Template_Source $source)
{
$source->timestamp = @filemtime($source->filepath);
$source->exists = !!$source->timestamp;
}
/**
* Load template's source from file into current template object
*
* @param Smarty_Template_Source $source source object
* @return string template source
* @throws SmartyException if source cannot be loaded
*/
public function getContent(Smarty_Template_Source $source)
{
if ($source->timestamp) {
return '';
}
throw new SmartyException("Unable to read template {$source->type} '{$source->name}'");
}
/**
* Render and output the template (without using the compiler)
*
* @param Smarty_Template_Source $source source object
* @param Smarty_Internal_Template $_template template object
* @return void
* @throws SmartyException if template cannot be loaded or allow_php_templates is disabled
*/
public function renderUncompiled(Smarty_Template_Source $source, Smarty_Internal_Template $_template)
{
$_smarty_template = $_template;
if (!$source->smarty->allow_php_templates) {
throw new SmartyException("PHP templates are disabled");
}
if (!$source->exists) {
if ($_template->parent instanceof Smarty_Internal_Template) {
$parent_resource = " in '{$_template->parent->template_resource}'";
} else {
$parent_resource = '';
}
throw new SmartyException("Unable to load template {$source->type} '{$source->name}'{$parent_resource}");
}
// prepare variables
extract($_template->getTemplateVars());
// include PHP template with short open tags enabled
ini_set( 'short_open_tag', '1' );
include($source->filepath);
ini_set( 'short_open_tag', $this->short_open_tag );
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_resource_php.php | PHP | asf20 | 3,738 |
<?php
/**
* Smarty Internal Plugin Compile Include PHP
*
* Compiles the {include_php} tag
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Insert Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Include_Php extends Smarty_Internal_CompileBase {
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $required_attributes = array('file');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $shorttag_order = array('file');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $optional_attributes = array('once', 'assign');
/**
* Compiles code for the {include_php} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @return string compiled code
*/
public function compile($args, $compiler)
{
if (!($compiler->smarty instanceof SmartyBC)) {
throw new SmartyException("{include_php} is deprecated, use SmartyBC class to enable");
}
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
$_output = '<?php ';
$_smarty_tpl = $compiler->template;
$_filepath = false;
eval('$_file = ' . $_attr['file'] . ';');
if (!isset($compiler->smarty->security_policy) && file_exists($_file)) {
$_filepath = $_file;
} else {
if (isset($compiler->smarty->security_policy)) {
$_dir = $compiler->smarty->security_policy->trusted_dir;
} else {
$_dir = $compiler->smarty->trusted_dir;
}
if (!empty($_dir)) {
foreach((array)$_dir as $_script_dir) {
$_script_dir = rtrim($_script_dir, '/\\') . DS;
if (file_exists($_script_dir . $_file)) {
$_filepath = $_script_dir . $_file;
break;
}
}
}
}
if ($_filepath == false) {
$compiler->trigger_template_error("{include_php} file '{$_file}' is not readable", $compiler->lex->taglineno);
}
if (isset($compiler->smarty->security_policy)) {
$compiler->smarty->security_policy->isTrustedPHPDir($_filepath);
}
if (isset($_attr['assign'])) {
// output will be stored in a smarty variable instead of being displayed
$_assign = $_attr['assign'];
}
$_once = '_once';
if (isset($_attr['once'])) {
if ($_attr['once'] == 'false') {
$_once = '';
}
}
if (isset($_assign)) {
return "<?php ob_start(); include{$_once} ('{$_filepath}'); \$_smarty_tpl->assign({$_assign},ob_get_contents()); ob_end_clean();?>";
} else {
return "<?php include{$_once} ('{$_filepath}');?>\n";
}
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_include_php.php | PHP | asf20 | 3,350 |
<?php
/**
* Smarty Internal Plugin Configfileparser
*
* This is the config file parser.
* It is generated from the internal.configfileparser.y file
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
class TPC_yyToken implements ArrayAccess
{
public $string = '';
public $metadata = array();
function __construct($s, $m = array())
{
if ($s instanceof TPC_yyToken) {
$this->string = $s->string;
$this->metadata = $s->metadata;
} else {
$this->string = (string) $s;
if ($m instanceof TPC_yyToken) {
$this->metadata = $m->metadata;
} elseif (is_array($m)) {
$this->metadata = $m;
}
}
}
function __toString()
{
return $this->_string;
}
function offsetExists($offset)
{
return isset($this->metadata[$offset]);
}
function offsetGet($offset)
{
return $this->metadata[$offset];
}
function offsetSet($offset, $value)
{
if ($offset === null) {
if (isset($value[0])) {
$x = ($value instanceof TPC_yyToken) ?
$value->metadata : $value;
$this->metadata = array_merge($this->metadata, $x);
return;
}
$offset = count($this->metadata);
}
if ($value === null) {
return;
}
if ($value instanceof TPC_yyToken) {
if ($value->metadata) {
$this->metadata[$offset] = $value->metadata;
}
} elseif ($value) {
$this->metadata[$offset] = $value;
}
}
function offsetUnset($offset)
{
unset($this->metadata[$offset]);
}
}
class TPC_yyStackEntry
{
public $stateno; /* The state-number */
public $major; /* The major token value. This is the code
** number for the token at this stack level */
public $minor; /* The user-supplied minor token value. This
** is the value of the token */
};
#line 12 "smarty_internal_configfileparser.y"
class Smarty_Internal_Configfileparser#line 79 "smarty_internal_configfileparser.php"
{
#line 14 "smarty_internal_configfileparser.y"
// states whether the parse was successful or not
public $successful = true;
public $retvalue = 0;
private $lex;
private $internalError = false;
function __construct($lex, $compiler) {
// set instance object
self::instance($this);
$this->lex = $lex;
$this->smarty = $compiler->smarty;
$this->compiler = $compiler;
}
public static function &instance($new_instance = null)
{
static $instance = null;
if (isset($new_instance) && is_object($new_instance))
$instance = $new_instance;
return $instance;
}
private function parse_bool($str) {
if (in_array(strtolower($str) ,array('on','yes','true'))) {
$res = true;
} else {
$res = false;
}
return $res;
}
private static $escapes_single = Array('\\' => '\\',
'\'' => '\'');
private static function parse_single_quoted_string($qstr) {
$escaped_string = substr($qstr, 1, strlen($qstr)-2); //remove outer quotes
$ss = preg_split('/(\\\\.)/', $escaped_string, -1, PREG_SPLIT_DELIM_CAPTURE);
$str = "";
foreach ($ss as $s) {
if (strlen($s) === 2 && $s[0] === '\\') {
if (isset(self::$escapes_single[$s[1]])) {
$s = self::$escapes_single[$s[1]];
}
}
$str .= $s;
}
return $str;
}
private static function parse_double_quoted_string($qstr) {
$inner_str = substr($qstr, 1, strlen($qstr)-2);
return stripcslashes($inner_str);
}
private static function parse_tripple_double_quoted_string($qstr) {
return stripcslashes($qstr);
}
private function set_var(Array $var, Array &$target_array) {
$key = $var["key"];
$value = $var["value"];
if ($this->smarty->config_overwrite || !isset($target_array['vars'][$key])) {
$target_array['vars'][$key] = $value;
} else {
settype($target_array['vars'][$key], 'array');
$target_array['vars'][$key][] = $value;
}
}
private function add_global_vars(Array $vars) {
if (!isset($this->compiler->config_data['vars'])) {
$this->compiler->config_data['vars'] = Array();
}
foreach ($vars as $var) {
$this->set_var($var, $this->compiler->config_data);
}
}
private function add_section_vars($section_name, Array $vars) {
if (!isset($this->compiler->config_data['sections'][$section_name]['vars'])) {
$this->compiler->config_data['sections'][$section_name]['vars'] = Array();
}
foreach ($vars as $var) {
$this->set_var($var, $this->compiler->config_data['sections'][$section_name]);
}
}
#line 173 "smarty_internal_configfileparser.php"
const TPC_OPENB = 1;
const TPC_SECTION = 2;
const TPC_CLOSEB = 3;
const TPC_DOT = 4;
const TPC_ID = 5;
const TPC_EQUAL = 6;
const TPC_FLOAT = 7;
const TPC_INT = 8;
const TPC_BOOL = 9;
const TPC_SINGLE_QUOTED_STRING = 10;
const TPC_DOUBLE_QUOTED_STRING = 11;
const TPC_TRIPPLE_QUOTES = 12;
const TPC_TRIPPLE_TEXT = 13;
const TPC_TRIPPLE_QUOTES_END = 14;
const TPC_NAKED_STRING = 15;
const TPC_OTHER = 16;
const TPC_NEWLINE = 17;
const TPC_COMMENTSTART = 18;
const YY_NO_ACTION = 60;
const YY_ACCEPT_ACTION = 59;
const YY_ERROR_ACTION = 58;
const YY_SZ_ACTTAB = 38;
static public $yy_action = array(
/* 0 */ 29, 30, 34, 33, 24, 13, 19, 25, 35, 21,
/* 10 */ 59, 8, 3, 1, 20, 12, 14, 31, 20, 12,
/* 20 */ 15, 17, 23, 18, 27, 26, 4, 5, 6, 32,
/* 30 */ 2, 11, 28, 22, 16, 9, 7, 10,
);
static public $yy_lookahead = array(
/* 0 */ 7, 8, 9, 10, 11, 12, 5, 27, 15, 16,
/* 10 */ 20, 21, 23, 23, 17, 18, 13, 14, 17, 18,
/* 20 */ 15, 2, 17, 4, 25, 26, 6, 3, 3, 14,
/* 30 */ 23, 1, 24, 17, 2, 25, 22, 25,
);
const YY_SHIFT_USE_DFLT = -8;
const YY_SHIFT_MAX = 19;
static public $yy_shift_ofst = array(
/* 0 */ -8, 1, 1, 1, -7, -3, -3, 30, -8, -8,
/* 10 */ -8, 19, 5, 3, 15, 16, 24, 25, 32, 20,
);
const YY_REDUCE_USE_DFLT = -21;
const YY_REDUCE_MAX = 10;
static public $yy_reduce_ofst = array(
/* 0 */ -10, -1, -1, -1, -20, 10, 12, 8, 14, 7,
/* 10 */ -11,
);
static public $yyExpectedTokens = array(
/* 0 */ array(),
/* 1 */ array(5, 17, 18, ),
/* 2 */ array(5, 17, 18, ),
/* 3 */ array(5, 17, 18, ),
/* 4 */ array(7, 8, 9, 10, 11, 12, 15, 16, ),
/* 5 */ array(17, 18, ),
/* 6 */ array(17, 18, ),
/* 7 */ array(1, ),
/* 8 */ array(),
/* 9 */ array(),
/* 10 */ array(),
/* 11 */ array(2, 4, ),
/* 12 */ array(15, 17, ),
/* 13 */ array(13, 14, ),
/* 14 */ array(14, ),
/* 15 */ array(17, ),
/* 16 */ array(3, ),
/* 17 */ array(3, ),
/* 18 */ array(2, ),
/* 19 */ array(6, ),
/* 20 */ array(),
/* 21 */ array(),
/* 22 */ array(),
/* 23 */ array(),
/* 24 */ array(),
/* 25 */ array(),
/* 26 */ array(),
/* 27 */ array(),
/* 28 */ array(),
/* 29 */ array(),
/* 30 */ array(),
/* 31 */ array(),
/* 32 */ array(),
/* 33 */ array(),
/* 34 */ array(),
/* 35 */ array(),
);
static public $yy_default = array(
/* 0 */ 44, 37, 41, 40, 58, 58, 58, 36, 39, 44,
/* 10 */ 44, 58, 58, 58, 58, 58, 58, 58, 58, 58,
/* 20 */ 55, 54, 57, 56, 50, 45, 43, 42, 38, 46,
/* 30 */ 47, 52, 51, 49, 48, 53,
);
const YYNOCODE = 29;
const YYSTACKDEPTH = 100;
const YYNSTATE = 36;
const YYNRULE = 22;
const YYERRORSYMBOL = 19;
const YYERRSYMDT = 'yy0';
const YYFALLBACK = 0;
static public $yyFallback = array(
);
static function Trace($TraceFILE, $zTracePrompt)
{
if (!$TraceFILE) {
$zTracePrompt = 0;
} elseif (!$zTracePrompt) {
$TraceFILE = 0;
}
self::$yyTraceFILE = $TraceFILE;
self::$yyTracePrompt = $zTracePrompt;
}
static function PrintTrace()
{
self::$yyTraceFILE = fopen('php://output', 'w');
self::$yyTracePrompt = '<br>';
}
static public $yyTraceFILE;
static public $yyTracePrompt;
public $yyidx; /* Index of top element in stack */
public $yyerrcnt; /* Shifts left before out of the error */
public $yystack = array(); /* The parser's stack */
public $yyTokenName = array(
'$', 'OPENB', 'SECTION', 'CLOSEB',
'DOT', 'ID', 'EQUAL', 'FLOAT',
'INT', 'BOOL', 'SINGLE_QUOTED_STRING', 'DOUBLE_QUOTED_STRING',
'TRIPPLE_QUOTES', 'TRIPPLE_TEXT', 'TRIPPLE_QUOTES_END', 'NAKED_STRING',
'OTHER', 'NEWLINE', 'COMMENTSTART', 'error',
'start', 'global_vars', 'sections', 'var_list',
'section', 'newline', 'var', 'value',
);
static public $yyRuleName = array(
/* 0 */ "start ::= global_vars sections",
/* 1 */ "global_vars ::= var_list",
/* 2 */ "sections ::= sections section",
/* 3 */ "sections ::=",
/* 4 */ "section ::= OPENB SECTION CLOSEB newline var_list",
/* 5 */ "section ::= OPENB DOT SECTION CLOSEB newline var_list",
/* 6 */ "var_list ::= var_list newline",
/* 7 */ "var_list ::= var_list var",
/* 8 */ "var_list ::=",
/* 9 */ "var ::= ID EQUAL value",
/* 10 */ "value ::= FLOAT",
/* 11 */ "value ::= INT",
/* 12 */ "value ::= BOOL",
/* 13 */ "value ::= SINGLE_QUOTED_STRING",
/* 14 */ "value ::= DOUBLE_QUOTED_STRING",
/* 15 */ "value ::= TRIPPLE_QUOTES TRIPPLE_TEXT TRIPPLE_QUOTES_END",
/* 16 */ "value ::= TRIPPLE_QUOTES TRIPPLE_QUOTES_END",
/* 17 */ "value ::= NAKED_STRING",
/* 18 */ "value ::= OTHER",
/* 19 */ "newline ::= NEWLINE",
/* 20 */ "newline ::= COMMENTSTART NEWLINE",
/* 21 */ "newline ::= COMMENTSTART NAKED_STRING NEWLINE",
);
function tokenName($tokenType)
{
if ($tokenType === 0) {
return 'End of Input';
}
if ($tokenType > 0 && $tokenType < count($this->yyTokenName)) {
return $this->yyTokenName[$tokenType];
} else {
return "Unknown";
}
}
static function yy_destructor($yymajor, $yypminor)
{
switch ($yymajor) {
default: break; /* If no destructor action specified: do nothing */
}
}
function yy_pop_parser_stack()
{
if (!count($this->yystack)) {
return;
}
$yytos = array_pop($this->yystack);
if (self::$yyTraceFILE && $this->yyidx >= 0) {
fwrite(self::$yyTraceFILE,
self::$yyTracePrompt . 'Popping ' . $this->yyTokenName[$yytos->major] .
"\n");
}
$yymajor = $yytos->major;
self::yy_destructor($yymajor, $yytos->minor);
$this->yyidx--;
return $yymajor;
}
function __destruct()
{
while ($this->yystack !== Array()) {
$this->yy_pop_parser_stack();
}
if (is_resource(self::$yyTraceFILE)) {
fclose(self::$yyTraceFILE);
}
}
function yy_get_expected_tokens($token)
{
$state = $this->yystack[$this->yyidx]->stateno;
$expected = self::$yyExpectedTokens[$state];
if (in_array($token, self::$yyExpectedTokens[$state], true)) {
return $expected;
}
$stack = $this->yystack;
$yyidx = $this->yyidx;
do {
$yyact = $this->yy_find_shift_action($token);
if ($yyact >= self::YYNSTATE && $yyact < self::YYNSTATE + self::YYNRULE) {
// reduce action
$done = 0;
do {
if ($done++ == 100) {
$this->yyidx = $yyidx;
$this->yystack = $stack;
// too much recursion prevents proper detection
// so give up
return array_unique($expected);
}
$yyruleno = $yyact - self::YYNSTATE;
$this->yyidx -= self::$yyRuleInfo[$yyruleno]['rhs'];
$nextstate = $this->yy_find_reduce_action(
$this->yystack[$this->yyidx]->stateno,
self::$yyRuleInfo[$yyruleno]['lhs']);
if (isset(self::$yyExpectedTokens[$nextstate])) {
$expected = array_merge($expected, self::$yyExpectedTokens[$nextstate]);
if (in_array($token,
self::$yyExpectedTokens[$nextstate], true)) {
$this->yyidx = $yyidx;
$this->yystack = $stack;
return array_unique($expected);
}
}
if ($nextstate < self::YYNSTATE) {
// we need to shift a non-terminal
$this->yyidx++;
$x = new TPC_yyStackEntry;
$x->stateno = $nextstate;
$x->major = self::$yyRuleInfo[$yyruleno]['lhs'];
$this->yystack[$this->yyidx] = $x;
continue 2;
} elseif ($nextstate == self::YYNSTATE + self::YYNRULE + 1) {
$this->yyidx = $yyidx;
$this->yystack = $stack;
// the last token was just ignored, we can't accept
// by ignoring input, this is in essence ignoring a
// syntax error!
return array_unique($expected);
} elseif ($nextstate === self::YY_NO_ACTION) {
$this->yyidx = $yyidx;
$this->yystack = $stack;
// input accepted, but not shifted (I guess)
return $expected;
} else {
$yyact = $nextstate;
}
} while (true);
}
break;
} while (true);
$this->yyidx = $yyidx;
$this->yystack = $stack;
return array_unique($expected);
}
function yy_is_expected_token($token)
{
if ($token === 0) {
return true; // 0 is not part of this
}
$state = $this->yystack[$this->yyidx]->stateno;
if (in_array($token, self::$yyExpectedTokens[$state], true)) {
return true;
}
$stack = $this->yystack;
$yyidx = $this->yyidx;
do {
$yyact = $this->yy_find_shift_action($token);
if ($yyact >= self::YYNSTATE && $yyact < self::YYNSTATE + self::YYNRULE) {
// reduce action
$done = 0;
do {
if ($done++ == 100) {
$this->yyidx = $yyidx;
$this->yystack = $stack;
// too much recursion prevents proper detection
// so give up
return true;
}
$yyruleno = $yyact - self::YYNSTATE;
$this->yyidx -= self::$yyRuleInfo[$yyruleno]['rhs'];
$nextstate = $this->yy_find_reduce_action(
$this->yystack[$this->yyidx]->stateno,
self::$yyRuleInfo[$yyruleno]['lhs']);
if (isset(self::$yyExpectedTokens[$nextstate]) &&
in_array($token, self::$yyExpectedTokens[$nextstate], true)) {
$this->yyidx = $yyidx;
$this->yystack = $stack;
return true;
}
if ($nextstate < self::YYNSTATE) {
// we need to shift a non-terminal
$this->yyidx++;
$x = new TPC_yyStackEntry;
$x->stateno = $nextstate;
$x->major = self::$yyRuleInfo[$yyruleno]['lhs'];
$this->yystack[$this->yyidx] = $x;
continue 2;
} elseif ($nextstate == self::YYNSTATE + self::YYNRULE + 1) {
$this->yyidx = $yyidx;
$this->yystack = $stack;
if (!$token) {
// end of input: this is valid
return true;
}
// the last token was just ignored, we can't accept
// by ignoring input, this is in essence ignoring a
// syntax error!
return false;
} elseif ($nextstate === self::YY_NO_ACTION) {
$this->yyidx = $yyidx;
$this->yystack = $stack;
// input accepted, but not shifted (I guess)
return true;
} else {
$yyact = $nextstate;
}
} while (true);
}
break;
} while (true);
$this->yyidx = $yyidx;
$this->yystack = $stack;
return true;
}
function yy_find_shift_action($iLookAhead)
{
$stateno = $this->yystack[$this->yyidx]->stateno;
/* if ($this->yyidx < 0) return self::YY_NO_ACTION; */
if (!isset(self::$yy_shift_ofst[$stateno])) {
// no shift actions
return self::$yy_default[$stateno];
}
$i = self::$yy_shift_ofst[$stateno];
if ($i === self::YY_SHIFT_USE_DFLT) {
return self::$yy_default[$stateno];
}
if ($iLookAhead == self::YYNOCODE) {
return self::YY_NO_ACTION;
}
$i += $iLookAhead;
if ($i < 0 || $i >= self::YY_SZ_ACTTAB ||
self::$yy_lookahead[$i] != $iLookAhead) {
if (count(self::$yyFallback) && $iLookAhead < count(self::$yyFallback)
&& ($iFallback = self::$yyFallback[$iLookAhead]) != 0) {
if (self::$yyTraceFILE) {
fwrite(self::$yyTraceFILE, self::$yyTracePrompt . "FALLBACK " .
$this->yyTokenName[$iLookAhead] . " => " .
$this->yyTokenName[$iFallback] . "\n");
}
return $this->yy_find_shift_action($iFallback);
}
return self::$yy_default[$stateno];
} else {
return self::$yy_action[$i];
}
}
function yy_find_reduce_action($stateno, $iLookAhead)
{
/* $stateno = $this->yystack[$this->yyidx]->stateno; */
if (!isset(self::$yy_reduce_ofst[$stateno])) {
return self::$yy_default[$stateno];
}
$i = self::$yy_reduce_ofst[$stateno];
if ($i == self::YY_REDUCE_USE_DFLT) {
return self::$yy_default[$stateno];
}
if ($iLookAhead == self::YYNOCODE) {
return self::YY_NO_ACTION;
}
$i += $iLookAhead;
if ($i < 0 || $i >= self::YY_SZ_ACTTAB ||
self::$yy_lookahead[$i] != $iLookAhead) {
return self::$yy_default[$stateno];
} else {
return self::$yy_action[$i];
}
}
function yy_shift($yyNewState, $yyMajor, $yypMinor)
{
$this->yyidx++;
if ($this->yyidx >= self::YYSTACKDEPTH) {
$this->yyidx--;
if (self::$yyTraceFILE) {
fprintf(self::$yyTraceFILE, "%sStack Overflow!\n", self::$yyTracePrompt);
}
while ($this->yyidx >= 0) {
$this->yy_pop_parser_stack();
}
#line 125 "smarty_internal_configfileparser.y"
$this->internalError = true;
$this->compiler->trigger_config_file_error("Stack overflow in configfile parser");
#line 593 "smarty_internal_configfileparser.php"
return;
}
$yytos = new TPC_yyStackEntry;
$yytos->stateno = $yyNewState;
$yytos->major = $yyMajor;
$yytos->minor = $yypMinor;
array_push($this->yystack, $yytos);
if (self::$yyTraceFILE && $this->yyidx > 0) {
fprintf(self::$yyTraceFILE, "%sShift %d\n", self::$yyTracePrompt,
$yyNewState);
fprintf(self::$yyTraceFILE, "%sStack:", self::$yyTracePrompt);
for($i = 1; $i <= $this->yyidx; $i++) {
fprintf(self::$yyTraceFILE, " %s",
$this->yyTokenName[$this->yystack[$i]->major]);
}
fwrite(self::$yyTraceFILE,"\n");
}
}
static public $yyRuleInfo = array(
array( 'lhs' => 20, 'rhs' => 2 ),
array( 'lhs' => 21, 'rhs' => 1 ),
array( 'lhs' => 22, 'rhs' => 2 ),
array( 'lhs' => 22, 'rhs' => 0 ),
array( 'lhs' => 24, 'rhs' => 5 ),
array( 'lhs' => 24, 'rhs' => 6 ),
array( 'lhs' => 23, 'rhs' => 2 ),
array( 'lhs' => 23, 'rhs' => 2 ),
array( 'lhs' => 23, 'rhs' => 0 ),
array( 'lhs' => 26, 'rhs' => 3 ),
array( 'lhs' => 27, 'rhs' => 1 ),
array( 'lhs' => 27, 'rhs' => 1 ),
array( 'lhs' => 27, 'rhs' => 1 ),
array( 'lhs' => 27, 'rhs' => 1 ),
array( 'lhs' => 27, 'rhs' => 1 ),
array( 'lhs' => 27, 'rhs' => 3 ),
array( 'lhs' => 27, 'rhs' => 2 ),
array( 'lhs' => 27, 'rhs' => 1 ),
array( 'lhs' => 27, 'rhs' => 1 ),
array( 'lhs' => 25, 'rhs' => 1 ),
array( 'lhs' => 25, 'rhs' => 2 ),
array( 'lhs' => 25, 'rhs' => 3 ),
);
static public $yyReduceMap = array(
0 => 0,
2 => 0,
3 => 0,
19 => 0,
20 => 0,
21 => 0,
1 => 1,
4 => 4,
5 => 5,
6 => 6,
7 => 7,
8 => 8,
9 => 9,
10 => 10,
11 => 11,
12 => 12,
13 => 13,
14 => 14,
15 => 15,
16 => 16,
17 => 17,
18 => 17,
);
#line 131 "smarty_internal_configfileparser.y"
function yy_r0(){
$this->_retvalue = null;
}
#line 666 "smarty_internal_configfileparser.php"
#line 136 "smarty_internal_configfileparser.y"
function yy_r1(){
$this->add_global_vars($this->yystack[$this->yyidx + 0]->minor); $this->_retvalue = null;
}
#line 671 "smarty_internal_configfileparser.php"
#line 149 "smarty_internal_configfileparser.y"
function yy_r4(){
$this->add_section_vars($this->yystack[$this->yyidx + -3]->minor, $this->yystack[$this->yyidx + 0]->minor);
$this->_retvalue = null;
}
#line 677 "smarty_internal_configfileparser.php"
#line 154 "smarty_internal_configfileparser.y"
function yy_r5(){
if ($this->smarty->config_read_hidden) {
$this->add_section_vars($this->yystack[$this->yyidx + -3]->minor, $this->yystack[$this->yyidx + 0]->minor);
}
$this->_retvalue = null;
}
#line 685 "smarty_internal_configfileparser.php"
#line 162 "smarty_internal_configfileparser.y"
function yy_r6(){
$this->_retvalue = $this->yystack[$this->yyidx + -1]->minor;
}
#line 690 "smarty_internal_configfileparser.php"
#line 166 "smarty_internal_configfileparser.y"
function yy_r7(){
$this->_retvalue = array_merge($this->yystack[$this->yyidx + -1]->minor, Array($this->yystack[$this->yyidx + 0]->minor));
}
#line 695 "smarty_internal_configfileparser.php"
#line 170 "smarty_internal_configfileparser.y"
function yy_r8(){
$this->_retvalue = Array();
}
#line 700 "smarty_internal_configfileparser.php"
#line 176 "smarty_internal_configfileparser.y"
function yy_r9(){
$this->_retvalue = Array("key" => $this->yystack[$this->yyidx + -2]->minor, "value" => $this->yystack[$this->yyidx + 0]->minor);
}
#line 705 "smarty_internal_configfileparser.php"
#line 181 "smarty_internal_configfileparser.y"
function yy_r10(){
$this->_retvalue = (float) $this->yystack[$this->yyidx + 0]->minor;
}
#line 710 "smarty_internal_configfileparser.php"
#line 185 "smarty_internal_configfileparser.y"
function yy_r11(){
$this->_retvalue = (int) $this->yystack[$this->yyidx + 0]->minor;
}
#line 715 "smarty_internal_configfileparser.php"
#line 189 "smarty_internal_configfileparser.y"
function yy_r12(){
$this->_retvalue = $this->parse_bool($this->yystack[$this->yyidx + 0]->minor);
}
#line 720 "smarty_internal_configfileparser.php"
#line 193 "smarty_internal_configfileparser.y"
function yy_r13(){
$this->_retvalue = self::parse_single_quoted_string($this->yystack[$this->yyidx + 0]->minor);
}
#line 725 "smarty_internal_configfileparser.php"
#line 197 "smarty_internal_configfileparser.y"
function yy_r14(){
$this->_retvalue = self::parse_double_quoted_string($this->yystack[$this->yyidx + 0]->minor);
}
#line 730 "smarty_internal_configfileparser.php"
#line 201 "smarty_internal_configfileparser.y"
function yy_r15(){
$this->_retvalue = self::parse_tripple_double_quoted_string($this->yystack[$this->yyidx + -1]->minor);
}
#line 735 "smarty_internal_configfileparser.php"
#line 205 "smarty_internal_configfileparser.y"
function yy_r16(){
$this->_retvalue = '';
}
#line 740 "smarty_internal_configfileparser.php"
#line 209 "smarty_internal_configfileparser.y"
function yy_r17(){
$this->_retvalue = $this->yystack[$this->yyidx + 0]->minor;
}
#line 745 "smarty_internal_configfileparser.php"
private $_retvalue;
function yy_reduce($yyruleno)
{
$yymsp = $this->yystack[$this->yyidx];
if (self::$yyTraceFILE && $yyruleno >= 0
&& $yyruleno < count(self::$yyRuleName)) {
fprintf(self::$yyTraceFILE, "%sReduce (%d) [%s].\n",
self::$yyTracePrompt, $yyruleno,
self::$yyRuleName[$yyruleno]);
}
$this->_retvalue = $yy_lefthand_side = null;
if (array_key_exists($yyruleno, self::$yyReduceMap)) {
// call the action
$this->_retvalue = null;
$this->{'yy_r' . self::$yyReduceMap[$yyruleno]}();
$yy_lefthand_side = $this->_retvalue;
}
$yygoto = self::$yyRuleInfo[$yyruleno]['lhs'];
$yysize = self::$yyRuleInfo[$yyruleno]['rhs'];
$this->yyidx -= $yysize;
for($i = $yysize; $i; $i--) {
// pop all of the right-hand side parameters
array_pop($this->yystack);
}
$yyact = $this->yy_find_reduce_action($this->yystack[$this->yyidx]->stateno, $yygoto);
if ($yyact < self::YYNSTATE) {
if (!self::$yyTraceFILE && $yysize) {
$this->yyidx++;
$x = new TPC_yyStackEntry;
$x->stateno = $yyact;
$x->major = $yygoto;
$x->minor = $yy_lefthand_side;
$this->yystack[$this->yyidx] = $x;
} else {
$this->yy_shift($yyact, $yygoto, $yy_lefthand_side);
}
} elseif ($yyact == self::YYNSTATE + self::YYNRULE + 1) {
$this->yy_accept();
}
}
function yy_parse_failed()
{
if (self::$yyTraceFILE) {
fprintf(self::$yyTraceFILE, "%sFail!\n", self::$yyTracePrompt);
}
while ($this->yyidx >= 0) {
$this->yy_pop_parser_stack();
}
}
function yy_syntax_error($yymajor, $TOKEN)
{
#line 118 "smarty_internal_configfileparser.y"
$this->internalError = true;
$this->yymajor = $yymajor;
$this->compiler->trigger_config_file_error();
#line 808 "smarty_internal_configfileparser.php"
}
function yy_accept()
{
if (self::$yyTraceFILE) {
fprintf(self::$yyTraceFILE, "%sAccept!\n", self::$yyTracePrompt);
}
while ($this->yyidx >= 0) {
$stack = $this->yy_pop_parser_stack();
}
#line 110 "smarty_internal_configfileparser.y"
$this->successful = !$this->internalError;
$this->internalError = false;
$this->retvalue = $this->_retvalue;
//echo $this->retvalue."\n\n";
#line 826 "smarty_internal_configfileparser.php"
}
function doParse($yymajor, $yytokenvalue)
{
$yyerrorhit = 0; /* True if yymajor has invoked an error */
if ($this->yyidx === null || $this->yyidx < 0) {
$this->yyidx = 0;
$this->yyerrcnt = -1;
$x = new TPC_yyStackEntry;
$x->stateno = 0;
$x->major = 0;
$this->yystack = array();
array_push($this->yystack, $x);
}
$yyendofinput = ($yymajor==0);
if (self::$yyTraceFILE) {
fprintf(self::$yyTraceFILE, "%sInput %s\n",
self::$yyTracePrompt, $this->yyTokenName[$yymajor]);
}
do {
$yyact = $this->yy_find_shift_action($yymajor);
if ($yymajor < self::YYERRORSYMBOL &&
!$this->yy_is_expected_token($yymajor)) {
// force a syntax error
$yyact = self::YY_ERROR_ACTION;
}
if ($yyact < self::YYNSTATE) {
$this->yy_shift($yyact, $yymajor, $yytokenvalue);
$this->yyerrcnt--;
if ($yyendofinput && $this->yyidx >= 0) {
$yymajor = 0;
} else {
$yymajor = self::YYNOCODE;
}
} elseif ($yyact < self::YYNSTATE + self::YYNRULE) {
$this->yy_reduce($yyact - self::YYNSTATE);
} elseif ($yyact == self::YY_ERROR_ACTION) {
if (self::$yyTraceFILE) {
fprintf(self::$yyTraceFILE, "%sSyntax Error!\n",
self::$yyTracePrompt);
}
if (self::YYERRORSYMBOL) {
if ($this->yyerrcnt < 0) {
$this->yy_syntax_error($yymajor, $yytokenvalue);
}
$yymx = $this->yystack[$this->yyidx]->major;
if ($yymx == self::YYERRORSYMBOL || $yyerrorhit ){
if (self::$yyTraceFILE) {
fprintf(self::$yyTraceFILE, "%sDiscard input token %s\n",
self::$yyTracePrompt, $this->yyTokenName[$yymajor]);
}
$this->yy_destructor($yymajor, $yytokenvalue);
$yymajor = self::YYNOCODE;
} else {
while ($this->yyidx >= 0 &&
$yymx != self::YYERRORSYMBOL &&
($yyact = $this->yy_find_shift_action(self::YYERRORSYMBOL)) >= self::YYNSTATE
){
$this->yy_pop_parser_stack();
}
if ($this->yyidx < 0 || $yymajor==0) {
$this->yy_destructor($yymajor, $yytokenvalue);
$this->yy_parse_failed();
$yymajor = self::YYNOCODE;
} elseif ($yymx != self::YYERRORSYMBOL) {
$u2 = 0;
$this->yy_shift($yyact, self::YYERRORSYMBOL, $u2);
}
}
$this->yyerrcnt = 3;
$yyerrorhit = 1;
} else {
if ($this->yyerrcnt <= 0) {
$this->yy_syntax_error($yymajor, $yytokenvalue);
}
$this->yyerrcnt = 3;
$this->yy_destructor($yymajor, $yytokenvalue);
if ($yyendofinput) {
$this->yy_parse_failed();
}
$yymajor = self::YYNOCODE;
}
} else {
$this->yy_accept();
$yymajor = self::YYNOCODE;
}
} while ($yymajor != self::YYNOCODE && $this->yyidx >= 0);
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_configfileparser.php | PHP | asf20 | 34,202 |
<?php
/**
* Smarty Internal Plugin Resource Registered
*
* @package Smarty
* @subpackage TemplateResources
* @author Uwe Tews
* @author Rodney Rehm
*/
/**
* Smarty Internal Plugin Resource Registered
*
* Implements the registered resource for Smarty template
*
* @package Smarty
* @subpackage TemplateResources
* @deprecated
*/
class Smarty_Internal_Resource_Registered extends Smarty_Resource {
/**
* populate Source Object with meta data from Resource
*
* @param Smarty_Template_Source $source source object
* @param Smarty_Internal_Template $_template template object
* @return void
*/
public function populate(Smarty_Template_Source $source, Smarty_Internal_Template $_template=null)
{
$source->filepath = $source->type . ':' . $source->name;
$source->uid = sha1($source->filepath);
if ($source->smarty->compile_check) {
$source->timestamp = $this->getTemplateTimestamp($source);
$source->exists = !!$source->timestamp;
}
}
/**
* populate Source Object with timestamp and exists from Resource
*
* @param Smarty_Template_Source $source source object
* @return void
*/
public function populateTimestamp(Smarty_Template_Source $source)
{
$source->timestamp = $this->getTemplateTimestamp($source);
$source->exists = !!$source->timestamp;
}
/**
* Get timestamp (epoch) the template source was modified
*
* @param Smarty_Template_Source $source source object
* @return integer|boolean timestamp (epoch) the template was modified, false if resources has no timestamp
*/
public function getTemplateTimestamp(Smarty_Template_Source $source)
{
// return timestamp
$time_stamp = false;
call_user_func_array($source->smarty->registered_resources[$source->type][0][1], array($source->name, &$time_stamp, $source->smarty));
return is_numeric($time_stamp) ? (int) $time_stamp : $time_stamp;
}
/**
* Load template's source by invoking the registered callback into current template object
*
* @param Smarty_Template_Source $source source object
* @return string template source
* @throws SmartyException if source cannot be loaded
*/
public function getContent(Smarty_Template_Source $source)
{
// return template string
$t = call_user_func_array($source->smarty->registered_resources[$source->type][0][0], array($source->name, &$source->content, $source->smarty));
if (is_bool($t) && !$t) {
throw new SmartyException("Unable to read template {$source->type} '{$source->name}'");
}
return $source->content;
}
/**
* Determine basename for compiled filename
*
* @param Smarty_Template_Source $source source object
* @return string resource's basename
*/
protected function getBasename(Smarty_Template_Source $source)
{
return basename($source->name);
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_resource_registered.php | PHP | asf20 | 3,143 |
<?php
/**
* Smarty plugin
*
* @package Smarty
* @subpackage Security
* @author Uwe Tews
*/
/*
* FIXME: Smarty_Security API
* - getter and setter instead of public properties would allow cultivating an internal cache properly
* - current implementation of isTrustedResourceDir() assumes that Smarty::$template_dir and Smarty::$config_dir are immutable
* the cache is killed every time either of the variables change. That means that two distinct Smarty objects with differing
* $template_dir or $config_dir should NOT share the same Smarty_Security instance,
* as this would lead to (severe) performance penalty! how should this be handled?
*/
/**
* This class does contain the security settings
*/
class Smarty_Security {
/**
* This determines how Smarty handles "<?php ... ?>" tags in templates.
* possible values:
* <ul>
* <li>Smarty::PHP_PASSTHRU -> echo PHP tags as they are</li>
* <li>Smarty::PHP_QUOTE -> escape tags as entities</li>
* <li>Smarty::PHP_REMOVE -> remove php tags</li>
* <li>Smarty::PHP_ALLOW -> execute php tags</li>
* </ul>
*
* @var integer
*/
public $php_handling = Smarty::PHP_PASSTHRU;
/**
* This is the list of template directories that are considered secure.
* $template_dir is in this list implicitly.
*
* @var array
*/
public $secure_dir = array();
/**
* This is an array of directories where trusted php scripts reside.
* {@link $security} is disabled during their inclusion/execution.
*
* @var array
*/
public $trusted_dir = array();
/**
* List of regular expressions (PCRE) that include trusted URIs
*
* @var array
*/
public $trusted_uri = array();
/**
* This is an array of trusted static classes.
*
* If empty access to all static classes is allowed.
* If set to 'none' none is allowed.
* @var array
*/
public $static_classes = array();
/**
* This is an array of trusted PHP functions.
*
* If empty all functions are allowed.
* To disable all PHP functions set $php_functions = null.
* @var array
*/
public $php_functions = array(
'isset', 'empty',
'count', 'sizeof',
'in_array', 'is_array',
'time',
'nl2br',
);
/**
* This is an array of trusted PHP modifers.
*
* If empty all modifiers are allowed.
* To disable all modifier set $modifiers = null.
* @var array
*/
public $php_modifiers = array(
'escape',
'count'
);
/**
* This is an array of allowed tags.
*
* If empty no restriction by allowed_tags.
* @var array
*/
public $allowed_tags = array();
/**
* This is an array of disabled tags.
*
* If empty no restriction by disabled_tags.
* @var array
*/
public $disabled_tags = array();
/**
* This is an array of allowed modifier plugins.
*
* If empty no restriction by allowed_modifiers.
* @var array
*/
public $allowed_modifiers = array();
/**
* This is an array of disabled modifier plugins.
*
* If empty no restriction by disabled_modifiers.
* @var array
*/
public $disabled_modifiers = array();
/**
* This is an array of trusted streams.
*
* If empty all streams are allowed.
* To disable all streams set $streams = null.
* @var array
*/
public $streams = array('file');
/**
* + flag if constants can be accessed from template
* @var boolean
*/
public $allow_constants = true;
/**
* + flag if super globals can be accessed from template
* @var boolean
*/
public $allow_super_globals = true;
/**
* Cache for $resource_dir lookups
* @var array
*/
protected $_resource_dir = null;
/**
* Cache for $template_dir lookups
* @var array
*/
protected $_template_dir = null;
/**
* Cache for $config_dir lookups
* @var array
*/
protected $_config_dir = null;
/**
* Cache for $secure_dir lookups
* @var array
*/
protected $_secure_dir = null;
/**
* Cache for $php_resource_dir lookups
* @var array
*/
protected $_php_resource_dir = null;
/**
* Cache for $trusted_dir lookups
* @var array
*/
protected $_trusted_dir = null;
/**
* @param Smarty $smarty
*/
public function __construct($smarty)
{
$this->smarty = $smarty;
}
/**
* Check if PHP function is trusted.
*
* @param string $function_name
* @param object $compiler compiler object
* @return boolean true if function is trusted
* @throws SmartyCompilerException if php function is not trusted
*/
public function isTrustedPhpFunction($function_name, $compiler)
{
if (isset($this->php_functions) && (empty($this->php_functions) || in_array($function_name, $this->php_functions))) {
return true;
}
$compiler->trigger_template_error("PHP function '{$function_name}' not allowed by security setting");
return false; // should not, but who knows what happens to the compiler in the future?
}
/**
* Check if static class is trusted.
*
* @param string $class_name
* @param object $compiler compiler object
* @return boolean true if class is trusted
* @throws SmartyCompilerException if static class is not trusted
*/
public function isTrustedStaticClass($class_name, $compiler)
{
if (isset($this->static_classes) && (empty($this->static_classes) || in_array($class_name, $this->static_classes))) {
return true;
}
$compiler->trigger_template_error("access to static class '{$class_name}' not allowed by security setting");
return false; // should not, but who knows what happens to the compiler in the future?
}
/**
* Check if PHP modifier is trusted.
*
* @param string $modifier_name
* @param object $compiler compiler object
* @return boolean true if modifier is trusted
* @throws SmartyCompilerException if modifier is not trusted
*/
public function isTrustedPhpModifier($modifier_name, $compiler)
{
if (isset($this->php_modifiers) && (empty($this->php_modifiers) || in_array($modifier_name, $this->php_modifiers))) {
return true;
}
$compiler->trigger_template_error("modifier '{$modifier_name}' not allowed by security setting");
return false; // should not, but who knows what happens to the compiler in the future?
}
/**
* Check if tag is trusted.
*
* @param string $tag_name
* @param object $compiler compiler object
* @return boolean true if tag is trusted
* @throws SmartyCompilerException if modifier is not trusted
*/
public function isTrustedTag($tag_name, $compiler)
{
// check for internal always required tags
if (in_array($tag_name, array('assign', 'call', 'private_filter', 'private_block_plugin', 'private_function_plugin', 'private_object_block_function',
'private_object_function', 'private_registered_function', 'private_registered_block', 'private_special_variable', 'private_print_expression', 'private_modifier'))) {
return true;
}
// check security settings
if (empty($this->allowed_tags)) {
if (empty($this->disabled_tags) || !in_array($tag_name, $this->disabled_tags)) {
return true;
} else {
$compiler->trigger_template_error("tag '{$tag_name}' disabled by security setting", $compiler->lex->taglineno);
}
} else if (in_array($tag_name, $this->allowed_tags) && !in_array($tag_name, $this->disabled_tags)) {
return true;
} else {
$compiler->trigger_template_error("tag '{$tag_name}' not allowed by security setting", $compiler->lex->taglineno);
}
return false; // should not, but who knows what happens to the compiler in the future?
}
/**
* Check if modifier plugin is trusted.
*
* @param string $modifier_name
* @param object $compiler compiler object
* @return boolean true if tag is trusted
* @throws SmartyCompilerException if modifier is not trusted
*/
public function isTrustedModifier($modifier_name, $compiler)
{
// check for internal always allowed modifier
if (in_array($modifier_name, array('default'))) {
return true;
}
// check security settings
if (empty($this->allowed_modifiers)) {
if (empty($this->disabled_modifiers) || !in_array($modifier_name, $this->disabled_modifiers)) {
return true;
} else {
$compiler->trigger_template_error("modifier '{$modifier_name}' disabled by security setting", $compiler->lex->taglineno);
}
} else if (in_array($modifier_name, $this->allowed_modifiers) && !in_array($modifier_name, $this->disabled_modifiers)) {
return true;
} else {
$compiler->trigger_template_error("modifier '{$modifier_name}' not allowed by security setting", $compiler->lex->taglineno);
}
return false; // should not, but who knows what happens to the compiler in the future?
}
/**
* Check if stream is trusted.
*
* @param string $stream_name
* @return boolean true if stream is trusted
* @throws SmartyException if stream is not trusted
*/
public function isTrustedStream($stream_name)
{
if (isset($this->streams) && (empty($this->streams) || in_array($stream_name, $this->streams))) {
return true;
}
throw new SmartyException("stream '{$stream_name}' not allowed by security setting");
}
/**
* Check if directory of file resource is trusted.
*
* @param string $filepath
* @return boolean true if directory is trusted
* @throws SmartyException if directory is not trusted
*/
public function isTrustedResourceDir($filepath)
{
$_template = false;
$_config = false;
$_secure = false;
$_template_dir = $this->smarty->getTemplateDir();
$_config_dir = $this->smarty->getConfigDir();
// check if index is outdated
if ((!$this->_template_dir || $this->_template_dir !== $_template_dir)
|| (!$this->_config_dir || $this->_config_dir !== $_config_dir)
|| (!empty($this->secure_dir) && (!$this->_secure_dir || $this->_secure_dir !== $this->secure_dir))
) {
$this->_resource_dir = array();
$_template = true;
$_config = true;
$_secure = !empty($this->secure_dir);
}
// rebuild template dir index
if ($_template) {
$this->_template_dir = $_template_dir;
foreach ($_template_dir as $directory) {
$directory = realpath($directory);
$this->_resource_dir[$directory] = true;
}
}
// rebuild config dir index
if ($_config) {
$this->_config_dir = $_config_dir;
foreach ($_config_dir as $directory) {
$directory = realpath($directory);
$this->_resource_dir[$directory] = true;
}
}
// rebuild secure dir index
if ($_secure) {
$this->_secure_dir = $this->secure_dir;
foreach ((array) $this->secure_dir as $directory) {
$directory = realpath($directory);
$this->_resource_dir[$directory] = true;
}
}
$_filepath = realpath($filepath);
$directory = dirname($_filepath);
$_directory = array();
while (true) {
// remember the directory to add it to _resource_dir in case we're successful
$_directory[] = $directory;
// test if the directory is trusted
if (isset($this->_resource_dir[$directory])) {
// merge sub directories of current $directory into _resource_dir to speed up subsequent lookups
$this->_resource_dir = array_merge($this->_resource_dir, $_directory);
return true;
}
// abort if we've reached root
if (($pos = strrpos($directory, DS)) === false || !isset($directory[1])) {
break;
}
// bubble up one level
$directory = substr($directory, 0, $pos);
}
// give up
throw new SmartyException("directory '{$_filepath}' not allowed by security setting");
}
/**
* Check if URI (e.g. {fetch} or {html_image}) is trusted
*
* To simplify things, isTrustedUri() resolves all input to "{$PROTOCOL}://{$HOSTNAME}".
* So "http://username:password@hello.world.example.org:8080/some-path?some=query-string"
* is reduced to "http://hello.world.example.org" prior to applying the patters from {@link $trusted_uri}.
* @param string $uri
* @return boolean true if URI is trusted
* @throws SmartyException if URI is not trusted
* @uses $trusted_uri for list of patterns to match against $uri
*/
public function isTrustedUri($uri)
{
$_uri = parse_url($uri);
if (!empty($_uri['scheme']) && !empty($_uri['host'])) {
$_uri = $_uri['scheme'] . '://' . $_uri['host'];
foreach ($this->trusted_uri as $pattern) {
if (preg_match($pattern, $_uri)) {
return true;
}
}
}
throw new SmartyException("URI '{$uri}' not allowed by security setting");
}
/**
* Check if directory of file resource is trusted.
*
* @param string $filepath
* @return boolean true if directory is trusted
* @throws SmartyException if PHP directory is not trusted
*/
public function isTrustedPHPDir($filepath)
{
if (empty($this->trusted_dir)) {
throw new SmartyException("directory '{$filepath}' not allowed by security setting (no trusted_dir specified)");
}
// check if index is outdated
if (!$this->_trusted_dir || $this->_trusted_dir !== $this->trusted_dir) {
$this->_php_resource_dir = array();
$this->_trusted_dir = $this->trusted_dir;
foreach ((array) $this->trusted_dir as $directory) {
$directory = realpath($directory);
$this->_php_resource_dir[$directory] = true;
}
}
$_filepath = realpath($filepath);
$directory = dirname($_filepath);
$_directory = array();
while (true) {
// remember the directory to add it to _resource_dir in case we're successful
$_directory[] = $directory;
// test if the directory is trusted
if (isset($this->_php_resource_dir[$directory])) {
// merge sub directories of current $directory into _resource_dir to speed up subsequent lookups
$this->_php_resource_dir = array_merge($this->_php_resource_dir, $_directory);
return true;
}
// abort if we've reached root
if (($pos = strrpos($directory, DS)) === false || !isset($directory[2])) {
break;
}
// bubble up one level
$directory = substr($directory, 0, $pos);
}
throw new SmartyException("directory '{$_filepath}' not allowed by security setting");
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_security.php | PHP | asf20 | 16,346 |
<?php
/**
* Smarty Internal Plugin CompileBase
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* This class does extend all internal compile plugins
*
* @package Smarty
* @subpackage Compiler
*/
abstract class Smarty_Internal_CompileBase {
/**
* Array of names of required attribute required by tag
*
* @var array
*/
public $required_attributes = array();
/**
* Array of names of optional attribute required by tag
* use array('_any') if there is no restriction of attributes names
*
* @var array
*/
public $optional_attributes = array();
/**
* Shorttag attribute order defined by its names
*
* @var array
*/
public $shorttag_order = array();
/**
* Array of names of valid option flags
*
* @var array
*/
public $option_flags = array('nocache');
/**
* This function checks if the attributes passed are valid
*
* The attributes passed for the tag to compile are checked against the list of required and
* optional attributes. Required attributes must be present. Optional attributes are check against
* the corresponding list. The keyword '_any' specifies that any attribute will be accepted
* as valid
*
* @param object $compiler compiler object
* @param array $attributes attributes applied to the tag
* @return array of mapped attributes for further processing
*/
public function getAttributes($compiler, $attributes)
{
$_indexed_attr = array();
// loop over attributes
foreach ($attributes as $key => $mixed) {
// shorthand ?
if (!is_array($mixed)) {
// option flag ?
if (in_array(trim($mixed, '\'"'), $this->option_flags)) {
$_indexed_attr[trim($mixed, '\'"')] = true;
// shorthand attribute ?
} else if (isset($this->shorttag_order[$key])) {
$_indexed_attr[$this->shorttag_order[$key]] = $mixed;
} else {
// too many shorthands
$compiler->trigger_template_error('too many shorthand attributes', $compiler->lex->taglineno);
}
// named attribute
} else {
$kv = each($mixed);
// option flag?
if (in_array($kv['key'], $this->option_flags)) {
if (is_bool($kv['value'])) {
$_indexed_attr[$kv['key']] = $kv['value'];
} else if (is_string($kv['value']) && in_array(trim($kv['value'], '\'"'), array('true', 'false'))) {
if (trim($kv['value']) == 'true') {
$_indexed_attr[$kv['key']] = true;
} else {
$_indexed_attr[$kv['key']] = false;
}
} else if (is_numeric($kv['value']) && in_array($kv['value'], array(0, 1))) {
if ($kv['value'] == 1) {
$_indexed_attr[$kv['key']] = true;
} else {
$_indexed_attr[$kv['key']] = false;
}
} else {
$compiler->trigger_template_error("illegal value of option flag \"{$kv['key']}\"", $compiler->lex->taglineno);
}
// must be named attribute
} else {
reset($mixed);
$_indexed_attr[key($mixed)] = $mixed[key($mixed)];
}
}
}
// check if all required attributes present
foreach ($this->required_attributes as $attr) {
if (!array_key_exists($attr, $_indexed_attr)) {
$compiler->trigger_template_error("missing \"" . $attr . "\" attribute", $compiler->lex->taglineno);
}
}
// check for unallowed attributes
if ($this->optional_attributes != array('_any')) {
$tmp_array = array_merge($this->required_attributes, $this->optional_attributes, $this->option_flags);
foreach ($_indexed_attr as $key => $dummy) {
if (!in_array($key, $tmp_array) && $key !== 0) {
$compiler->trigger_template_error("unexpected \"" . $key . "\" attribute", $compiler->lex->taglineno);
}
}
}
// default 'false' for all option flags not set
foreach ($this->option_flags as $flag) {
if (!isset($_indexed_attr[$flag])) {
$_indexed_attr[$flag] = false;
}
}
return $_indexed_attr;
}
/**
* Push opening tag name on stack
*
* Optionally additional data can be saved on stack
*
* @param object $compiler compiler object
* @param string $openTag the opening tag's name
* @param mixed $data optional data saved
*/
public function openTag($compiler, $openTag, $data = null)
{
array_push($compiler->_tag_stack, array($openTag, $data));
}
/**
* Pop closing tag
*
* Raise an error if this stack-top doesn't match with expected opening tags
*
* @param object $compiler compiler object
* @param array|string $expectedTag the expected opening tag names
* @return mixed any type the opening tag's name or saved data
*/
public function closeTag($compiler, $expectedTag)
{
if (count($compiler->_tag_stack) > 0) {
// get stacked info
list($_openTag, $_data) = array_pop($compiler->_tag_stack);
// open tag must match with the expected ones
if (in_array($_openTag, (array) $expectedTag)) {
if (is_null($_data)) {
// return opening tag
return $_openTag;
} else {
// return restored data
return $_data;
}
}
// wrong nesting of tags
$compiler->trigger_template_error("unclosed {" . $_openTag . "} tag");
return;
}
// wrong nesting of tags
$compiler->trigger_template_error("unexpected closing tag", $compiler->lex->taglineno);
return;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compilebase.php | PHP | asf20 | 6,596 |
<?php
/**
* Smarty Internal Plugin Compile Insert
*
* Compiles the {insert} tag
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Insert Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Insert extends Smarty_Internal_CompileBase {
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $required_attributes = array('name');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $shorttag_order = array('name');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $optional_attributes = array('_any');
/**
* Compiles code for the {insert} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @return string compiled code
*/
public function compile($args, $compiler)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
// never compile as nocache code
$compiler->suppressNocacheProcessing = true;
$compiler->tag_nocache = true;
$_smarty_tpl = $compiler->template;
$_name = null;
$_script = null;
$_output = '<?php ';
// save posible attributes
eval('$_name = ' . $_attr['name'] . ';');
if (isset($_attr['assign'])) {
// output will be stored in a smarty variable instead of being displayed
$_assign = $_attr['assign'];
// create variable to make shure that the compiler knows about its nocache status
$compiler->template->tpl_vars[trim($_attr['assign'], "'")] = new Smarty_Variable(null, true);
}
if (isset($_attr['script'])) {
// script which must be included
$_function = "smarty_insert_{$_name}";
$_smarty_tpl = $compiler->template;
$_filepath = false;
eval('$_script = ' . $_attr['script'] . ';');
if (!isset($compiler->smarty->security_policy) && file_exists($_script)) {
$_filepath = $_script;
} else {
if (isset($compiler->smarty->security_policy)) {
$_dir = $compiler->smarty->security_policy->trusted_dir;
} else {
$_dir = $compiler->smarty->trusted_dir;
}
if (!empty($_dir)) {
foreach((array)$_dir as $_script_dir) {
$_script_dir = rtrim($_script_dir, '/\\') . DS;
if (file_exists($_script_dir . $_script)) {
$_filepath = $_script_dir . $_script;
break;
}
}
}
}
if ($_filepath == false) {
$compiler->trigger_template_error("{insert} missing script file '{$_script}'", $compiler->lex->taglineno);
}
// code for script file loading
$_output .= "require_once '{$_filepath}' ;";
require_once $_filepath;
if (!is_callable($_function)) {
$compiler->trigger_template_error(" {insert} function '{$_function}' is not callable in script file '{$_script}'", $compiler->lex->taglineno);
}
} else {
$_filepath = 'null';
$_function = "insert_{$_name}";
// function in PHP script ?
if (!is_callable($_function)) {
// try plugin
if (!$_function = $compiler->getPlugin($_name, 'insert')) {
$compiler->trigger_template_error("{insert} no function or plugin found for '{$_name}'", $compiler->lex->taglineno);
}
}
}
// delete {insert} standard attributes
unset($_attr['name'], $_attr['assign'], $_attr['script'], $_attr['nocache']);
// convert attributes into parameter array string
$_paramsArray = array();
foreach ($_attr as $_key => $_value) {
$_paramsArray[] = "'$_key' => $_value";
}
$_params = 'array(' . implode(", ", $_paramsArray) . ')';
// call insert
if (isset($_assign)) {
if ($_smarty_tpl->caching) {
$_output .= "echo Smarty_Internal_Nocache_Insert::compile ('{$_function}',{$_params}, \$_smarty_tpl, '{$_filepath}',{$_assign});?>";
} else {
$_output .= "\$_smarty_tpl->assign({$_assign} , {$_function} ({$_params},\$_smarty_tpl), true);?>";
}
} else {
$compiler->has_output = true;
if ($_smarty_tpl->caching) {
$_output .= "echo Smarty_Internal_Nocache_Insert::compile ('{$_function}',{$_params}, \$_smarty_tpl, '{$_filepath}');?>";
} else {
$_output .= "echo {$_function}({$_params},\$_smarty_tpl);?>";
}
}
return $_output;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_insert.php | PHP | asf20 | 5,357 |
<?php
/**
* Smarty Internal Plugin Compile Break
*
* Compiles the {break} tag
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Break Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Break extends Smarty_Internal_CompileBase {
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $optional_attributes = array('levels');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $shorttag_order = array('levels');
/**
* Compiles code for the {break} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
static $_is_loopy = array('for' => true, 'foreach' => true, 'while' => true, 'section' => true);
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
if ($_attr['nocache'] === true) {
$compiler->trigger_template_error('nocache option not allowed', $compiler->lex->taglineno);
}
if (isset($_attr['levels'])) {
if (!is_numeric($_attr['levels'])) {
$compiler->trigger_template_error('level attribute must be a numeric constant', $compiler->lex->taglineno);
}
$_levels = $_attr['levels'];
} else {
$_levels = 1;
}
$level_count = $_levels;
$stack_count = count($compiler->_tag_stack) - 1;
while ($level_count > 0 && $stack_count >= 0) {
if (isset($_is_loopy[$compiler->_tag_stack[$stack_count][0]])) {
$level_count--;
}
$stack_count--;
}
if ($level_count != 0) {
$compiler->trigger_template_error("cannot break {$_levels} level(s)", $compiler->lex->taglineno);
}
$compiler->has_code = true;
return "<?php break {$_levels}?>";
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_break.php | PHP | asf20 | 2,333 |
<?php
/**
* Smarty Internal Plugin Compile Object Block Function
*
* Compiles code for registered objects as block function
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Object Block Function Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Private_Object_Block_Function extends Smarty_Internal_CompileBase {
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $optional_attributes = array('_any');
/**
* Compiles code for the execution of block plugin
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @param string $tag name of block object
* @param string $method name of method to call
* @return string compiled code
*/
public function compile($args, $compiler, $parameter, $tag, $method)
{
if (!isset($tag[5]) || substr($tag, -5) != 'close') {
// opening tag of block plugin
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
if ($_attr['nocache'] === true) {
$compiler->tag_nocache = true;
}
unset($_attr['nocache']);
// convert attributes into parameter array string
$_paramsArray = array();
foreach ($_attr as $_key => $_value) {
if (is_int($_key)) {
$_paramsArray[] = "$_key=>$_value";
} else {
$_paramsArray[] = "'$_key'=>$_value";
}
}
$_params = 'array(' . implode(",", $_paramsArray) . ')';
$this->openTag($compiler, $tag . '->' . $method, array($_params, $compiler->nocache));
// maybe nocache because of nocache variables or nocache plugin
$compiler->nocache = $compiler->nocache | $compiler->tag_nocache;
// compile code
$output = "<?php \$_smarty_tpl->smarty->_tag_stack[] = array('{$tag}->{$method}', {$_params}); \$_block_repeat=true; echo \$_smarty_tpl->smarty->registered_objects['{$tag}'][0]->{$method}({$_params}, null, \$_smarty_tpl, \$_block_repeat);while (\$_block_repeat) { ob_start();?>";
} else {
$base_tag = substr($tag, 0, -5);
// must endblock be nocache?
if ($compiler->nocache) {
$compiler->tag_nocache = true;
}
// closing tag of block plugin, restore nocache
list($_params, $compiler->nocache) = $this->closeTag($compiler, $base_tag . '->' . $method);
// This tag does create output
$compiler->has_output = true;
// compile code
if (!isset($parameter['modifier_list'])) {
$mod_pre = $mod_post = '';
} else {
$mod_pre = ' ob_start(); ';
$mod_post = 'echo ' . $compiler->compileTag('private_modifier', array(), array('modifierlist' => $parameter['modifier_list'], 'value' => 'ob_get_clean()')) . ';';
}
$output = "<?php \$_block_content = ob_get_contents(); ob_end_clean(); \$_block_repeat=false;" . $mod_pre . " echo \$_smarty_tpl->smarty->registered_objects['{$base_tag}'][0]->{$method}({$_params}, \$_block_content, \$_smarty_tpl, \$_block_repeat); " . $mod_post . " } array_pop(\$_smarty_tpl->smarty->_tag_stack);?>";
}
return $output . "\n";
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_private_object_block_function.php | PHP | asf20 | 3,736 |
<?php
/**
* Smarty Resource Plugin
*
* @package Smarty
* @subpackage TemplateResources
* @author Rodney Rehm
*/
/**
* Smarty Resource Plugin
*
* Base implementation for resource plugins that don't use the compiler
*
* @package Smarty
* @subpackage TemplateResources
*/
abstract class Smarty_Resource_Uncompiled extends Smarty_Resource {
/**
* Render and output the template (without using the compiler)
*
* @param Smarty_Template_Source $source source object
* @param Smarty_Internal_Template $_template template object
* @throws SmartyException on failure
*/
public abstract function renderUncompiled(Smarty_Template_Source $source, Smarty_Internal_Template $_template);
/**
* populate compiled object with compiled filepath
*
* @param Smarty_Template_Compiled $compiled compiled object
* @param Smarty_Internal_Template $_template template object (is ignored)
*/
public function populateCompiledFilepath(Smarty_Template_Compiled $compiled, Smarty_Internal_Template $_template)
{
$compiled->filepath = false;
$compiled->timestamp = false;
$compiled->exists = false;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_resource_uncompiled.php | PHP | asf20 | 1,243 |
<?php
/**
* Smarty Internal Plugin Compile Function_Call
*
* Compiles the calls of user defined tags defined by {function}
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Function_Call Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Call extends Smarty_Internal_CompileBase {
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $required_attributes = array('name');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $shorttag_order = array('name');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $optional_attributes = array('_any');
/**
* Compiles the calls of user defined tags defined by {function}
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
// save possible attributes
if (isset($_attr['assign'])) {
// output will be stored in a smarty variable instead of beind displayed
$_assign = $_attr['assign'];
}
$_name = $_attr['name'];
if ($compiler->compiles_template_function) {
$compiler->called_functions[] = trim($_name, "'\"");
}
unset($_attr['name'], $_attr['assign'], $_attr['nocache']);
// set flag (compiled code of {function} must be included in cache file
if ($compiler->nocache || $compiler->tag_nocache) {
$_nocache = 'true';
} else {
$_nocache = 'false';
}
$_paramsArray = array();
foreach ($_attr as $_key => $_value) {
if (is_int($_key)) {
$_paramsArray[] = "$_key=>$_value";
} else {
$_paramsArray[] = "'$_key'=>$_value";
}
}
if (isset($compiler->template->properties['function'][$_name]['parameter'])) {
foreach ($compiler->template->properties['function'][$_name]['parameter'] as $_key => $_value) {
if (!isset($_attr[$_key])) {
if (is_int($_key)) {
$_paramsArray[] = "$_key=>$_value";
} else {
$_paramsArray[] = "'$_key'=>$_value";
}
}
}
} elseif (isset($compiler->smarty->template_functions[$_name]['parameter'])) {
foreach ($compiler->smarty->template_functions[$_name]['parameter'] as $_key => $_value) {
if (!isset($_attr[$_key])) {
if (is_int($_key)) {
$_paramsArray[] = "$_key=>$_value";
} else {
$_paramsArray[] = "'$_key'=>$_value";
}
}
}
}
//varibale name?
if (!(strpos($_name, '$') === false)) {
$call_cache = $_name;
$call_function = '$tmp = "smarty_template_function_".' . $_name . '; $tmp';
} else {
$_name = trim($_name, "'\"");
$call_cache = "'{$_name}'";
$call_function = 'smarty_template_function_' . $_name;
}
$_params = 'array(' . implode(",", $_paramsArray) . ')';
$_hash = str_replace('-', '_', $compiler->template->properties['nocache_hash']);
// was there an assign attribute
if (isset($_assign)) {
if ($compiler->template->caching) {
$_output = "<?php ob_start(); Smarty_Internal_Function_Call_Handler::call ({$call_cache},\$_smarty_tpl,{$_params},'{$_hash}',{$_nocache}); \$_smarty_tpl->assign({$_assign}, ob_get_clean());?>\n";
} else {
$_output = "<?php ob_start(); {$call_function}(\$_smarty_tpl,{$_params}); \$_smarty_tpl->assign({$_assign}, ob_get_clean());?>\n";
}
} else {
if ($compiler->template->caching) {
$_output = "<?php Smarty_Internal_Function_Call_Handler::call ({$call_cache},\$_smarty_tpl,{$_params},'{$_hash}',{$_nocache});?>\n";
} else {
$_output = "<?php {$call_function}(\$_smarty_tpl,{$_params});?>\n";
}
}
return $_output;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_call.php | PHP | asf20 | 4,836 |
<?php
/**
* Smarty Resource Plugin
*
* @package Smarty
* @subpackage TemplateResources
* @author Rodney Rehm
*/
/**
* Smarty Resource Plugin
*
* Base implementation for resource plugins that don't compile cache
*
* @package Smarty
* @subpackage TemplateResources
*/
abstract class Smarty_Resource_Recompiled extends Smarty_Resource {
/**
* populate Compiled Object with compiled filepath
*
* @param Smarty_Template_Compiled $compiled compiled object
* @param Smarty_Internal_Template $_template template object
* @return void
*/
public function populateCompiledFilepath(Smarty_Template_Compiled $compiled, Smarty_Internal_Template $_template)
{
$compiled->filepath = false;
$compiled->timestamp = false;
$compiled->exists = false;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_resource_recompiled.php | PHP | asf20 | 859 |
<?php
/**
* Smarty Internal Plugin Compile Assign
*
* Compiles the {assign} tag
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Assign Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Assign extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {assign} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
// the following must be assigned at runtime because it will be overwritten in Smarty_Internal_Compile_Append
$this->required_attributes = array('var', 'value');
$this->shorttag_order = array('var', 'value');
$this->optional_attributes = array('scope');
$_nocache = 'null';
$_scope = Smarty::SCOPE_LOCAL;
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
// nocache ?
if ($compiler->tag_nocache || $compiler->nocache) {
$_nocache = 'true';
// create nocache var to make it know for further compiling
$compiler->template->tpl_vars[trim($_attr['var'], "'")] = new Smarty_variable(null, true);
}
// scope setup
if (isset($_attr['scope'])) {
$_attr['scope'] = trim($_attr['scope'], "'\"");
if ($_attr['scope'] == 'parent') {
$_scope = Smarty::SCOPE_PARENT;
} elseif ($_attr['scope'] == 'root') {
$_scope = Smarty::SCOPE_ROOT;
} elseif ($_attr['scope'] == 'global') {
$_scope = Smarty::SCOPE_GLOBAL;
} else {
$compiler->trigger_template_error('illegal value for "scope" attribute', $compiler->lex->taglineno);
}
}
// compiled output
if (isset($parameter['smarty_internal_index'])) {
$output = "<?php \$_smarty_tpl->createLocalArrayVariable($_attr[var], $_nocache, $_scope);\n\$_smarty_tpl->tpl_vars[$_attr[var]]->value$parameter[smarty_internal_index] = $_attr[value];";
} else {
$output = "<?php \$_smarty_tpl->tpl_vars[$_attr[var]] = new Smarty_variable($_attr[value], $_nocache, $_scope);";
}
if ($_scope == Smarty::SCOPE_PARENT) {
$output .= "\nif (\$_smarty_tpl->parent != null) \$_smarty_tpl->parent->tpl_vars[$_attr[var]] = clone \$_smarty_tpl->tpl_vars[$_attr[var]];";
} elseif ($_scope == Smarty::SCOPE_ROOT || $_scope == Smarty::SCOPE_GLOBAL) {
$output .= "\n\$_ptr = \$_smarty_tpl->parent; while (\$_ptr != null) {\$_ptr->tpl_vars[$_attr[var]] = clone \$_smarty_tpl->tpl_vars[$_attr[var]]; \$_ptr = \$_ptr->parent; }";
}
if ( $_scope == Smarty::SCOPE_GLOBAL) {
$output .= "\nSmarty::\$global_tpl_vars[$_attr[var]] = clone \$_smarty_tpl->tpl_vars[$_attr[var]];";
}
$output .= '?>';
return $output;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_assign.php | PHP | asf20 | 3,225 |
<?php
/**
* Smarty Internal Plugin Compile While
*
* Compiles the {while} tag
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile While Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_While extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {while} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
$this->openTag($compiler, 'while', $compiler->nocache);
if (!array_key_exists("if condition",$parameter)) {
$compiler->trigger_template_error("missing while condition", $compiler->lex->taglineno);
}
// maybe nocache because of nocache variables
$compiler->nocache = $compiler->nocache | $compiler->tag_nocache;
if (is_array($parameter['if condition'])) {
if ($compiler->nocache) {
$_nocache = ',true';
// create nocache var to make it know for further compiling
if (is_array($parameter['if condition']['var'])) {
$compiler->template->tpl_vars[trim($parameter['if condition']['var']['var'], "'")] = new Smarty_variable(null, true);
} else {
$compiler->template->tpl_vars[trim($parameter['if condition']['var'], "'")] = new Smarty_variable(null, true);
}
} else {
$_nocache = '';
}
if (is_array($parameter['if condition']['var'])) {
$_output = "<?php if (!isset(\$_smarty_tpl->tpl_vars[" . $parameter['if condition']['var']['var'] . "]) || !is_array(\$_smarty_tpl->tpl_vars[" . $parameter['if condition']['var']['var'] . "]->value)) \$_smarty_tpl->createLocalArrayVariable(" . $parameter['if condition']['var']['var'] . "$_nocache);\n";
$_output .= "while (\$_smarty_tpl->tpl_vars[" . $parameter['if condition']['var']['var'] . "]->value" . $parameter['if condition']['var']['smarty_internal_index'] . " = " . $parameter['if condition']['value'] . "){?>";
} else {
$_output = "<?php if (!isset(\$_smarty_tpl->tpl_vars[" . $parameter['if condition']['var'] . "])) \$_smarty_tpl->tpl_vars[" . $parameter['if condition']['var'] . "] = new Smarty_Variable(null{$_nocache});";
$_output .= "while (\$_smarty_tpl->tpl_vars[" . $parameter['if condition']['var'] . "]->value = " . $parameter['if condition']['value'] . "){?>";
}
return $_output;
} else {
return "<?php while ({$parameter['if condition']}){?>";
}
}
}
/**
* Smarty Internal Plugin Compile Whileclose Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Whileclose extends Smarty_Internal_CompileBase {
/**
* Compiles code for the {/while} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @return string compiled code
*/
public function compile($args, $compiler)
{
// must endblock be nocache?
if ($compiler->nocache) {
$compiler->tag_nocache = true;
}
$compiler->nocache = $this->closeTag($compiler, array('while'));
return "<?php }?>";
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_while.php | PHP | asf20 | 3,729 |
<?php
/**
* Smarty Internal Plugin Compile extend
*
* Compiles the {extends} tag
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile extend Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Extends extends Smarty_Internal_CompileBase {
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $required_attributes = array('file');
/**
* Attribute definition: Overwrites base class.
*
* @var array
* @see Smarty_Internal_CompileBase
*/
public $shorttag_order = array('file');
/**
* Compiles code for the {extends} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @return string compiled code
*/
public function compile($args, $compiler)
{
static $_is_stringy = array('string' => true, 'eval' => true);
$this->_rdl = preg_quote($compiler->smarty->right_delimiter);
$this->_ldl = preg_quote($compiler->smarty->left_delimiter);
$filepath = $compiler->template->source->filepath;
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
if ($_attr['nocache'] === true) {
$compiler->trigger_template_error('nocache option not allowed', $compiler->lex->taglineno);
}
$_smarty_tpl = $compiler->template;
$include_file = null;
if (strpos($_attr['file'], '$_tmp') !== false) {
$compiler->trigger_template_error('illegal value for file attribute', $compiler->lex->taglineno);
}
eval('$include_file = ' . $_attr['file'] . ';');
// create template object
$_template = new $compiler->smarty->template_class($include_file, $compiler->smarty, $compiler->template);
// save file dependency
if (isset($_is_stringy[$_template->source->type])) {
$template_sha1 = sha1($include_file);
} else {
$template_sha1 = sha1($_template->source->filepath);
}
if (isset($compiler->template->properties['file_dependency'][$template_sha1])) {
$compiler->trigger_template_error("illegal recursive call of \"{$include_file}\"", $compiler->lex->line - 1);
}
$compiler->template->properties['file_dependency'][$template_sha1] = array($_template->source->filepath, $_template->source->timestamp, $_template->source->type);
$_content = substr($compiler->template->source->content, $compiler->lex->counter - 1);
if (preg_match_all("!({$this->_ldl}block\s(.+?){$this->_rdl})!", $_content, $s) !=
preg_match_all("!({$this->_ldl}/block{$this->_rdl})!", $_content, $c)) {
$compiler->trigger_template_error('unmatched {block} {/block} pairs');
}
preg_match_all("!{$this->_ldl}block\s(.+?){$this->_rdl}|{$this->_ldl}/block{$this->_rdl}|{$this->_ldl}\*([\S\s]*?)\*{$this->_rdl}!", $_content, $_result, PREG_OFFSET_CAPTURE);
$_result_count = count($_result[0]);
$_start = 0;
while ($_start+1 < $_result_count) {
$_end = 0;
$_level = 1;
if (substr($_result[0][$_start][0],0,strlen($compiler->smarty->left_delimiter)+1) == $compiler->smarty->left_delimiter.'*') {
$_start++;
continue;
}
while ($_level != 0) {
$_end++;
if (substr($_result[0][$_start + $_end][0],0,strlen($compiler->smarty->left_delimiter)+1) == $compiler->smarty->left_delimiter.'*') {
continue;
}
if (!strpos($_result[0][$_start + $_end][0], '/')) {
$_level++;
} else {
$_level--;
}
}
$_block_content = str_replace($compiler->smarty->left_delimiter . '$smarty.block.parent' . $compiler->smarty->right_delimiter, '%%%%SMARTY_PARENT%%%%',
substr($_content, $_result[0][$_start][1] + strlen($_result[0][$_start][0]), $_result[0][$_start + $_end][1] - $_result[0][$_start][1] - + strlen($_result[0][$_start][0])));
Smarty_Internal_Compile_Block::saveBlockData($_block_content, $_result[0][$_start][0], $compiler->template, $filepath);
$_start = $_start + $_end + 1;
}
if ($_template->source->type == 'extends') {
$_template->block_data = $compiler->template->block_data;
}
$compiler->template->source->content = $_template->source->content;
if ($_template->source->type == 'extends') {
$compiler->template->block_data = $_template->block_data;
foreach ($_template->source->components as $key => $component) {
$compiler->template->properties['file_dependency'][$key] = array($component->filepath, $component->timestamp, $component->type);
}
}
$compiler->template->source->filepath = $_template->source->filepath;
$compiler->abort_and_recompile = true;
return '';
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_extends.php | PHP | asf20 | 5,277 |
<?php
/**
* Smarty Internal Plugin Templatelexer
*
* This is the lexer to break the template source into tokens
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Templatelexer
*/
class Smarty_Internal_Templatelexer
{
public $data;
public $counter;
public $token;
public $value;
public $node;
public $line;
public $taglineno;
public $state = 1;
private $heredoc_id_stack = Array();
public $smarty_token_names = array ( // Text for parser error messages
'IDENTITY' => '===',
'NONEIDENTITY' => '!==',
'EQUALS' => '==',
'NOTEQUALS' => '!=',
'GREATEREQUAL' => '(>=,ge)',
'LESSEQUAL' => '(<=,le)',
'GREATERTHAN' => '(>,gt)',
'LESSTHAN' => '(<,lt)',
'MOD' => '(%,mod)',
'NOT' => '(!,not)',
'LAND' => '(&&,and)',
'LOR' => '(||,or)',
'LXOR' => 'xor',
'OPENP' => '(',
'CLOSEP' => ')',
'OPENB' => '[',
'CLOSEB' => ']',
'PTR' => '->',
'APTR' => '=>',
'EQUAL' => '=',
'NUMBER' => 'number',
'UNIMATH' => '+" , "-',
'MATH' => '*" , "/" , "%',
'INCDEC' => '++" , "--',
'SPACE' => ' ',
'DOLLAR' => '$',
'SEMICOLON' => ';',
'COLON' => ':',
'DOUBLECOLON' => '::',
'AT' => '@',
'HATCH' => '#',
'QUOTE' => '"',
'BACKTICK' => '`',
'VERT' => '|',
'DOT' => '.',
'COMMA' => '","',
'ANDSYM' => '"&"',
'QMARK' => '"?"',
'ID' => 'identifier',
'TEXT' => 'text',
'FAKEPHPSTARTTAG' => 'Fake PHP start tag',
'PHPSTARTTAG' => 'PHP start tag',
'PHPENDTAG' => 'PHP end tag',
'LITERALSTART' => 'Literal start',
'LITERALEND' => 'Literal end',
'LDELSLASH' => 'closing tag',
'COMMENT' => 'comment',
'AS' => 'as',
'TO' => 'to',
);
function __construct($data,$compiler)
{
// $this->data = preg_replace("/(\r\n|\r|\n)/", "\n", $data);
$this->data = $data;
$this->counter = 0;
$this->line = 1;
$this->smarty = $compiler->smarty;
$this->compiler = $compiler;
$this->ldel = preg_quote($this->smarty->left_delimiter,'/');
$this->ldel_length = strlen($this->smarty->left_delimiter);
$this->rdel = preg_quote($this->smarty->right_delimiter,'/');
$this->smarty_token_names['LDEL'] = $this->smarty->left_delimiter;
$this->smarty_token_names['RDEL'] = $this->smarty->right_delimiter;
$this->mbstring_overload = ini_get('mbstring.func_overload') & 2;
}
private $_yy_state = 1;
private $_yy_stack = array();
function yylex()
{
return $this->{'yylex' . $this->_yy_state}();
}
function yypushstate($state)
{
array_push($this->_yy_stack, $this->_yy_state);
$this->_yy_state = $state;
}
function yypopstate()
{
$this->_yy_state = array_pop($this->_yy_stack);
}
function yybegin($state)
{
$this->_yy_state = $state;
}
function yylex1()
{
$tokenMap = array (
1 => 0,
2 => 0,
3 => 1,
5 => 0,
6 => 0,
7 => 0,
8 => 0,
9 => 0,
10 => 0,
11 => 1,
13 => 0,
14 => 0,
15 => 0,
16 => 0,
17 => 0,
18 => 0,
19 => 0,
20 => 0,
21 => 0,
22 => 0,
23 => 0,
);
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
$yy_global_pattern = "/\G(".$this->ldel."[$]smarty\\.block\\.child".$this->rdel.")|\G(\\{\\})|\G(".$this->ldel."\\*([\S\s]*?)\\*".$this->rdel.")|\G(".$this->ldel."strip".$this->rdel.")|\G(".$this->ldel."\\s{1,}strip\\s{1,}".$this->rdel.")|\G(".$this->ldel."\/strip".$this->rdel.")|\G(".$this->ldel."\\s{1,}\/strip\\s{1,}".$this->rdel.")|\G(".$this->ldel."\\s*literal\\s*".$this->rdel.")|\G(".$this->ldel."\\s{1,}\/)|\G(".$this->ldel."\\s*(if|elseif|else if|while)\\s+)|\G(".$this->ldel."\\s*for\\s+)|\G(".$this->ldel."\\s*foreach(?![^\s]))|\G(".$this->ldel."\\s*setfilter\\s+)|\G(".$this->ldel."\\s{1,})|\G(".$this->ldel."\/)|\G(".$this->ldel.")|\G(<\\?(?:php\\w+|=|[a-zA-Z]+)?)|\G(\\?>)|\G(<%)|\G(%>)|\G([\S\s])/iS";
do {
if ($this->mbstring_overload ? preg_match($yy_global_pattern, substr($this->data, $this->counter), $yymatches) : preg_match($yy_global_pattern,$this->data, $yymatches, null, $this->counter)) {
$yysubmatches = $yymatches;
$yymatches = array_filter($yymatches, 'strlen'); // remove empty sub-patterns
if (!count($yymatches)) {
throw new Exception('Error: lexing failed because a rule matched' .
' an empty string. Input "' . substr($this->data,
$this->counter, 5) . '... state TEXT');
}
next($yymatches); // skip global match
$this->token = key($yymatches); // token number
if ($tokenMap[$this->token]) {
// extract sub-patterns for passing to lex function
$yysubmatches = array_slice($yysubmatches, $this->token + 1,
$tokenMap[$this->token]);
} else {
$yysubmatches = array();
}
$this->value = current($yymatches); // token value
$r = $this->{'yy_r1_' . $this->token}($yysubmatches);
if ($r === null) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
// accept this token
return true;
} elseif ($r === true) {
// we have changed state
// process this token in the new state
return $this->yylex();
} elseif ($r === false) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
// skip this token
continue;
} } else {
throw new Exception('Unexpected input at line' . $this->line .
': ' . $this->data[$this->counter]);
}
break;
} while (true);
} // end function
const TEXT = 1;
function yy_r1_1($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_SMARTYBLOCKCHILD;
}
function yy_r1_2($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
}
function yy_r1_3($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_COMMENT;
}
function yy_r1_5($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_STRIPON;
}
function yy_r1_6($yy_subpatterns)
{
if ($this->smarty->auto_literal) {
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
} else {
$this->token = Smarty_Internal_Templateparser::TP_STRIPON;
}
}
function yy_r1_7($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_STRIPOFF;
}
function yy_r1_8($yy_subpatterns)
{
if ($this->smarty->auto_literal) {
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
} else {
$this->token = Smarty_Internal_Templateparser::TP_STRIPOFF;
}
}
function yy_r1_9($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_LITERALSTART;
$this->yypushstate(self::LITERAL);
}
function yy_r1_10($yy_subpatterns)
{
if ($this->smarty->auto_literal) {
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
} else {
$this->token = Smarty_Internal_Templateparser::TP_LDELSLASH;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
}
function yy_r1_11($yy_subpatterns)
{
if ($this->smarty->auto_literal && trim(substr($this->value,$this->ldel_length,1)) == '') {
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
} else {
$this->token = Smarty_Internal_Templateparser::TP_LDELIF;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
}
function yy_r1_13($yy_subpatterns)
{
if ($this->smarty->auto_literal && trim(substr($this->value,$this->ldel_length,1)) == '') {
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
} else {
$this->token = Smarty_Internal_Templateparser::TP_LDELFOR;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
}
function yy_r1_14($yy_subpatterns)
{
if ($this->smarty->auto_literal && trim(substr($this->value,$this->ldel_length,1)) == '') {
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
} else {
$this->token = Smarty_Internal_Templateparser::TP_LDELFOREACH;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
}
function yy_r1_15($yy_subpatterns)
{
if ($this->smarty->auto_literal && trim(substr($this->value,$this->ldel_length,1)) == '') {
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
} else {
$this->token = Smarty_Internal_Templateparser::TP_LDELSETFILTER;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
}
function yy_r1_16($yy_subpatterns)
{
if ($this->smarty->auto_literal) {
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
} else {
$this->token = Smarty_Internal_Templateparser::TP_LDEL;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
}
function yy_r1_17($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_LDELSLASH;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
function yy_r1_18($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_LDEL;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
function yy_r1_19($yy_subpatterns)
{
if (in_array($this->value, Array('<?', '<?=', '<?php'))) {
$this->token = Smarty_Internal_Templateparser::TP_PHPSTARTTAG;
} elseif ($this->value == '<?xml') {
$this->token = Smarty_Internal_Templateparser::TP_XMLTAG;
} else {
$this->token = Smarty_Internal_Templateparser::TP_FAKEPHPSTARTTAG;
$this->value = substr($this->value, 0, 2);
}
}
function yy_r1_20($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_PHPENDTAG;
}
function yy_r1_21($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_ASPSTARTTAG;
}
function yy_r1_22($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_ASPENDTAG;
}
function yy_r1_23($yy_subpatterns)
{
$to = strlen($this->data);
preg_match("/{$this->ldel}|<\?|\?>|<%|%>/",$this->data,$match,PREG_OFFSET_CAPTURE,$this->counter);
if (isset($match[0][1])) {
$to = $match[0][1];
}
$this->value = substr($this->data,$this->counter,$to-$this->counter);
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
}
function yylex2()
{
$tokenMap = array (
1 => 0,
2 => 0,
3 => 1,
5 => 0,
6 => 0,
7 => 0,
8 => 0,
9 => 0,
10 => 0,
11 => 0,
12 => 0,
13 => 0,
14 => 0,
15 => 0,
16 => 0,
17 => 0,
18 => 0,
19 => 0,
20 => 1,
22 => 1,
24 => 1,
26 => 0,
27 => 0,
28 => 0,
29 => 0,
30 => 0,
31 => 0,
32 => 0,
33 => 0,
34 => 0,
35 => 0,
36 => 0,
37 => 0,
38 => 0,
39 => 0,
40 => 0,
41 => 0,
42 => 0,
43 => 3,
47 => 0,
48 => 0,
49 => 0,
50 => 0,
51 => 0,
52 => 0,
53 => 0,
54 => 0,
55 => 1,
57 => 1,
59 => 0,
60 => 0,
61 => 0,
62 => 0,
63 => 0,
64 => 0,
65 => 0,
66 => 0,
67 => 0,
68 => 0,
69 => 0,
70 => 0,
71 => 0,
72 => 0,
73 => 0,
74 => 0,
75 => 0,
76 => 0,
);
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
$yy_global_pattern = "/\G('[^'\\\\]*(?:\\\\.[^'\\\\]*)*')|\G(".$this->ldel."\\s{1,}\/)|\G(".$this->ldel."\\s*(if|elseif|else if|while)\\s+)|\G(".$this->ldel."\\s*for\\s+)|\G(".$this->ldel."\\s*foreach(?![^\s]))|\G(".$this->ldel."\\s{1,})|\G(\\s{1,}".$this->rdel.")|\G(".$this->ldel."\/)|\G(".$this->ldel.")|\G(".$this->rdel.")|\G(\\s+is\\s+in\\s+)|\G(\\s+as\\s+)|\G(\\s+to\\s+)|\G(\\s+step\\s+)|\G(\\s+instanceof\\s+)|\G(\\s*===\\s*)|\G(\\s*!==\\s*)|\G(\\s*==\\s*|\\s+eq\\s+)|\G(\\s*!=\\s*|\\s*<>\\s*|\\s+(ne|neq)\\s+)|\G(\\s*>=\\s*|\\s+(ge|gte)\\s+)|\G(\\s*<=\\s*|\\s+(le|lte)\\s+)|\G(\\s*>\\s*|\\s+gt\\s+)|\G(\\s*<\\s*|\\s+lt\\s+)|\G(\\s+mod\\s+)|\G(!\\s*|not\\s+)|\G(\\s*&&\\s*|\\s*and\\s+)|\G(\\s*\\|\\|\\s*|\\s*or\\s+)|\G(\\s*xor\\s+)|\G(\\s+is\\s+odd\\s+by\\s+)|\G(\\s+is\\s+not\\s+odd\\s+by\\s+)|\G(\\s+is\\s+odd)|\G(\\s+is\\s+not\\s+odd)|\G(\\s+is\\s+even\\s+by\\s+)|\G(\\s+is\\s+not\\s+even\\s+by\\s+)|\G(\\s+is\\s+even)|\G(\\s+is\\s+not\\s+even)|\G(\\s+is\\s+div\\s+by\\s+)|\G(\\s+is\\s+not\\s+div\\s+by\\s+)|\G(\\((int(eger)?|bool(ean)?|float|double|real|string|binary|array|object)\\)\\s*)|\G(\\s*\\(\\s*)|\G(\\s*\\))|\G(\\[\\s*)|\G(\\s*\\])|\G(\\s*->\\s*)|\G(\\s*=>\\s*)|\G(\\s*=\\s*)|\G(\\+\\+|--)|\G(\\s*(\\+|-)\\s*)|\G(\\s*(\\*|\/|%)\\s*)|\G(\\$)|\G(\\s*;)|\G(::)|\G(\\s*:\\s*)|\G(@)|\G(#)|\G(\")|\G(`)|\G(\\|)|\G(\\.)|\G(\\s*,\\s*)|\G(\\s*&\\s*)|\G(\\s*\\?\\s*)|\G(0[xX][0-9a-fA-F]+)|\G([0-9]*[a-zA-Z_]\\w*)|\G(\\d+)|\G(\\s+)|\G([\S\s])/iS";
do {
if ($this->mbstring_overload ? preg_match($yy_global_pattern, substr($this->data, $this->counter), $yymatches) : preg_match($yy_global_pattern,$this->data, $yymatches, null, $this->counter)) {
$yysubmatches = $yymatches;
$yymatches = array_filter($yymatches, 'strlen'); // remove empty sub-patterns
if (!count($yymatches)) {
throw new Exception('Error: lexing failed because a rule matched' .
' an empty string. Input "' . substr($this->data,
$this->counter, 5) . '... state SMARTY');
}
next($yymatches); // skip global match
$this->token = key($yymatches); // token number
if ($tokenMap[$this->token]) {
// extract sub-patterns for passing to lex function
$yysubmatches = array_slice($yysubmatches, $this->token + 1,
$tokenMap[$this->token]);
} else {
$yysubmatches = array();
}
$this->value = current($yymatches); // token value
$r = $this->{'yy_r2_' . $this->token}($yysubmatches);
if ($r === null) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
// accept this token
return true;
} elseif ($r === true) {
// we have changed state
// process this token in the new state
return $this->yylex();
} elseif ($r === false) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
// skip this token
continue;
} } else {
throw new Exception('Unexpected input at line' . $this->line .
': ' . $this->data[$this->counter]);
}
break;
} while (true);
} // end function
const SMARTY = 2;
function yy_r2_1($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_SINGLEQUOTESTRING;
}
function yy_r2_2($yy_subpatterns)
{
if ($this->smarty->auto_literal) {
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
} else {
$this->token = Smarty_Internal_Templateparser::TP_LDELSLASH;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
}
function yy_r2_3($yy_subpatterns)
{
if ($this->smarty->auto_literal && trim(substr($this->value,$this->ldel_length,1)) == '') {
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
} else {
$this->token = Smarty_Internal_Templateparser::TP_LDELIF;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
}
function yy_r2_5($yy_subpatterns)
{
if ($this->smarty->auto_literal && trim(substr($this->value,$this->ldel_length,1)) == '') {
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
} else {
$this->token = Smarty_Internal_Templateparser::TP_LDELFOR;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
}
function yy_r2_6($yy_subpatterns)
{
if ($this->smarty->auto_literal && trim(substr($this->value,$this->ldel_length,1)) == '') {
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
} else {
$this->token = Smarty_Internal_Templateparser::TP_LDELFOREACH;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
}
function yy_r2_7($yy_subpatterns)
{
if ($this->smarty->auto_literal) {
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
} else {
$this->token = Smarty_Internal_Templateparser::TP_LDEL;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
}
function yy_r2_8($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_RDEL;
$this->yypopstate();
}
function yy_r2_9($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_LDELSLASH;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
function yy_r2_10($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_LDEL;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
function yy_r2_11($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_RDEL;
$this->yypopstate();
}
function yy_r2_12($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_ISIN;
}
function yy_r2_13($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_AS;
}
function yy_r2_14($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_TO;
}
function yy_r2_15($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_STEP;
}
function yy_r2_16($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_INSTANCEOF;
}
function yy_r2_17($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_IDENTITY;
}
function yy_r2_18($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_NONEIDENTITY;
}
function yy_r2_19($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_EQUALS;
}
function yy_r2_20($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_NOTEQUALS;
}
function yy_r2_22($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_GREATEREQUAL;
}
function yy_r2_24($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_LESSEQUAL;
}
function yy_r2_26($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_GREATERTHAN;
}
function yy_r2_27($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_LESSTHAN;
}
function yy_r2_28($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_MOD;
}
function yy_r2_29($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_NOT;
}
function yy_r2_30($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_LAND;
}
function yy_r2_31($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_LOR;
}
function yy_r2_32($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_LXOR;
}
function yy_r2_33($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_ISODDBY;
}
function yy_r2_34($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_ISNOTODDBY;
}
function yy_r2_35($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_ISODD;
}
function yy_r2_36($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_ISNOTODD;
}
function yy_r2_37($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_ISEVENBY;
}
function yy_r2_38($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_ISNOTEVENBY;
}
function yy_r2_39($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_ISEVEN;
}
function yy_r2_40($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_ISNOTEVEN;
}
function yy_r2_41($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_ISDIVBY;
}
function yy_r2_42($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_ISNOTDIVBY;
}
function yy_r2_43($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_TYPECAST;
}
function yy_r2_47($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_OPENP;
}
function yy_r2_48($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_CLOSEP;
}
function yy_r2_49($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_OPENB;
}
function yy_r2_50($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_CLOSEB;
}
function yy_r2_51($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_PTR;
}
function yy_r2_52($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_APTR;
}
function yy_r2_53($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_EQUAL;
}
function yy_r2_54($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_INCDEC;
}
function yy_r2_55($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_UNIMATH;
}
function yy_r2_57($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_MATH;
}
function yy_r2_59($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_DOLLAR;
}
function yy_r2_60($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_SEMICOLON;
}
function yy_r2_61($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_DOUBLECOLON;
}
function yy_r2_62($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_COLON;
}
function yy_r2_63($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_AT;
}
function yy_r2_64($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_HATCH;
}
function yy_r2_65($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_QUOTE;
$this->yypushstate(self::DOUBLEQUOTEDSTRING);
}
function yy_r2_66($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_BACKTICK;
$this->yypopstate();
}
function yy_r2_67($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_VERT;
}
function yy_r2_68($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_DOT;
}
function yy_r2_69($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_COMMA;
}
function yy_r2_70($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_ANDSYM;
}
function yy_r2_71($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_QMARK;
}
function yy_r2_72($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_HEX;
}
function yy_r2_73($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_ID;
}
function yy_r2_74($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_INTEGER;
}
function yy_r2_75($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_SPACE;
}
function yy_r2_76($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
}
function yylex3()
{
$tokenMap = array (
1 => 0,
2 => 0,
3 => 0,
4 => 0,
5 => 0,
6 => 0,
7 => 0,
);
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
$yy_global_pattern = "/\G(".$this->ldel."\\s*literal\\s*".$this->rdel.")|\G(".$this->ldel."\\s*\/literal\\s*".$this->rdel.")|\G(<\\?(?:php\\w+|=|[a-zA-Z]+)?)|\G(\\?>)|\G(<%)|\G(%>)|\G([\S\s])/iS";
do {
if ($this->mbstring_overload ? preg_match($yy_global_pattern, substr($this->data, $this->counter), $yymatches) : preg_match($yy_global_pattern,$this->data, $yymatches, null, $this->counter)) {
$yysubmatches = $yymatches;
$yymatches = array_filter($yymatches, 'strlen'); // remove empty sub-patterns
if (!count($yymatches)) {
throw new Exception('Error: lexing failed because a rule matched' .
' an empty string. Input "' . substr($this->data,
$this->counter, 5) . '... state LITERAL');
}
next($yymatches); // skip global match
$this->token = key($yymatches); // token number
if ($tokenMap[$this->token]) {
// extract sub-patterns for passing to lex function
$yysubmatches = array_slice($yysubmatches, $this->token + 1,
$tokenMap[$this->token]);
} else {
$yysubmatches = array();
}
$this->value = current($yymatches); // token value
$r = $this->{'yy_r3_' . $this->token}($yysubmatches);
if ($r === null) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
// accept this token
return true;
} elseif ($r === true) {
// we have changed state
// process this token in the new state
return $this->yylex();
} elseif ($r === false) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
// skip this token
continue;
} } else {
throw new Exception('Unexpected input at line' . $this->line .
': ' . $this->data[$this->counter]);
}
break;
} while (true);
} // end function
const LITERAL = 3;
function yy_r3_1($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_LITERALSTART;
$this->yypushstate(self::LITERAL);
}
function yy_r3_2($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_LITERALEND;
$this->yypopstate();
}
function yy_r3_3($yy_subpatterns)
{
if (in_array($this->value, Array('<?', '<?=', '<?php'))) {
$this->token = Smarty_Internal_Templateparser::TP_PHPSTARTTAG;
} else {
$this->token = Smarty_Internal_Templateparser::TP_FAKEPHPSTARTTAG;
$this->value = substr($this->value, 0, 2);
}
}
function yy_r3_4($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_PHPENDTAG;
}
function yy_r3_5($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_ASPSTARTTAG;
}
function yy_r3_6($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_ASPENDTAG;
}
function yy_r3_7($yy_subpatterns)
{
$to = strlen($this->data);
preg_match("/{$this->ldel}\/?literal{$this->rdel}|<\?|<%|\?>|%>/",$this->data,$match,PREG_OFFSET_CAPTURE,$this->counter);
if (isset($match[0][1])) {
$to = $match[0][1];
} else {
$this->compiler->trigger_template_error ("missing or misspelled literal closing tag");
}
$this->value = substr($this->data,$this->counter,$to-$this->counter);
$this->token = Smarty_Internal_Templateparser::TP_LITERAL;
}
function yylex4()
{
$tokenMap = array (
1 => 0,
2 => 1,
4 => 0,
5 => 0,
6 => 0,
7 => 0,
8 => 0,
9 => 0,
10 => 0,
11 => 0,
12 => 0,
13 => 3,
17 => 0,
);
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
$yy_global_pattern = "/\G(".$this->ldel."\\s{1,}\/)|\G(".$this->ldel."\\s*(if|elseif|else if|while)\\s+)|\G(".$this->ldel."\\s*for\\s+)|\G(".$this->ldel."\\s*foreach(?![^\s]))|\G(".$this->ldel."\\s{1,})|\G(".$this->ldel."\/)|\G(".$this->ldel.")|\G(\")|\G(`\\$)|\G(\\$[0-9]*[a-zA-Z_]\\w*)|\G(\\$)|\G(([^\"\\\\]*?)((?:\\\\.[^\"\\\\]*?)*?)(?=(".$this->ldel."|\\$|`\\$|\")))|\G([\S\s])/iS";
do {
if ($this->mbstring_overload ? preg_match($yy_global_pattern, substr($this->data, $this->counter), $yymatches) : preg_match($yy_global_pattern,$this->data, $yymatches, null, $this->counter)) {
$yysubmatches = $yymatches;
$yymatches = array_filter($yymatches, 'strlen'); // remove empty sub-patterns
if (!count($yymatches)) {
throw new Exception('Error: lexing failed because a rule matched' .
' an empty string. Input "' . substr($this->data,
$this->counter, 5) . '... state DOUBLEQUOTEDSTRING');
}
next($yymatches); // skip global match
$this->token = key($yymatches); // token number
if ($tokenMap[$this->token]) {
// extract sub-patterns for passing to lex function
$yysubmatches = array_slice($yysubmatches, $this->token + 1,
$tokenMap[$this->token]);
} else {
$yysubmatches = array();
}
$this->value = current($yymatches); // token value
$r = $this->{'yy_r4_' . $this->token}($yysubmatches);
if ($r === null) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
// accept this token
return true;
} elseif ($r === true) {
// we have changed state
// process this token in the new state
return $this->yylex();
} elseif ($r === false) {
$this->counter += strlen($this->value);
$this->line += substr_count($this->value, "\n");
if ($this->counter >= strlen($this->data)) {
return false; // end of input
}
// skip this token
continue;
} } else {
throw new Exception('Unexpected input at line' . $this->line .
': ' . $this->data[$this->counter]);
}
break;
} while (true);
} // end function
const DOUBLEQUOTEDSTRING = 4;
function yy_r4_1($yy_subpatterns)
{
if ($this->smarty->auto_literal) {
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
} else {
$this->token = Smarty_Internal_Templateparser::TP_LDELSLASH;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
}
function yy_r4_2($yy_subpatterns)
{
if ($this->smarty->auto_literal && trim(substr($this->value,$this->ldel_length,1)) == '') {
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
} else {
$this->token = Smarty_Internal_Templateparser::TP_LDELIF;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
}
function yy_r4_4($yy_subpatterns)
{
if ($this->smarty->auto_literal && trim(substr($this->value,$this->ldel_length,1)) == '') {
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
} else {
$this->token = Smarty_Internal_Templateparser::TP_LDELFOR;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
}
function yy_r4_5($yy_subpatterns)
{
if ($this->smarty->auto_literal && trim(substr($this->value,$this->ldel_length,1)) == '') {
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
} else {
$this->token = Smarty_Internal_Templateparser::TP_LDELFOREACH;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
}
function yy_r4_6($yy_subpatterns)
{
if ($this->smarty->auto_literal) {
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
} else {
$this->token = Smarty_Internal_Templateparser::TP_LDEL;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
}
function yy_r4_7($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_LDELSLASH;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
function yy_r4_8($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_LDEL;
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
function yy_r4_9($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_QUOTE;
$this->yypopstate();
}
function yy_r4_10($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_BACKTICK;
$this->value = substr($this->value,0,-1);
$this->yypushstate(self::SMARTY);
$this->taglineno = $this->line;
}
function yy_r4_11($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_DOLLARID;
}
function yy_r4_12($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
}
function yy_r4_13($yy_subpatterns)
{
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
}
function yy_r4_17($yy_subpatterns)
{
$to = strlen($this->data);
$this->value = substr($this->data,$this->counter,$to-$this->counter);
$this->token = Smarty_Internal_Templateparser::TP_TEXT;
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_templatelexer.php | PHP | asf20 | 37,736 |
<?php
/**
* Smarty Internal Plugin Config
*
* @package Smarty
* @subpackage Config
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Config
*
* Main class for config variables
*
* @package Smarty
* @subpackage Config
*
* @property Smarty_Config_Source $source
* @property Smarty_Config_Compiled $compiled
* @ignore
*/
class Smarty_Internal_Config {
/**
* Samrty instance
*
* @var Smarty object
*/
public $smarty = null;
/**
* Object of config var storage
*
* @var object
*/
public $data = null;
/**
* Config resource
* @var string
*/
public $config_resource = null;
/**
* Compiled config file
*
* @var string
*/
public $compiled_config = null;
/**
* filepath of compiled config file
*
* @var string
*/
public $compiled_filepath = null;
/**
* Filemtime of compiled config Filemtime
*
* @var int
*/
public $compiled_timestamp = null;
/**
* flag if compiled config file is invalid and must be (re)compiled
* @var bool
*/
public $mustCompile = null;
/**
* Config file compiler object
*
* @var Smarty_Internal_Config_File_Compiler object
*/
public $compiler_object = null;
/**
* Constructor of config file object
*
* @param string $config_resource config file resource name
* @param Smarty $smarty Smarty instance
* @param object $data object for config vars storage
*/
public function __construct($config_resource, $smarty, $data = null)
{
$this->data = $data;
$this->smarty = $smarty;
$this->config_resource = $config_resource;
}
/**
* Returns the compiled filepath
*
* @return string the compiled filepath
*/
public function getCompiledFilepath()
{
return $this->compiled_filepath === null ?
($this->compiled_filepath = $this->buildCompiledFilepath()) :
$this->compiled_filepath;
}
/**
* Get file path.
*
* @return string
*/
public function buildCompiledFilepath()
{
$_compile_id = isset($this->smarty->compile_id) ? preg_replace('![^\w\|]+!', '_', $this->smarty->compile_id) : null;
$_flag = (int) $this->smarty->config_read_hidden + (int) $this->smarty->config_booleanize * 2
+ (int) $this->smarty->config_overwrite * 4;
$_filepath = sha1($this->source->name . $_flag);
// if use_sub_dirs, break file into directories
if ($this->smarty->use_sub_dirs) {
$_filepath = substr($_filepath, 0, 2) . DS
. substr($_filepath, 2, 2) . DS
. substr($_filepath, 4, 2) . DS
. $_filepath;
}
$_compile_dir_sep = $this->smarty->use_sub_dirs ? DS : '^';
if (isset($_compile_id)) {
$_filepath = $_compile_id . $_compile_dir_sep . $_filepath;
}
$_compile_dir = $this->smarty->getCompileDir();
return $_compile_dir . $_filepath . '.' . basename($this->source->name) . '.config' . '.php';
}
/**
* Returns the timpestamp of the compiled file
*
* @return integer the file timestamp
*/
public function getCompiledTimestamp()
{
return $this->compiled_timestamp === null
? ($this->compiled_timestamp = (file_exists($this->getCompiledFilepath())) ? filemtime($this->getCompiledFilepath()) : false)
: $this->compiled_timestamp;
}
/**
* Returns if the current config file must be compiled
*
* It does compare the timestamps of config source and the compiled config and checks the force compile configuration
*
* @return boolean true if the file must be compiled
*/
public function mustCompile()
{
return $this->mustCompile === null ?
$this->mustCompile = ($this->smarty->force_compile || $this->getCompiledTimestamp () === false || $this->smarty->compile_check && $this->getCompiledTimestamp () < $this->source->timestamp):
$this->mustCompile;
}
/**
* Returns the compiled config file
*
* It checks if the config file must be compiled or just read the compiled version
*
* @return string the compiled config file
*/
public function getCompiledConfig()
{
if ($this->compiled_config === null) {
// see if template needs compiling.
if ($this->mustCompile()) {
$this->compileConfigSource();
} else {
$this->compiled_config = file_get_contents($this->getCompiledFilepath());
}
}
return $this->compiled_config;
}
/**
* Compiles the config files
*
* @throws Exception
*/
public function compileConfigSource()
{
// compile template
if (!is_object($this->compiler_object)) {
// load compiler
$this->compiler_object = new Smarty_Internal_Config_File_Compiler($this->smarty);
}
// compile locking
if ($this->smarty->compile_locking) {
if ($saved_timestamp = $this->getCompiledTimestamp()) {
touch($this->getCompiledFilepath());
}
}
// call compiler
try {
$this->compiler_object->compileSource($this);
} catch (Exception $e) {
// restore old timestamp in case of error
if ($this->smarty->compile_locking && $saved_timestamp) {
touch($this->getCompiledFilepath(), $saved_timestamp);
}
throw $e;
}
// compiling succeded
// write compiled template
Smarty_Internal_Write_File::writeFile($this->getCompiledFilepath(), $this->getCompiledConfig(), $this->smarty);
}
/**
* load config variables
*
* @param mixed $sections array of section names, single section or null
* @param object $scope global,parent or local
*/
public function loadConfigVars($sections = null, $scope = 'local')
{
if ($this->data instanceof Smarty_Internal_Template) {
$this->data->properties['file_dependency'][sha1($this->source->filepath)] = array($this->source->filepath, $this->source->timestamp, 'file');
}
if ($this->mustCompile()) {
$this->compileConfigSource();
}
// pointer to scope
if ($scope == 'local') {
$scope_ptr = $this->data;
} elseif ($scope == 'parent') {
if (isset($this->data->parent)) {
$scope_ptr = $this->data->parent;
} else {
$scope_ptr = $this->data;
}
} elseif ($scope == 'root' || $scope == 'global') {
$scope_ptr = $this->data;
while (isset($scope_ptr->parent)) {
$scope_ptr = $scope_ptr->parent;
}
}
$_config_vars = array();
include($this->getCompiledFilepath());
// copy global config vars
foreach ($_config_vars['vars'] as $variable => $value) {
if ($this->smarty->config_overwrite || !isset($scope_ptr->config_vars[$variable])) {
$scope_ptr->config_vars[$variable] = $value;
} else {
$scope_ptr->config_vars[$variable] = array_merge((array) $scope_ptr->config_vars[$variable], (array) $value);
}
}
// scan sections
if (!empty($sections)) {
$sections = array_flip((array) $sections);
foreach ($_config_vars['sections'] as $this_section => $dummy) {
if (isset($sections[$this_section])) {
foreach ($_config_vars['sections'][$this_section]['vars'] as $variable => $value) {
if ($this->smarty->config_overwrite || !isset($scope_ptr->config_vars[$variable])) {
$scope_ptr->config_vars[$variable] = $value;
} else {
$scope_ptr->config_vars[$variable] = array_merge((array) $scope_ptr->config_vars[$variable], (array) $value);
}
}
}
}
}
}
/**
* set Smarty property in template context
*
* @param string $property_name property name
* @param mixed $value value
* @throws SmartyException if $property_name is not valid
*/
public function __set($property_name, $value)
{
switch ($property_name) {
case 'source':
case 'compiled':
$this->$property_name = $value;
return;
}
throw new SmartyException("invalid config property '$property_name'.");
}
/**
* get Smarty property in template context
*
* @param string $property_name property name
* @throws SmartyException if $property_name is not valid
*/
public function __get($property_name)
{
switch ($property_name) {
case 'source':
if (empty($this->config_resource)) {
throw new SmartyException("Unable to parse resource name \"{$this->config_resource}\"");
}
$this->source = Smarty_Resource::config($this);
return $this->source;
case 'compiled':
$this->compiled = $this->source->getCompiled($this);
return $this->compiled;
}
throw new SmartyException("config attribute '$property_name' does not exist.");
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_config.php | PHP | asf20 | 9,984 |
<?php
/**
* Smarty Internal Plugin Compile Append
*
* Compiles the {append} tag
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Append Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Compile_Append extends Smarty_Internal_Compile_Assign {
/**
* Compiles code for the {append} tag
*
* @param array $args array with attributes from parser
* @param object $compiler compiler object
* @param array $parameter array with compilation parameter
* @return string compiled code
*/
public function compile($args, $compiler, $parameter)
{
// the following must be assigned at runtime because it will be overwritten in parent class
$this->required_attributes = array('var', 'value');
$this->shorttag_order = array('var', 'value');
$this->optional_attributes = array('scope', 'index');
// check and get attributes
$_attr = $this->getAttributes($compiler, $args);
// map to compile assign attributes
if (isset($_attr['index'])) {
$_params['smarty_internal_index'] = '[' . $_attr['index'] . ']';
unset($_attr['index']);
} else {
$_params['smarty_internal_index'] = '[]';
}
$_new_attr = array();
foreach ($_attr as $key => $value) {
$_new_attr[] = array($key => $value);
}
// call compile assign
return parent::compile($_new_attr, $compiler, $_params);
}
}
?> | 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_compile_append.php | PHP | asf20 | 1,611 |
<?php
/**
* Smarty Internal Plugin Nocache Insert
*
* Compiles the {insert} tag into the cache file
*
* @package Smarty
* @subpackage Compiler
* @author Uwe Tews
*/
/**
* Smarty Internal Plugin Compile Insert Class
*
* @package Smarty
* @subpackage Compiler
*/
class Smarty_Internal_Nocache_Insert {
/**
* Compiles code for the {insert} tag into cache file
*
* @param string $_function insert function name
* @param array $_attr array with parameter
* @param Smarty_Internal_Template $_template template object
* @param string $_script script name to load or 'null'
* @param string $_assign optional variable name
* @return string compiled code
*/
public static function compile($_function, $_attr, $_template, $_script, $_assign = null)
{
$_output = '<?php ';
if ($_script != 'null') {
// script which must be included
// code for script file loading
$_output .= "require_once '{$_script}';";
}
// call insert
if (isset($_assign)) {
$_output .= "\$_smarty_tpl->assign('{$_assign}' , {$_function} (" . var_export($_attr, true) . ",\$_smarty_tpl), true);?>";
} else {
$_output .= "echo {$_function}(" . var_export($_attr, true) . ",\$_smarty_tpl);?>";
}
$_tpl = $_template;
while ($_tpl->parent instanceof Smarty_Internal_Template) {
$_tpl = $_tpl->parent;
}
return "/*%%SmartyNocache:{$_tpl->properties['nocache_hash']}%%*/" . $_output . "/*/%%SmartyNocache:{$_tpl->properties['nocache_hash']}%%*/";
}
}
?>
| 0x6a | trunk/application/libraries/smarty3/sysplugins/smarty_internal_nocache_insert.php | PHP | asf20 | 1,779 |
<html>
<head>
<title>403 Forbidden</title>
</head>
<body>
<p>Directory access is forbidden.</p>
</body>
</html> | 0x6a | trunk/application/libraries/index.html | HTML | asf20 | 114 |
<?php if (!defined('BASEPATH')) exit('No direct script access allowed');
/**
* Data Mapper ORM Class
*
* Transforms database tables into objects.
*
* @license MIT License
* @package DataMapper ORM
* @category DataMapper ORM
* @author Harro Verton
* @author Phil DeJarnett (up to v1.7.1)
* @author Simon Stenhouse (up to v1.6.0)
* @link http://datamapper.wanwizard.eu/
* @version 1.8.2
*/
/**
* Key for storing pre-converted classnames
*/
define('DMZ_CLASSNAMES_KEY', '_dmz_classnames');
/**
* DMZ version
*/
define('DMZ_VERSION', '1.8.2');
/**
* Data Mapper Class
*
* Transforms database tables into objects.
*
* @package DataMapper ORM
*
* Properties (for code completion)
* @property CI_DB_driver $db The CodeIgniter Database Library
* @property CI_Loader $load The CodeIgnter Loader Library
* @property CI_Language $lang The CodeIgniter Language Library
* @property CI_Config $config The CodeIgniter Config Library
* @property CI_Form_validation $form_validation The CodeIgniter Form Validation Library
*
*
* Define some of the magic methods:
*
* Get By:
* @method DataMapper get_by_id() get_by_id(int $value) Looks up an item by its ID.
* @method DataMapper get_by_FIELD() get_by_FIELD(mixed $value) Looks up an item by a specific FIELD. Ex: get_by_name($user_name);
* @method DataMapper get_by_related() get_by_related(mixed $related, string $field = NULL, string $value = NULL) Get results based on a related item.
* @method DataMapper get_by_related_RELATEDFIELD() get_by_related_RELATEDFIELD(string $field = NULL, string $value = NULL) Get results based on a RELATEDFIELD. Ex: get_by_related_user('id', $userid);
*
* Save and Delete
* @method DataMapper save_RELATEDFIELD() save_RELATEDFIELD(mixed $object) Saves relationship(s) using the specified RELATEDFIELD. Ex: save_user($user);
* @method DataMapper delete_RELATEDFIELD() delete_RELATEDFIELD(mixed $object) Deletes relationship(s) using the specified RELATEDFIELD. Ex: delete_user($user);
*
* Related:
* @method DataMapper where_related() where_related(mixed $related, string $field = NULL, string $value = NULL) Limits results based on a related field.
* @method DataMapper where_between_related() where_related(mixed $related, string $field = NULL, string $value1 = NULL, string $value2 = NULL) Limits results based on a related field, via BETWEEN.
* @method DataMapper or_where_related() or_where_related(mixed $related, string $field = NULL, string $value = NULL) Limits results based on a related field, via OR.
* @method DataMapper where_in_related() where_in_related(mixed $related, string $field, array $values) Limits results by comparing a related field to a range of values.
* @method DataMapper or_where_in_related() or_where_in_related(mixed $related, string $field, array $values) Limits results by comparing a related field to a range of values.
* @method DataMapper where_not_in_related() where_not_in_related(mixed $related, string $field, array $values) Limits results by comparing a related field to a range of values.
* @method DataMapper or_where_not_in_related() or_where_not_in_related(mixed $related, string $field, array $values) Limits results by comparing a related field to a range of values.
* @method DataMapper like_related() like_related(mixed $related, string $field, string $value, string $match = 'both') Limits results by matching a related field to a value.
* @method DataMapper or_like_related() like_related(mixed $related, string $field, string $value, string $match = 'both') Limits results by matching a related field to a value.
* @method DataMapper not_like_related() like_related(mixed $related, string $field, string $value, string $match = 'both') Limits results by matching a related field to a value.
* @method DataMapper or_not_like_related() like_related(mixed $related, string $field, string $value, string $match = 'both') Limits results by matching a related field to a value.
* @method DataMapper ilike_related() like_related(mixed $related, string $field, string $value, string $match = 'both') Limits results by matching a related field to a value (case insensitive).
* @method DataMapper or_ilike_related() like_related(mixed $related, string $field, string $value, string $match = 'both') Limits results by matching a related field to a value (case insensitive).
* @method DataMapper not_ilike_related() like_related(mixed $related, string $field, string $value, string $match = 'both') Limits results by matching a related field to a value (case insensitive).
* @method DataMapper or_not_ilike_related() like_related(mixed $related, string $field, string $value, string $match = 'both') Limits results by matching a related field to a value (case insensitive).
* @method DataMapper group_by_related() group_by_related(mixed $related, string $field) Groups the query by a related field.
* @method DataMapper having_related() having_related(mixed $related, string $field, string $value) Groups the querying using a HAVING clause.
* @method DataMapper or_having_related() having_related(mixed $related, string $field, string $value) Groups the querying using a HAVING clause, via OR.
* @method DataMapper order_by_related() order_by_related(mixed $related, string $field, string $direction) Orders the query based on a related field.
*
*
* Join Fields:
* @method DataMapper where_join_field() where_join_field(mixed $related, string $field = NULL, string $value = NULL) Limits results based on a join field.
* @method DataMapper where_between_join_field() where_related(mixed $related, string $field = NULL, string $value1 = NULL, string $value2 = NULL) Limits results based on a join field, via BETWEEN.
* @method DataMapper or_where_join_field() or_where_join_field(mixed $related, string $field = NULL, string $value = NULL) Limits results based on a join field, via OR.
* @method DataMapper where_in_join_field() where_in_join_field(mixed $related, string $field, array $values) Limits results by comparing a join field to a range of values.
* @method DataMapper or_where_in_join_field() or_where_in_join_field(mixed $related, string $field, array $values) Limits results by comparing a join field to a range of values.
* @method DataMapper where_not_in_join_field() where_not_in_join_field(mixed $related, string $field, array $values) Limits results by comparing a join field to a range of values.
* @method DataMapper or_where_not_in_join_field() or_where_not_in_join_field(mixed $related, string $field, array $values) Limits results by comparing a join field to a range of values.
* @method DataMapper like_join_field() like_join_field(mixed $related, string $field, string $value, string $match = 'both') Limits results by matching a join field to a value.
* @method DataMapper or_like_join_field() like_join_field(mixed $related, string $field, string $value, string $match = 'both') Limits results by matching a join field to a value.
* @method DataMapper not_like_join_field() like_join_field(mixed $related, string $field, string $value, string $match = 'both') Limits results by matching a join field to a value.
* @method DataMapper or_not_like_join_field() like_join_field(mixed $related, string $field, string $value, string $match = 'both') Limits results by matching a join field to a value.
* @method DataMapper ilike_join_field() like_join_field(mixed $related, string $field, string $value, string $match = 'both') Limits results by matching a join field to a value (case insensitive).
* @method DataMapper or_ilike_join_field() like_join_field(mixed $related, string $field, string $value, string $match = 'both') Limits results by matching a join field to a value (case insensitive).
* @method DataMapper not_ilike_join_field() like_join_field(mixed $related, string $field, string $value, string $match = 'both') Limits results by matching a join field to a value (case insensitive).
* @method DataMapper or_not_ilike_join_field() like_join_field(mixed $related, string $field, string $value, string $match = 'both') Limits results by matching a join field to a value (case insensitive).
* @method DataMapper group_by_join_field() group_by_join_field(mixed $related, string $field) Groups the query by a join field.
* @method DataMapper having_join_field() having_join_field(mixed $related, string $field, string $value) Groups the querying using a HAVING clause.
* @method DataMapper or_having_join_field() having_join_field(mixed $related, string $field, string $value) Groups the querying using a HAVING clause, via OR.
* @method DataMapper order_by_join_field() order_by_join_field(mixed $related, string $field, string $direction) Orders the query based on a join field.
*
* SQL Functions:
* @method DataMapper select_func() select_func(string $function_name, mixed $args,..., string $alias) Selects the result of a SQL function. Alias is required.
* @method DataMapper where_func() where_func(string $function_name, mixed $args,..., string $value) Limits results based on a SQL function.
* @method DataMapper or_where_func() or_where_func(string $function_name, mixed $args,..., string $value) Limits results based on a SQL function, via OR.
* @method DataMapper where_in_func() where_in_func(string $function_name, mixed $args,..., array $values) Limits results by comparing a SQL function to a range of values.
* @method DataMapper or_where_in_func() or_where_in_func(string $function_name, mixed $args,..., array $values) Limits results by comparing a SQL function to a range of values.
* @method DataMapper where_not_in_func() where_not_in_func(string $function_name, string $field, array $values) Limits results by comparing a SQL function to a range of values.
* @method DataMapper or_where_not_in_func() or_where_not_in_func(string $function_name, mixed $args,..., array $values) Limits results by comparing a SQL function to a range of values.
* @method DataMapper like_func() like_func(string $function_name, mixed $args,..., string $value) Limits results by matching a SQL function to a value.
* @method DataMapper or_like_func() like_func(string $function_name, mixed $args,..., string $value) Limits results by matching a SQL function to a value.
* @method DataMapper not_like_func() like_func(string $function_name, mixed $args,..., string $value) Limits results by matching a SQL function to a value.
* @method DataMapper or_not_like_func() like_func(string $function_name, mixed $args,..., string $value) Limits results by matching a SQL function to a value.
* @method DataMapper ilike_func() like_func(string $function_name, mixed $args,..., string $value) Limits results by matching a SQL function to a value (case insensitive).
* @method DataMapper or_ilike_func() like_func(string $function_name, mixed $args,..., string $value) Limits results by matching a SQL function to a value (case insensitive).
* @method DataMapper not_ilike_func() like_func(string $function_name, mixed $args,..., string $value) Limits results by matching a SQL function to a value (case insensitive).
* @method DataMapper or_not_ilike_func() like_func(string $function_name, mixed $args,..., string $value) Limits results by matching a SQL function to a value (case insensitive).
* @method DataMapper group_by_func() group_by_func(string $function_name, mixed $args,...) Groups the query by a SQL function.
* @method DataMapper having_func() having_func(string $function_name, mixed $args,..., string $value) Groups the querying using a HAVING clause.
* @method DataMapper or_having_func() having_func(string $function_name, mixed $args,..., string $value) Groups the querying using a HAVING clause, via OR.
* @method DataMapper order_by_func() order_by_func(string $function_name, mixed $args,..., string $direction) Orders the query based on a SQL function.
*
* Field -> SQL functions:
* @method DataMapper where_field_field_func() where_field_func($field, string $function_name, mixed $args,...) Limits results based on a SQL function.
* @method DataMapper where_between_field_field_func() where_between_field_func($field, string $function_name, mixed $args,...) Limits results based on a SQL function, via BETWEEN.
* @method DataMapper or_where_field_field_func() or_where_field_func($field, string $function_name, mixed $args,...) Limits results based on a SQL function, via OR.
* @method DataMapper where_in_field_field_func() where_in_field_func($field, string $function_name, mixed $args,...) Limits results by comparing a SQL function to a range of values.
* @method DataMapper or_where_in_field_field_func() or_where_in_field_func($field, string $function_name, mixed $args,...) Limits results by comparing a SQL function to a range of values.
* @method DataMapper where_not_in_field_field_func() where_not_in_field_func($field, string $function_name, string $field) Limits results by comparing a SQL function to a range of values.
* @method DataMapper or_where_not_in_field_field_func() or_where_not_in_field_func($field, string $function_name, mixed $args,...) Limits results by comparing a SQL function to a range of values.
* @method DataMapper like_field_field_func() like_field_func($field, string $function_name, mixed $args,...) Limits results by matching a SQL function to a value.
* @method DataMapper or_like_field_field_func() like_field_func($field, string $function_name, mixed $args,...) Limits results by matching a SQL function to a value.
* @method DataMapper not_like_field_field_func() like_field_func($field, string $function_name, mixed $args,...) Limits results by matching a SQL function to a value.
* @method DataMapper or_not_like_field_field_func() like_field_func($field, string $function_name, mixed $args,...) Limits results by matching a SQL function to a value.
* @method DataMapper ilike_field_field_func() like_field_func($field, string $function_name, mixed $args,...) Limits results by matching a SQL function to a value (case insensitive).
* @method DataMapper or_ilike_field_field_func() like_field_func($field, string $function_name, mixed $args,...) Limits results by matching a SQL function to a value (case insensitive).
* @method DataMapper not_ilike_field_field_func() like_field_func($field, string $function_name, mixed $args,...) Limits results by matching a SQL function to a value (case insensitive).
* @method DataMapper or_not_ilike_field_field_func() like_field_func($field, string $function_name, mixed $args,...) Limits results by matching a SQL function to a value (case insensitive).
* @method DataMapper group_by_field_field_func() group_by_field_func($field, string $function_name, mixed $args,...) Groups the query by a SQL function.
* @method DataMapper having_field_field_func() having_field_func($field, string $function_name, mixed $args,...) Groups the querying using a HAVING clause.
* @method DataMapper or_having_field_field_func() having_field_func($field, string $function_name, mixed $args,...) Groups the querying using a HAVING clause, via OR.
* @method DataMapper order_by_field_field_func() order_by_field_func($field, string $function_name, mixed $args,...) Orders the query based on a SQL function.
*
* Subqueries:
* @method DataMapper select_subquery() select_subquery(DataMapper $subquery, string $alias) Selects the result of a function. Alias is required.
* @method DataMapper where_subquery() where_subquery(mixed $subquery_or_field, mixed $value_or_subquery) Limits results based on a subquery.
* @method DataMapper or_where_subquery() or_where_subquery(mixed $subquery_or_field, mixed $value_or_subquery) Limits results based on a subquery, via OR.
* @method DataMapper where_in_subquery() where_in_subquery(mixed $subquery_or_field, mixed $values_or_subquery) Limits results by comparing a subquery to a range of values.
* @method DataMapper or_where_in_subquery() or_where_in_subquery(mixed $subquery_or_field, mixed $values_or_subquery) Limits results by comparing a subquery to a range of values.
* @method DataMapper where_not_in_subquery() where_not_in_subquery(mixed $subquery_or_field, string $field, mixed $values_or_subquery) Limits results by comparing a subquery to a range of values.
* @method DataMapper or_where_not_in_subquery() or_where_not_in_subquery(mixed $subquery_or_field, mixed $values_or_subquery) Limits results by comparing a subquery to a range of values.
* @method DataMapper like_subquery() like_subquery(DataMapper $subquery, string $value, string $match = 'both') Limits results by matching a subquery to a value.
* @method DataMapper or_like_subquery() like_subquery(DataMapper $subquery, string $value, string $match = 'both') Limits results by matching a subquery to a value.
* @method DataMapper not_like_subquery() like_subquery(DataMapper $subquery, string $value, string $match = 'both') Limits results by matching a subquery to a value.
* @method DataMapper or_not_like_subquery() like_subquery(DataMapper $subquery, string $value, string $match = 'both') Limits results by matching a subquery to a value.
* @method DataMapper ilike_subquery() like_subquery(DataMapper $subquery, string $value, string $match = 'both') Limits results by matching a subquery to a value (case insensitive).
* @method DataMapper or_ilike_subquery() like_subquery(DataMapper $subquery, string $value, string $match = 'both') Limits results by matching a subquery to a value (case insensitive).
* @method DataMapper not_ilike_subquery() like_subquery(DataMapper $subquery, string $value, string $match = 'both') Limits results by matching a subquery to a value (case insensitive).
* @method DataMapper or_not_ilike_subquery() like_subquery(DataMapper $subquery, string $value, string $match = 'both') Limits results by matching a subquery to a value (case insensitive).
* @method DataMapper having_subquery() having_subquery(string $field, DataMapper $subquery) Groups the querying using a HAVING clause.
* @method DataMapper or_having_subquery() having_subquery(string $field, DataMapper $subquery) Groups the querying using a HAVING clause, via OR.
* @method DataMapper order_by_subquery() order_by_subquery(DataMapper $subquery, string $direction) Orders the query based on a subquery.
*
* Related Subqueries:
* @method DataMapper where_related_subquery() where_related_subquery(mixed $related_model, string $related_field, DataMapper $subquery) Limits results based on a subquery.
* @method DataMapper or_where_related_subquery() or_where_related_subquery(mixed $related_model, string $related_field, DataMapper $subquery) Limits results based on a subquery, via OR.
* @method DataMapper where_in_related_subquery() where_in_related_subquery(mixed $related_model, string $related_field, DataMapper $subquery) Limits results by comparing a subquery to a range of values.
* @method DataMapper or_where_in_related_subquery() or_where_in_related_subquery(mixed $related_model, string $related_field, DataMapper $subquery) Limits results by comparing a subquery to a range of values.
* @method DataMapper where_not_in_related_subquery() where_not_in_related_subquery(mixed $related_model, string $related_field, DataMapper $subquery) Limits results by comparing a subquery to a range of values.
* @method DataMapper or_where_not_in_related_subquery() or_where_not_in_related_subquery(mixed $related_model, string $related_field, DataMapper $subquery) Limits results by comparing a subquery to a range of values.
* @method DataMapper having_related_subquery() having_related_subquery(mixed $related_model, string $related_field, DataMapper $subquery) Groups the querying using a HAVING clause.
* @method DataMapper or_having_related_subquery() having_related_subquery(mixed $related_model, string $related_field, DataMapper $subquery) Groups the querying using a HAVING clause, via OR.
*
* Array Extension:
* @method array to_array() to_array($fields = '') NEEDS ARRAY EXTENSION. Converts this object into an associative array. @link DMZ_Array::to_array
* @method array all_to_array() all_to_array($fields = '') NEEDS ARRAY EXTENSION. Converts the all array into an associative array. @link DMZ_Array::all_to_array
* @method array|bool from_array() from_array($data, $fields = '', $save = FALSE) NEEDS ARRAY EXTENSION. Converts $this->all into an associative array. @link DMZ_Array::all_to_array
*
* CSV Extension
* @method bool csv_export() csv_export($filename, $fields = '', $include_header = TRUE) NEEDS CSV EXTENSION. Exports this object as a CSV file.
* @method array csv_import() csv_import($filename, $fields = '', $header_row = TRUE, $callback = NULL) NEEDS CSV EXTENSION. Imports a CSV file into this object.
*
* JSON Extension:
* @method string to_json() to_json($fields = '', $pretty_print = FALSE) NEEDS JSON EXTENSION. Converts this object into a JSON string.
* @method string all_to_json() all_to_json($fields = '', $pretty_print = FALSE) NEEDS JSON EXTENSION. Converts the all array into a JSON string.
* @method bool from_json() from_json($json, $fields = '') NEEDS JSON EXTENSION. Imports the values from a JSON string into this object.
* @method void set_json_content_type() set_json_content_type() NEEDS JSON EXTENSION. Sets the content type header to Content-Type: application/json.
*
* SimpleCache Extension:
* @method DataMapper get_cached() get_cached($limit = '', $offset = '') NEEDS SIMPLECACHE EXTENSION. Enables cacheable queries.
* @method DataMapper clear_cache() get_cached($segment,...) NEEDS SIMPLECACHE EXTENSION. Clears a cache for the specfied segment.
*
* Translate Extension:
*
* Nestedsets Extension:
*
*/
class DataMapper implements IteratorAggregate {
/**
* Stores the shared configuration
* @var array
*/
static $config = array();
/**
* Stores settings that are common across a specific Model
* @var array
*/
static $common = array(DMZ_CLASSNAMES_KEY => array());
/**
* Stores global extensions
* @var array
*/
static $global_extensions = array();
/**
* Used to override unset default properties.
* @var array
*/
static $_dmz_config_defaults = array(
'prefix' => '',
'join_prefix' => '',
'error_prefix' => '<span class="error">',
'error_suffix' => '</span>',
'created_field' => 'created',
'updated_field' => 'updated',
'local_time' => FALSE,
'unix_timestamp' => FALSE,
'timestamp_format' => 'Y-m-d H:i:s',
'lang_file_format' => 'model_${model}',
'field_label_lang_format' => '${model}_${field}',
'auto_transaction' => FALSE,
'auto_populate_has_many' => FALSE,
'auto_populate_has_one' => TRUE,
'all_array_uses_ids' => FALSE,
'db_params' => '',
'extensions' => array(),
'extensions_path' => 'datamapper',
);
/**
* Contains any errors that occur during validation, saving, or other
* database access.
* @var DM_Error_Object
*/
public $error;
/**
* Used to keep track of the original values from the database, to
* prevent unecessarily changing fields.
* @var object
*/
public $stored;
/**
* The name of the table for this model (may be automatically generated
* from the classname).
* @var string
*/
public $table = '';
/**
* The singular name for this model (may be automatically generated from
* the classname).
* @var string
*/
public $model = '';
/**
* The primary key used for this models table
* the classname).
* @var string
*/
public $primary_key = 'id';
/**
* The result of validate is stored here.
* @var bool
*/
public $valid = FALSE;
/**
* delete relations on delete of an object. Defaults to TRUE.
* set to FALSE if you RDBMS takes care of this using constraints
* @var bool
*/
public $cascade_delete = TRUE;
/**
* Contains the database fields for this object.
* ** Automatically configured **
* @var array
*/
public $fields = array();
/**
* Contains the result of the last query.
* @var array
*/
public $all = array();
/**
* Semi-private field used to track the parent model/id if there is one.
* @var array
*/
public $parent = array();
/**
* Contains the validation rules, label, and get_rules for each field.
* @var array
*/
public $validation = array();
/**
* Contains any related objects of which this model is related one or more times.
* @var array
*/
public $has_many = array();
/**
* Contains any related objects of which this model is singularly related.
* @var array
*/
public $has_one = array();
/**
* Used to enable or disable the production cache.
* This should really only be set in the global configuration.
* @var bool
*/
public $production_cache = FALSE;
/**
* If a query returns more than the number of rows specified here,
* then it will be automatically freed after a get.
* @var int
*/
public $free_result_threshold = 100;
/**
* This can be specified as an array of fields to sort by if no other
* sorting or selection has occurred.
* @var mixed
*/
public $default_order_by = NULL;
// tracks whether or not the object has already been validated
protected $_validated = FALSE;
// tracks whether validation needs to be forced before save
protected $_force_validation = FALSE;
// Tracks the columns that need to be instantiated after a GET
protected $_instantiations = NULL;
// Tracks get_rules, matches, and intval rules, to spped up _to_object
protected $_field_tracking = NULL;
// used to track related queries in deep relationships.
protected $_query_related = array();
// If true before a related get(), any extra fields on the join table will be added.
protected $_include_join_fields = FALSE;
// If true before a save, this will force the next save to be new.
protected $_force_save_as_new = FALSE;
// If true, the next where statement will not be prefixed with an AND or OR.
protected $_where_group_started = FALSE;
// Tracks total number of groups created
protected $_group_count = 0;
// storage for additional model paths for the autoloader
protected static $model_paths = array();
/**
* Constructors (both PHP4 and PHP5 style, to stay compatible)
*
* Initialize DataMapper.
* @param int $id if provided, load in the object specified by that ID.
*/
public function __construct($id = NULL)
{
return $this->DataMapper($id);
}
public function DataMapper($id = NULL)
{
$this->_dmz_assign_libraries();
$this_class = strtolower(get_class($this));
$is_dmz = $this_class == 'datamapper';
if($is_dmz)
{
$this->_load_languages();
$this->_load_helpers();
}
// this is to ensure that singular is only called once per model
if(isset(DataMapper::$common[DMZ_CLASSNAMES_KEY][$this_class])) {
$common_key = DataMapper::$common[DMZ_CLASSNAMES_KEY][$this_class];
} else {
DataMapper::$common[DMZ_CLASSNAMES_KEY][$this_class] = $common_key = singular($this_class);
}
// Determine model name
if (empty($this->model))
{
$this->model = $common_key;
}
// If model is 'datamapper' then this is the initial autoload by CodeIgniter
if ($is_dmz)
{
// Load config settings
$this->config->load('datamapper', TRUE, TRUE);
// Get and store config settings
DataMapper::$config = $this->config->item('datamapper');
// now double check that all required config values were set
foreach(DataMapper::$_dmz_config_defaults as $config_key => $config_value)
{
if( ! array_key_exists($config_key, DataMapper::$config))
{
DataMapper::$config[$config_key] = $config_value;
}
}
DataMapper::_load_extensions(DataMapper::$global_extensions, DataMapper::$config['extensions']);
unset(DataMapper::$config['extensions']);
return;
}
// Load stored config settings by reference
foreach (DataMapper::$config as $config_key => &$config_value)
{
// Only if they're not already set
if ( ! property_exists($this, $config_key))
{
$this->{$config_key} = $config_value;
}
}
// Load model settings if not in common storage
if ( ! isset(DataMapper::$common[$common_key]))
{
// load language file, if requested and it exists
if(!empty($this->lang_file_format))
{
$lang_file = str_replace(array('${model}', '${table}'), array($this->model, $this->table), $this->lang_file_format);
$deft_lang = $this->config->item('language');
$idiom = ($deft_lang == '') ? 'english' : $deft_lang;
if(file_exists(APPPATH.'language/'.$idiom.'/'.$lang_file.'_lang'.EXT))
{
$this->lang->load($lang_file, $idiom);
}
}
$loaded_from_cache = FALSE;
// Load in the production cache for this model, if it exists
if( ! empty(DataMapper::$config['production_cache']))
{
// check if it's a fully qualified path first
if (!is_dir($cache_folder = DataMapper::$config['production_cache']))
{
// if not, it's relative to the application path
$cache_folder = APPPATH . DataMapper::$config['production_cache'];
}
if(file_exists($cache_folder) && is_dir($cache_folder) && is_writeable($cache_folder))
{
$cache_file = $cache_folder . '/' . $common_key . EXT;
if(file_exists($cache_file))
{
include($cache_file);
if(isset($cache))
{
DataMapper::$common[$common_key] =& $cache;
unset($cache);
// allow subclasses to add initializations
if(method_exists($this, 'post_model_init'))
{
$this->post_model_init(TRUE);
}
// Load extensions (they are not cacheable)
$this->_initiate_local_extensions($common_key);
$loaded_from_cache = TRUE;
}
}
}
}
if(! $loaded_from_cache)
{
// Determine table name
if (empty($this->table))
{
$this->table = strtolower(plural(get_class($this)));
}
// Add prefix to table
$this->table = $this->prefix . $this->table;
$this->_field_tracking = array(
'get_rules' => array(),
'matches' => array(),
'intval' => array('id')
);
// Convert validation into associative array by field name
$associative_validation = array();
foreach ($this->validation as $name => $validation)
{
if(is_string($name)) {
$validation['field'] = $name;
} else {
$name = $validation['field'];
}
// clean up possibly missing fields
if( ! isset($validation['rules']))
{
$validation['rules'] = array();
}
// Populate associative validation array
$associative_validation[$name] = $validation;
if (!empty($validation['get_rules']))
{
$this->_field_tracking['get_rules'][] = $name;
}
// Check if there is a "matches" validation rule
if (isset($validation['rules']['matches']))
{
$this->_field_tracking['matches'][$name] = $validation['rules']['matches'];
}
}
// set up id column, if not set
if(!isset($associative_validation['id']))
{
// label is set below, to prevent caching language-based labels
$associative_validation['id'] = array(
'field' => 'id',
'rules' => array('integer')
);
}
$this->validation = $associative_validation;
// Force all other has_one ITFKs to integers on get
foreach($this->has_one as $related => $rel_props)
{
$field = $related . '_id';
if( in_array($field, $this->fields) &&
( ! isset($this->validation[$field]) || // does not have a validation key or...
! isset($this->validation[$field]['get_rules'])) && // a get_rules key...
( ! isset($this->validation[$related]) || // nor does the related have a validation key or...
! isset($this->validation[$related]['get_rules'])) ) // a get_rules key
{
// assume an int
$this->_field_tracking['intval'][] = $field;
}
}
// Get and store the table's field names and meta data
$fields = $this->db->field_data($this->table);
// Store only the field names and ensure validation list includes all fields
foreach ($fields as $field)
{
// Populate fields array
$this->fields[] = $field->name;
// Add validation if current field has none
if ( ! isset($this->validation[$field->name]))
{
// label is set below, to prevent caching language-based labels
$this->validation[$field->name] = array('field' => $field->name, 'rules' => array());
}
}
// convert simple has_one and has_many arrays into more advanced ones
foreach(array('has_one', 'has_many') as $arr)
{
foreach ($this->{$arr} as $related_field => $rel_props)
{
// process the relationship
$this->_relationship($arr, $rel_props, $related_field);
}
}
// allow subclasses to add initializations
if(method_exists($this, 'post_model_init'))
{
$this->post_model_init(FALSE);
}
// Store common model settings
foreach (array('table', 'fields', 'validation',
'has_one', 'has_many', '_field_tracking') as $item)
{
DataMapper::$common[$common_key][$item] = $this->{$item};
}
// store the item to the production cache
$this->production_cache();
// Load extensions last, so they aren't cached.
$this->_initiate_local_extensions($common_key);
}
// Finally, localize the labels here (because they shouldn't be cached
// This also sets any missing labels.
$validation =& DataMapper::$common[$common_key]['validation'];
foreach($validation as $field => &$val)
{
// Localize label if necessary
$val['label'] = $this->localize_label($field,
isset($val['label']) ?
$val['label'] :
FALSE);
}
unset($validation);
}
// Load stored common model settings by reference
foreach(DataMapper::$common[$common_key] as $key => &$value)
{
$this->{$key} = $value;
}
// Clear object properties to set at default values
$this->clear();
if( ! empty($id) && is_numeric($id))
{
$this->get_by_id(intval($id));
}
}
// --------------------------------------------------------------------
/**
* Reloads in the configuration data for a model. This is mainly
* used to handle language changes. Only this instance and new instances
* will see the changes.
*/
public function reinitialize_model()
{
// this is to ensure that singular is only called once per model
if(isset(DataMapper::$common[DMZ_CLASSNAMES_KEY][$this_class])) {
$common_key = DataMapper::$common[DMZ_CLASSNAMES_KEY][$this_class];
} else {
DataMapper::$common[DMZ_CLASSNAMES_KEY][$this_class] = $common_key = singular($this_class);
}
unset(DataMapper::$common[$common_key]);
$model = get_class($this);
new $model(); // re-initialze
// Load stored common model settings by reference
foreach(DataMapper::$common[$common_key] as $key => &$value)
{
$this->{$key} =& $value;
}
}
// --------------------------------------------------------------------
/**
* Autoload
*
* Autoloads object classes that are used with DataMapper.
* This method will look in any model directories available to CI.
*
* Note:
* It is important that they are autoloaded as loading them manually with
* CodeIgniter's loader class will cause DataMapper's __get and __set functions
* to not function.
*
* @param string $class Name of class to load.
*/
public static function autoload($class)
{
static $CI = NULL;
// get the CI instance
is_null($CI) AND $CI =& get_instance();
// Don't attempt to autoload CI_ , EE_, or custom prefixed classes
if (in_array(substr($class, 0, 3), array('CI_', 'EE_',"BACKEND_")) OR strpos($class, $CI->config->item('subclass_prefix')) === 0)
{
return;
}
// Prepare class
$class = strtolower($class);
// Prepare path
$paths = array();
if (method_exists($CI->load, 'get_package_paths'))
{
// use CI 2.0 loader's model paths
$paths = $CI->load->get_package_paths(false);
}
foreach (array_merge(array(APPPATH),$paths, self::$model_paths) as $path)
{
// Prepare file
$file = $path . 'models/' . $class . EXT;
// Check if file exists, require_once if it does
if (file_exists($file))
{
require_once($file);
break;
}
}
// if class not loaded, do a recursive search of model paths for the class
if (! class_exists($class))
{
foreach($paths as $path)
{
$found = DataMapper::recursive_require_once($class, $path . 'models');
if($found)
{
break;
}
}
}
}
// --------------------------------------------------------------------
/**
* Add Model Path
*
* Manually add paths for the model autoloader
*
* @param mixed $paths path or array of paths to search
*/
public static function add_model_path($paths)
{
// make sure paths is an array
is_array($paths) OR $paths = array($paths);
foreach($paths as $path)
{
$path = rtrim($path, '/') . '/';
if ( is_dir($path.'models') && ! in_array($path, self::$model_paths))
{
self::$model_paths[] = $path;
}
}
}
// --------------------------------------------------------------------
/**
* Recursive Require Once
*
* Recursively searches the path for the class, require_once if found.
*
* @param string $class Name of class to look for
* @param string $path Current path to search
*/
protected static function recursive_require_once($class, $path)
{
$found = FALSE;
if(is_dir($path))
{
$handle = opendir($path);
if ($handle)
{
while (FALSE !== ($dir = readdir($handle)))
{
// If dir does not contain a dot
if (strpos($dir, '.') === FALSE)
{
// Prepare recursive path
$recursive_path = $path . '/' . $dir;
// Prepare file
$file = $recursive_path . '/' . $class . EXT;
// Check if file exists, require_once if it does
if (file_exists($file))
{
require_once($file);
$found = TRUE;
break;
}
else if (is_dir($recursive_path))
{
// Do a recursive search of the path for the class
DataMapper::recursive_require_once($class, $recursive_path);
}
}
}
closedir($handle);
}
}
return $found;
}
// --------------------------------------------------------------------
/**
* Loads in any extensions used by this class or globally.
*
* @param array $extensions List of extensions to add to.
* @param array $name List of new extensions to load.
*/
protected static function _load_extensions(&$extensions, $names)
{
static $CI = NULL;
// get the CI instance
is_null($CI) AND $CI =& get_instance();
$class_prefixes = array(
0 => 'DMZ_',
1 => 'DataMapper_',
2 => $CI->config->item('subclass_prefix'),
3 => 'CI_'
);
foreach($names as $name => $options)
{
if( ! is_string($name))
{
$name = $options;
$options = NULL;
}
// only load an extension if it wasn't already loaded in this context
if(isset($extensions[$name]))
{
return;
}
if( ! isset($extensions['_methods']))
{
$extensions['_methods'] = array();
}
// determine the file name and class name
$file = DataMapper::$config['extensions_path'] . '/' . $name . EXT;
if ( ! file_exists($file))
{
if(strpos($name, '/') === FALSE)
{
$file = APPPATH . DataMapper::$config['extensions_path'] . '/' . $name . EXT;
$ext = $name;
}
else
{
$file = APPPATH . $name . EXT;
$ext = array_pop(explode('/', $name));
}
if(!file_exists($file))
{
show_error('DataMapper Error: loading extension ' . $name . ': File not found.');
}
}
else
{
$ext = $name;
}
// load class
include_once($file);
// Allow for DMZ_Extension, DataMapper_Extension, etc.
foreach($class_prefixes as $index => $prefix)
{
if(class_exists($prefix.$ext))
{
if($index == 2) // "MY_"
{
// Load in the library this class is based on
$CI->load->library($ext);
}
$ext = $prefix.$ext;
break;
}
}
if(!class_exists($ext))
{
show_error("DataMapper Error: Unable to find a class for extension $name.");
}
// create class
if(is_null($options))
{
$o = new $ext(NULL, isset($this) ? $this : NULL);
}
else
{
$o = new $ext($options, isset($this) ? $this : NULL);
}
$extensions[$name] = $o;
// figure out which methods can be called on this class.
$methods = get_class_methods($ext);
foreach($methods as $m)
{
// do not load private methods or methods already loaded.
if($m[0] !== '_' &&
is_callable(array($o, $m)) &&
! isset($extensions['_methods'][$m])
) {
// store this method.
$extensions['_methods'][$m] = $name;
}
}
}
}
// --------------------------------------------------------------------
/**
* Loads the extensions that are local to this model.
* @param string $common_key Shared key to save extenions to.
*/
private function _initiate_local_extensions($common_key)
{
if(!empty($this->extensions))
{
$extensions = $this->extensions;
$this->extensions = array();
DataMapper::_load_extensions($this->extensions, $extensions);
}
else
{
// ensure an empty array
$this->extensions = array('_methods' => array());
}
// bind to the shared key, for dynamic loading
DataMapper::$common[$common_key]['extensions'] =& $this->extensions;
}
// --------------------------------------------------------------------
/**
* Dynamically load an extension when needed.
* @param object $name Name of the extension (or array of extensions).
* @param array $options Options for the extension
* @param boolean $local If TRUE, only loads the extension into this object
*/
public function load_extension($name, $options = NULL, $local = FALSE)
{
if( ! is_array($name))
{
if( ! is_null($options))
{
$name = array($name => $options);
}
else
{
$name = array($name);
}
}
// called individually to ensure that the array is modified directly
// (and not copied instead)
if($local)
{
DataMapper::_load_extensions($this->extensions, $name);
}
else
{
DataMapper::_load_extensions(DataMapper::$global_extensions, $name);
}
}
// --------------------------------------------------------------------
/* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
* *
* Magic methods *
* *
* The following are methods to override the default PHP behaviour. *
* *
* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * */
// --------------------------------------------------------------------
/**
* Magic Get
*
* Returns the value of the named property.
* If named property is a related item, instantiate it first.
*
* This method also instantiates the DB object and the form_validation
* objects as necessary
*
* @ignore
* @param string $name Name of property to look for
* @return mixed
*/
public function __get($name)
{
static $CI = NULL;
// get the CI instance
is_null($CI) AND $CI =& get_instance();
// We dynamically get DB when needed, and create a copy.
// This allows multiple queries to be generated at the same time.
if($name == 'db')
{
if($this->db_params === FALSE)
{
if ( ! isset($CI->db) || ! is_object($CI->db) || ! isset($CI->db->dbdriver) )
{
show_error('DataMapper Error: CodeIgniter database library not loaded.');
}
$this->db =& $CI->db;
}
else
{
if($this->db_params == '' || $this->db_params === TRUE)
{
if ( ! isset($CI->db) || ! is_object($CI->db) || ! isset($CI->db->dbdriver) )
{
show_error('DataMapper Error: CodeIgniter database library not loaded.');
}
// ensure the shared DB is disconnected, even if the app exits uncleanly
if(!isset($CI->db->_has_shutdown_hook))
{
register_shutdown_function(array($CI->db, 'close'));
$CI->db->_has_shutdown_hook = TRUE;
}
// clone, so we don't create additional connections to the DB
$this->db = clone($CI->db);
$this->db->dm_call_method('_reset_select');
}
else
{
// connecting to a different database, so we *must* create additional copies.
// It is up to the developer to close the connection!
$this->db = $CI->load->database($this->db_params, TRUE, TRUE);
}
// these items are shared (for debugging)
if(is_object($CI->db) && isset($CI->db->dbdriver))
{
$this->db->queries =& $CI->db->queries;
$this->db->query_times =& $CI->db->query_times;
}
}
// ensure the created DB is disconnected, even if the app exits uncleanly
if(!isset($this->db->_has_shutdown_hook))
{
register_shutdown_function(array($this->db, 'close'));
$this->db->_has_shutdown_hook = TRUE;
}
return $this->db;
}
// Special case to get form_validation when first accessed
if($name == 'form_validation')
{
if ( ! isset($this->form_validation) )
{
if( ! isset($CI->form_validation))
{
$CI->load->library('form_validation');
$this->lang->load('form_validation');
}
$this->form_validation =& $CI->form_validation;
}
return $this->form_validation;
}
$has_many = isset($this->has_many[$name]);
$has_one = isset($this->has_one[$name]);
// If named property is a "has many" or "has one" related item
if ($has_many || $has_one)
{
$related_properties = $has_many ? $this->has_many[$name] : $this->has_one[$name];
// Instantiate it before accessing
$class = $related_properties['class'];
$this->{$name} = new $class();
// Store parent data
$this->{$name}->parent = array('model' => $related_properties['other_field'], 'id' => $this->id);
// Check if Auto Populate for "has many" or "has one" is on
// (but only if this object exists in the DB, and we aren't instantiating)
if ($this->exists() &&
($has_many && ($this->auto_populate_has_many || $this->has_many[$name]['auto_populate'])) || ($has_one && ($this->auto_populate_has_one || $this->has_one[$name]['auto_populate'])))
{
$this->{$name}->get();
}
return $this->{$name};
}
$name_single = singular($name);
if($name_single !== $name) {
// possibly return single form of name
$test = $this->{$name_single};
if(is_object($test)) {
return $test;
}
}
return NULL;
}
// --------------------------------------------------------------------
/**
* Used several places to temporarily override the auto_populate setting
* @ignore
* @param string $related Related Name
* @return DataMapper|NULL
*/
private function &_get_without_auto_populating($related)
{
$b_many = $this->auto_populate_has_many;
$b_one = $this->auto_populate_has_one;
$this->auto_populate_has_many = FALSE;
$this->auto_populate_has_one = FALSE;
$ret =& $this->{$related};
$this->auto_populate_has_many = $b_many;
$this->auto_populate_has_one = $b_one;
return $ret;
}
// --------------------------------------------------------------------
/**
* Magic Call
*
* Calls special methods, or extension methods.
*
* @ignore
* @param string $method Method name
* @param array $arguments Arguments to method
* @return mixed
*/
public function __call($method, $arguments)
{
// List of watched method names
// NOTE: order matters: make sure more specific items are listed before
// less specific items
static $watched_methods = array(
'save_', 'delete_',
'get_by_related_', 'get_by_related', 'get_by_',
'_related_subquery', '_subquery',
'_related_', '_related',
'_join_field',
'_field_func', '_func'
);
$ext = NULL;
// attempt to call an extension first
if($this->_extension_method_exists($method, 'local'))
{
$name = $this->extensions['_methods'][$method];
$ext = $this->extensions[$name];
}
elseif($this->_extension_method_exists($method, 'global'))
{
$name = DataMapper::$global_extensions['_methods'][$method];
$ext = DataMapper::$global_extensions[$name];
}
else
{
foreach ($watched_methods as $watched_method)
{
// See if called method is a watched method
if (strpos($method, $watched_method) !== FALSE)
{
$pieces = explode($watched_method, $method);
if ( ! empty($pieces[0]) && ! empty($pieces[1]))
{
// Watched method is in the middle
return $this->{'_' . trim($watched_method, '_')}($pieces[0], array_merge(array($pieces[1]), $arguments));
}
else
{
// Watched method is a prefix or suffix
return $this->{'_' . trim($watched_method, '_')}(str_replace($watched_method, '', $method), $arguments);
}
}
}
}
if( ! is_null($ext))
{
array_unshift($arguments, $this);
return call_user_func_array(array($ext, $method), $arguments);
}
// show an error, for debugging's sake.
throw new Exception("Unable to call the method \"$method\" on the class " . get_class($this));
}
// --------------------------------------------------------------------
/**
* Returns TRUE or FALSE if the method exists in the extensions.
*
* @param object $method Method to look for.
* @param object $which One of 'both', 'local', or 'global'
* @return bool TRUE if the method can be called.
*/
private function _extension_method_exists($method, $which = 'both') {
$found = FALSE;
if($which != 'global') {
$found = ! empty($this->extensions) && isset($this->extensions['_methods'][$method]);
}
if( ! $found && $which != 'local' ) {
$found = ! empty(DataMapper::$global_extensions) && isset(DataMapper::$global_extensions['_methods'][$method]);
}
return $found;
}
// --------------------------------------------------------------------
/**
* Magic Clone
*
* Allows for a less shallow clone than the default PHP clone.
*
* @ignore
*/
public function __clone()
{
foreach ($this as $key => $value)
{
if (is_object($value) && $key != 'db')
{
$this->{$key} = clone($value);
}
}
}
// --------------------------------------------------------------------
/**
* To String
*
* Converts the current object into a string.
* Should be overridden by extended objects.
*
* @return string
*/
public function __toString()
{
return ucfirst($this->model);
}
// --------------------------------------------------------------------
/**
* Allows the all array to be iterated over without
* having to specify it.
*
* @return Iterator An iterator for the all array
*/
public function getIterator() {
if(isset($this->_dm_dataset_iterator)) {
return $this->_dm_dataset_iterator;
} else {
return new ArrayIterator($this->all);
}
}
// --------------------------------------------------------------------
/* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
* *
* Main methods *
* *
* The following are methods that form the main *
* functionality of DataMapper. *
* *
* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * */
// --------------------------------------------------------------------
/**
* Get
*
* Get objects from the database.
*
* @param integer|NULL $limit Limit the number of results.
* @param integer|NULL $offset Offset the results when limiting.
* @return DataMapper Returns self for method chaining.
*/
public function get($limit = NULL, $offset = NULL)
{
// Check if this is a related object and if so, perform a related get
if (! $this->_handle_related())
{
// invalid get request, return this for chaining.
return $this;
} // Else fall through to a normal get
$query = FALSE;
// Check if object has been validated (skipped for related items)
if ($this->_validated && empty($this->parent))
{
// Reset validated
$this->_validated = FALSE;
// Use this objects properties
$data = $this->_to_array(TRUE);
if ( ! empty($data))
{
// Clear this object to make way for new data
$this->clear();
// Set up default order by (if available)
$this->_handle_default_order_by();
// Get by objects properties
$query = $this->db->get_where($this->table, $data, $limit, $offset);
} // FIXME: notify user if nothing was set?
}
else
{
// Clear this object to make way for new data
$this->clear();
// Set up default order by (if available)
$this->_handle_default_order_by();
// Get by built up query
$query = $this->db->get($this->table, $limit, $offset);
}
// Convert the query result into DataMapper objects
if($query)
{
$this->_process_query($query);
}
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Returns the SQL string of the current query (SELECTs ONLY).
* NOTE: This also _clears_ the current query info.
*
* This can be used to generate subqueries.
*
* @param integer|NULL $limit Limit the number of results.
* @param integer|NULL $offset Offset the results when limiting.
* @return string SQL as a string.
*/
public function get_sql($limit = NULL, $offset = NULL, $handle_related = FALSE)
{
if($handle_related) {
$this->_handle_related();
}
$this->db->dm_call_method('_track_aliases', $this->table);
$this->db->from($this->table);
$this->_handle_default_order_by();
if ( ! is_null($limit))
{
$this->limit($limit, $offset);
}
$sql = $this->db->dm_call_method('_compile_select');
$this->_clear_after_query();
return $sql;
}
// --------------------------------------------------------------------
/**
* Runs the query, but returns the raw CodeIgniter results
* NOTE: This also _clears_ the current query info.
*
* @param integer|NULL $limit Limit the number of results.
* @param integer|NULL $offset Offset the results when limiting.
* @return CI_DB_result Result Object
*/
public function get_raw($limit = NULL, $offset = NULL, $handle_related = TRUE)
{
if($handle_related) {
$this->_handle_related();
}
$this->_handle_default_order_by();
$query = $this->db->get($this->table, $limit, $offset);
$this->_clear_after_query();
return $query;
}
// --------------------------------------------------------------------
/**
* Returns a streamable result set for large queries.
* Usage:
* $rs = $object->get_iterated();
* $size = $rs->count;
* foreach($rs as $o) {
* // handle $o
* }
* $rs can be looped through more than once.
*
* @param integer|NULL $limit Limit the number of results.
* @param integer|NULL $offset Offset the results when limiting.
* @return DataMapper Returns self for method chaining.
*/
public function get_iterated($limit = NULL, $offset = NULL)
{
// clone $this, so we keep track of instantiations, etc.
// because these are cleared after the call to get_raw
$object = $this->get_clone();
// need to clear query from the clone
$object->db->dm_call_method('_reset_select');
// Clear the query related list from the clone
$object->_query_related = array();
// Build iterator
$this->_dm_dataset_iterator = new DM_DatasetIterator($object, $this->get_raw($limit, $offset, TRUE));
return $this;
}
// --------------------------------------------------------------------
/**
* Convenience method that runs a query based on pages.
* This object will have two new values, $query_total_pages and
* $query_total_rows, which can be used to determine how many pages and
* how many rows are available in total, respectively.
*
* @param int $page Page (1-based) to start on, or row (0-based) to start on
* @param int $page_size Number of rows in a page
* @param bool $page_num_by_rows When TRUE, $page is the starting row, not the starting page
* @param bool $iterated Internal Use Only
* @return DataMapper Returns self for method chaining.
*/
public function get_paged($page = 1, $page_size = 50, $page_num_by_rows = FALSE, $info_object = 'paged', $iterated = FALSE)
{
// first, duplicate this query, so we have a copy for the query
$count_query = $this->get_clone(TRUE);
if($page_num_by_rows)
{
$page = 1 + floor(intval($page) / $page_size);
}
// never less than 1
$page = max(1, intval($page));
$offset = $page_size * ($page - 1);
// for performance, we clear out the select AND the order by statements,
// since they aren't necessary and might slow down the query.
$count_query->db->ar_select = NULL;
$count_query->db->ar_orderby = NULL;
$total = $count_query->db->ar_distinct ? $count_query->count_distinct() : $count_query->count();
// common vars
$last_row = $page_size * floor($total / $page_size);
$total_pages = ceil($total / $page_size);
if($offset >= $last_row)
{
// too far!
$offset = $last_row;
$page = $total_pages;
}
// now query this object
if($iterated)
{
$this->get_iterated($page_size, $offset);
}
else
{
$this->get($page_size, $offset);
}
$this->{$info_object} = new stdClass();
$this->{$info_object}->page_size = $page_size;
$this->{$info_object}->items_on_page = $this->result_count();
$this->{$info_object}->current_page = $page;
$this->{$info_object}->current_row = $offset;
$this->{$info_object}->total_rows = $total;
$this->{$info_object}->last_row = $last_row;
$this->{$info_object}->total_pages = $total_pages;
$this->{$info_object}->has_previous = $offset > 0;
$this->{$info_object}->previous_page = max(1, $page-1);
$this->{$info_object}->previous_row = max(0, $offset-$page_size);
$this->{$info_object}->has_next = $page < $total_pages;
$this->{$info_object}->next_page = min($total_pages, $page+1);
$this->{$info_object}->next_row = min($last_row, $offset+$page_size);
return $this;
}
// --------------------------------------------------------------------
/**
* Runs get_paged, but as an Iterable.
*
* @see get_paged
* @param int $page Page (1-based) to start on, or row (0-based) to start on
* @param int $page_size Number of rows in a page
* @param bool $page_num_by_rows When TRUE, $page is the starting row, not the starting page
* @param bool $iterated Internal Use Only
* @return DataMapper Returns self for method chaining.
*/
public function get_paged_iterated($page = 1, $page_size = 50, $page_num_by_rows = FALSE, $info_object = 'paged')
{
return $this->get_paged($page, $page_size, $page_num_by_rows, $info_object, TRUE);
}
// --------------------------------------------------------------------
/**
* Forces this object to be INSERTed, even if it has an ID.
*
* @param mixed $object See save.
* @param string $related_field See save.
* @return bool Result of the save.
*/
public function save_as_new($object = '', $related_field = '')
{
$this->_force_save_as_new = TRUE;
return $this->save($object, $related_field);
}
// --------------------------------------------------------------------
/**
* Save
*
* Saves the current record, if it validates.
* If object is supplied, saves relations between this object and the supplied object(s).
*
* @param mixed $object Optional object to save or array of objects to save.
* @param string $related_field Optional string to save the object as a specific relationship.
* @return bool Success or Failure of the validation and save.
*/
public function save($object = '', $related_field = '')
{
// Temporarily store the success/failure
$result = array();
// Validate this objects properties
$this->validate($object, $related_field);
// If validation passed
if ($this->valid)
{
// Begin auto transaction
$this->_auto_trans_begin();
$trans_complete_label = array();
// Get current timestamp
$timestamp = $this->_get_generated_timestamp();
// Check if object has a 'created' field, and it is not already set
if (in_array($this->created_field, $this->fields) && empty($this->{$this->created_field}))
{
$this->{$this->created_field} = $timestamp;
}
// SmartSave: if there are objects being saved, and they are stored
// as in-table foreign keys, we can save them at this step.
if( ! empty($object))
{
if( ! is_array($object))
{
$object = array($object);
}
$this->_save_itfk($object, $related_field);
}
// Convert this object to array
$data = $this->_to_array();
if ( ! empty($data))
{
if ( ! $this->_force_save_as_new && ! empty($data['id']))
{
// Prepare data to send only changed fields
foreach ($data as $field => $value)
{
// Unset field from data if it hasn't been changed
if ($this->{$field} === $this->stored->{$field})
{
unset($data[$field]);
}
}
// if there are changes, check if we need to update the update timestamp
if (count($data) && in_array($this->updated_field, $this->fields) && ! isset($data[$this->updated_field]))
{
// update it now
$data[$this->updated_field] = $this->{$this->updated_field} = $timestamp;
}
// Only go ahead with save if there is still data
if ( ! empty($data))
{
// Update existing record
$this->db->where('id', $this->id);
$this->db->update($this->table, $data);
$trans_complete_label[] = 'update';
}
// Reset validated
$this->_validated = FALSE;
$result[] = TRUE;
}
else
{
// Prepare data to send only populated fields
foreach ($data as $field => $value)
{
// Unset field from data
if ( ! isset($value))
{
unset($data[$field]);
}
}
// Create new record
$this->db->insert($this->table, $data);
if( ! $this->_force_save_as_new)
{
// Assign new ID
$this->id = $this->db->insert_id();
}
$trans_complete_label[] = 'insert';
// Reset validated
$this->_validated = FALSE;
$result[] = TRUE;
}
}
$this->_refresh_stored_values();
// Check if a relationship is being saved
if ( ! empty($object))
{
// save recursively
$this->_save_related_recursive($object, $related_field);
$trans_complete_label[] = 'relationships';
}
if(!empty($trans_complete_label))
{
$trans_complete_label = 'save (' . implode(', ', $trans_complete_label) . ')';
}
else
{
$trans_complete_label = '-nothing done-';
}
$this->_auto_trans_complete($trans_complete_label);
}
$this->_force_save_as_new = FALSE;
// If no failure was recorded, return TRUE
return ( ! empty($result) && ! in_array(FALSE, $result));
}
// --------------------------------------------------------------------
/**
* Recursively saves arrays of objects if they are In-Table Foreign Keys.
* @ignore
* @param object $objects Objects to save. This array may be modified.
* @param object $related_field Related Field name (empty is OK)
*/
protected function _save_itfk( &$objects, $related_field)
{
foreach($objects as $index => $o)
{
if(is_int($index))
{
$rf = $related_field;
}
else
{
$rf = $index;
}
if(is_array($o))
{
$this->_save_itfk($o, $rf);
if(empty($o))
{
unset($objects[$index]);
}
}
else
{
if(empty($rf)) {
$rf = $o->model;
}
$related_properties = $this->_get_related_properties($rf);
$other_column = $related_properties['join_other_as'] . '_id';
if(isset($this->has_one[$rf]) && in_array($other_column, $this->fields))
{
// unset, so that it doesn't get re-saved later.
unset($objects[$index]);
if($this->{$other_column} != $o->id)
{
// ITFK: store on the table
$this->{$other_column} = $o->id;
// Remove reverse relationships for one-to-ones
$this->_remove_other_one_to_one($rf, $o);
}
}
}
}
}
// --------------------------------------------------------------------
/**
* Recursively saves arrays of objects.
*
* @ignore
* @param object $object Array of objects to save, or single object
* @param object $related_field Default related field name (empty is OK)
* @return bool TRUE or FALSE if an error occurred.
*/
protected function _save_related_recursive($object, $related_field)
{
if(is_array($object))
{
$success = TRUE;
foreach($object as $rk => $o)
{
if(is_int($rk))
{
$rk = $related_field;
}
$rec_success = $this->_save_related_recursive($o, $rk);
$success = $success && $rec_success;
}
return $success;
}
else
{
return $this->_save_relation($object, $related_field);
}
}
// --------------------------------------------------------------------
/**
* _Save
*
* Used by __call to process related saves.
*
* @ignore
* @param mixed $related_field
* @param array $arguments
* @return bool
*/
private function _save($related_field, $arguments)
{
return $this->save($arguments[0], $related_field);
}
// --------------------------------------------------------------------
/**
* Update
*
* Allows updating of more than one row at once.
*
* @param object $field A field to update, or an array of fields => values
* @param object $value The new value
* @param object $escape_values If false, don't escape the values
* @return bool TRUE or FALSE on success or failure
*/
public function update($field, $value = NULL, $escape_values = TRUE)
{
if( ! is_array($field))
{
$field = array($field => $value);
}
else if($value === FALSE)
{
$escape_values = FALSE;
}
if(empty($field))
{
show_error("Nothing was provided to update.");
}
// Check if object has an 'updated' field
if (in_array($this->updated_field, $this->fields))
{
$timestamp = $this->_get_generated_timestamp();
if( ! $escape_values)
{
$timestamp = $this->db->escape($timestamp);
}
// Update updated datetime
$field[$this->updated_field] = $timestamp;
}
foreach($field as $k => $v)
{
if( ! $escape_values)
{
// attempt to add the table name
$v = $this->add_table_name($v);
}
$this->db->set($k, $v, $escape_values);
}
return $this->db->update($this->table);
}
// --------------------------------------------------------------------
/**
* Update All
*
* Updates all items that are in the all array.
*
* @param object $field A field to update, or an array of fields => values
* @param object $value The new value
* @param object $escape_values If false, don't escape the values
* @return bool TRUE or FALSE on success or failure
*/
public function update_all($field, $value = NULL, $escape_values = TRUE)
{
$ids = array();
foreach($this->all as $object)
{
$ids[] = $object->id;
}
if(empty($ids))
{
return FALSE;
}
$this->where_in('id', $ids);
return $this->update($field, $value, $escape_values);
}
// --------------------------------------------------------------------
/**
* Gets a timestamp to use when saving.
* @return mixed
*/
private function _get_generated_timestamp()
{
// Get current timestamp
$timestamp = ($this->local_time) ? date($this->timestamp_format) : gmdate($this->timestamp_format);
// Check if unix timestamp
return ($this->unix_timestamp) ? strtotime($timestamp) : $timestamp;
}
// --------------------------------------------------------------------
/**
* Delete
*
* Deletes the current record.
* If object is supplied, deletes relations between this object and the supplied object(s).
*
* @param mixed $object If specified, delete the relationship to the object or array of objects.
* @param string $related_field Can be used to specify which relationship to delete.
* @return bool Success or Failure of the delete.
*/
public function delete($object = '', $related_field = '')
{
if (empty($object) && ! is_array($object))
{
if ( ! empty($this->id))
{
// Begin auto transaction
$this->_auto_trans_begin();
// Delete all "has many" and "has one" relations for this object first
foreach (array('has_many', 'has_one') as $type)
{
foreach ($this->{$type} as $model => $properties)
{
// do we want cascading delete's?
if ($properties['cascade_delete'])
{
// Prepare model
$class = $properties['class'];
$object = new $class();
$this_model = $properties['join_self_as'];
$other_model = $properties['join_other_as'];
// Determine relationship table name
$relationship_table = $this->_get_relationship_table($object, $model);
// We have to just set NULL for in-table foreign keys that
// are pointing at this object
if($relationship_table == $object->table && // ITFK
// NOT ITFKs that point at the other object
! ($object->table == $this->table && // self-referencing has_one join
in_array($other_model . '_id', $this->fields)) // where the ITFK is for the other object
)
{
$data = array($this_model . '_id' => NULL);
// Update table to remove relationships
$this->db->where($this_model . '_id', $this->id);
$this->db->update($object->table, $data);
}
else if ($relationship_table != $this->table)
{
$data = array($this_model . '_id' => $this->id);
// Delete relation
$this->db->delete($relationship_table, $data);
}
// Else, no reason to delete the relationships on this table
}
}
}
// Delete the object itself
$this->db->where('id', $this->id);
$this->db->delete($this->table);
// Complete auto transaction
$this->_auto_trans_complete('delete');
// Clear this object
$this->clear();
return TRUE;
}
}
else if (is_array($object))
{
// Begin auto transaction
$this->_auto_trans_begin();
// Temporarily store the success/failure
$result = array();
foreach ($object as $rel_field => $obj)
{
if (is_int($rel_field))
{
$rel_field = $related_field;
}
if (is_array($obj))
{
foreach ($obj as $r_f => $o)
{
if (is_int($r_f))
{
$r_f = $rel_field;
}
$result[] = $this->_delete_relation($o, $r_f);
}
}
else
{
$result[] = $this->_delete_relation($obj, $rel_field);
}
}
// Complete auto transaction
$this->_auto_trans_complete('delete (relationship)');
// If no failure was recorded, return TRUE
if ( ! in_array(FALSE, $result))
{
return TRUE;
}
}
else
{
// Begin auto transaction
$this->_auto_trans_begin();
// Temporarily store the success/failure
$result = $this->_delete_relation($object, $related_field);
// Complete auto transaction
$this->_auto_trans_complete('delete (relationship)');
return $result;
}
return FALSE;
}
// --------------------------------------------------------------------
/**
* _Delete
*
* Used by __call to process related deletes.
*
* @ignore
* @param string $related_field
* @param array $arguments
* @return bool
*/
private function _delete($related_field, $arguments)
{
return $this->delete($arguments[0], $related_field);
}
// --------------------------------------------------------------------
/**
* Delete All
*
* Deletes all records in this objects all list.
*
* @return bool Success or Failure of the delete
*/
public function delete_all()
{
$success = TRUE;
foreach($this as $item)
{
if ( ! empty($item->id))
{
$success_temp = $item->delete();
$success = $success && $success_temp;
}
}
$this->clear();
return $success;
}
// --------------------------------------------------------------------
/**
* Truncate
*
* Deletes all records in this objects table.
*
* @return bool Success or Failure of the truncate
*/
public function truncate()
{
// Begin auto transaction
$this->_auto_trans_begin();
// Delete all "has many" and "has one" relations for this object first
foreach (array('has_many', 'has_one') as $type)
{
foreach ($this->{$type} as $model => $properties)
{
// do we want cascading delete's?
if ($properties['cascade_delete'])
{
// Prepare model
$class = $properties['class'];
$object = new $class();
$this_model = $properties['join_self_as'];
$other_model = $properties['join_other_as'];
// Determine relationship table name
$relationship_table = $this->_get_relationship_table($object, $model);
// We have to just set NULL for in-table foreign keys that
// are pointing at this object
if($relationship_table == $object->table && // ITFK
// NOT ITFKs that point at the other object
! ($object->table == $this->table && // self-referencing has_one join
in_array($other_model . '_id', $this->fields)) // where the ITFK is for the other object
)
{
$data = array($this_model . '_id' => NULL);
// Update table to remove all ITFK relations
$this->db->update($object->table, $data);
}
else if ($relationship_table != $this->table)
{
// Delete all relationship records
$this->db->truncate($relationship_table);
}
// Else, no reason to delete the relationships on this table
}
}
}
// Delete all records
$this->db->truncate($this->table);
// Complete auto transaction
$this->_auto_trans_complete('truncate');
// Clear this object
$this->clear();
return TRUE;
}
// --------------------------------------------------------------------
/**
* Refresh All
*
* Removes any empty objects in this objects all list.
* Only needs to be used if you are looping through the all list
* a second time and you have deleted a record the first time through.
*
* @return bool FALSE if the $all array was already empty.
*/
public function refresh_all()
{
if ( ! empty($this->all))
{
$all = array();
foreach ($this->all as $item)
{
if ( ! empty($item->id))
{
$all[] = $item;
}
}
$this->all = $all;
return TRUE;
}
return FALSE;
}
// --------------------------------------------------------------------
/**
* Validate
*
* Validates the value of each property against the assigned validation rules.
*
* @param mixed $object Objects included with the validation [from save()].
* @param string $related_field See save.
* @return DataMapper Returns $this for method chanining.
*/
public function validate($object = '', $related_field = '')
{
// Return if validation has already been run
if ($this->_validated)
{
// For method chaining
return $this;
}
// Set validated as having been run
$this->_validated = TRUE;
// Clear errors
$this->error = new DM_Error_Object();
// Loop through each property to be validated
foreach ($this->validation as $field => $validation)
{
if(empty($validation['rules']))
{
continue;
}
// Get validation settings
$rules = $validation['rules'];
// Will validate differently if this is for a related item
$related = (isset($this->has_many[$field]) || isset($this->has_one[$field]));
// Check if property has changed since validate last ran
if ($related || $this->_force_validation || ! isset($this->stored->{$field}) || $this->{$field} !== $this->stored->{$field})
{
// Only validate if field is related or required or has a value
if ( ! $related && ! in_array('required', $rules) && ! in_array('always_validate', $rules))
{
if ( ! isset($this->{$field}) || $this->{$field} === '')
{
continue;
}
}
$label = ( ! empty($validation['label'])) ? $validation['label'] : $field;
// Loop through each rule to validate this property against
foreach ($rules as $rule => $param)
{
// Check for parameter
if (is_numeric($rule))
{
$rule = $param;
$param = '';
}
// Clear result
$result = '';
// Clear message
$line = FALSE;
// Check rule exists
if ($related)
{
// Prepare rule to use different language file lines
$rule = 'related_' . $rule;
$arg = $object;
if( ! empty($related_field)) {
$arg = array($related_field => $object);
}
if (method_exists($this, '_' . $rule))
{
// Run related rule from DataMapper or the class extending DataMapper
$line = $result = $this->{'_' . $rule}($arg, $field, $param);
}
else if($this->_extension_method_exists('rule_' . $rule))
{
$line = $result = $this->{'rule_' . $rule}($arg, $field, $param);
}
}
else if (method_exists($this, '_' . $rule))
{
// Run rule from DataMapper or the class extending DataMapper
$line = $result = $this->{'_' . $rule}($field, $param);
}
else if($this->_extension_method_exists('rule_' . $rule))
{
// Run an extension-based rule.
$line = $result = $this->{'rule_' . $rule}($field, $param);
}
else if (method_exists($this->form_validation, $rule))
{
// Run rule from CI Form Validation
$result = $this->form_validation->{$rule}($this->{$field}, $param);
}
else if (function_exists($rule))
{
// Run rule from PHP
$this->{$field} = $rule($this->{$field});
}
// Add an error message if the rule returned FALSE
if (is_string($line) || $result === FALSE)
{
if(!is_string($line))
{
if (FALSE === ($line = $this->lang->line($rule)))
{
// Get corresponding error from language file
$line = 'Unable to access an error message corresponding to your rule name: '.$rule.'.';
}
}
// Check if param is an array
if (is_array($param))
{
// Convert into a string so it can be used in the error message
$param = implode(', ', $param);
// Replace last ", " with " or "
if (FALSE !== ($pos = strrpos($param, ', ')))
{
$param = substr_replace($param, ' or ', $pos, 2);
}
}
// Check if param is a validation field
if (isset($this->validation[$param]))
{
// Change it to the label value
$param = $this->validation[$param]['label'];
}
// Add error message
$this->error_message($field, sprintf($line, $label, $param));
// Escape to prevent further error checks
break;
}
}
}
}
// Set whether validation passed
$this->valid = empty($this->error->all);
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Skips validation for the next call to save.
* Note that this also prevents the validation routine from running until the next get.
*
* @param object $skip If FALSE, re-enables validation.
* @return DataMapper Returns self for method chaining.
*/
public function skip_validation($skip = TRUE)
{
$this->_validated = $skip;
$this->valid = $skip;
return $this;
}
// --------------------------------------------------------------------
/**
* Force revalidation for the next call to save.
* This allows you to run validation rules on fields that haven't been modified
*
* @param object $force If TRUE, forces validation on all fields.
* @return DataMapper Returns self for method chaining.
*/
public function force_validation($force = TRUE)
{
$this->_force_validation = $force;
return $this;
}
// --------------------------------------------------------------------
/**
* Clear
*
* Clears the current object.
*/
public function clear()
{
// Clear the all list
$this->all = array();
// Clear errors
$this->error = new DM_Error_Object();
// Clear this objects properties and set blank error messages in case they are accessed
foreach ($this->fields as $field)
{
$this->{$field} = NULL;
}
// Clear this objects "has many" related objects
foreach ($this->has_many as $related => $properties)
{
unset($this->{$related});
}
// Clear this objects "has one" related objects
foreach ($this->has_one as $related => $properties)
{
unset($this->{$related});
}
// Clear the query related list
$this->_query_related = array();
// Clear and refresh stored values
$this->stored = new stdClass();
// Clear the saved iterator
unset($this->_dm_dataset_iterator);
$this->_refresh_stored_values();
}
// --------------------------------------------------------------------
/**
* Clears the db object after processing a query, or returning the
* SQL for a query.
*
* @ignore
*/
protected function _clear_after_query()
{
// clear the query as if it was run
$this->db->dm_call_method('_reset_select');
// in case some include_related instantiations were set up, clear them
$this->_instantiations = NULL;
// Clear the query related list (Thanks to TheJim)
$this->_query_related = array();
// Clear the saved iterator
unset($this->_dm_dataset_iterator);
}
// --------------------------------------------------------------------
/**
* Count
*
* Returns the total count of the object records from the database.
* If on a related object, returns the total count of related objects records.
*
* @param array $exclude_ids A list of ids to exlcude from the count
* @return int Number of rows in query.
*/
public function count($exclude_ids = NULL, $column = NULL, $related_id = NULL)
{
// Check if related object
if ( ! empty($this->parent))
{
// Prepare model
$related_field = $this->parent['model'];
$related_properties = $this->_get_related_properties($related_field);
$class = $related_properties['class'];
$other_model = $related_properties['join_other_as'];
$this_model = $related_properties['join_self_as'];
$object = new $class();
// Determine relationship table name
$relationship_table = $this->_get_relationship_table($object, $related_field);
// To ensure result integrity, group all previous queries
if( ! empty($this->db->ar_where))
{
// if the relationship table is different from our table, include our table in the count query
if ($relationship_table != $this->table)
{
$this->db->join($this->table, $this->table . '.id = ' . $relationship_table . '.' . $this_model.'_id', 'LEFT OUTER');
}
array_unshift($this->db->ar_where, '( ');
$this->db->ar_where[] = ' )';
}
// We have to query special for in-table foreign keys that
// are pointing at this object
if($relationship_table == $object->table && // ITFK
// NOT ITFKs that point at the other object
! ($object->table == $this->table && // self-referencing has_one join
in_array($other_model . '_id', $this->fields)) // where the ITFK is for the other object
)
{
// ITFK on the other object's table
$this->db->where('id', $this->parent['id'])->where($this_model . '_id IS NOT NULL');
}
else
{
// All other cases
$this->db->where($relationship_table . '.' . $other_model . '_id', $this->parent['id']);
}
if(!empty($exclude_ids))
{
$this->db->where_not_in($relationship_table . '.' . $this_model . '_id', $exclude_ids);
}
if($column == 'id')
{
$column = $relationship_table . '.' . $this_model . '_id';
}
if(!empty($related_id))
{
$this->db->where($this_model . '_id', $related_id);
}
$this->db->from($relationship_table);
}
else
{
$this->db->from($this->table);
if(!empty($exclude_ids))
{
$this->db->where_not_in('id', $exclude_ids);
}
if(!empty($related_id))
{
$this->db->where('id', $related_id);
}
$column = $this->add_table_name($column);
}
// Manually overridden to allow for COUNT(DISTINCT COLUMN)
$select = $this->db->_count_string;
if(!empty($column))
{
// COUNT DISTINCT
$select = 'SELECT COUNT(DISTINCT ' . $this->db->dm_call_method('_protect_identifiers', $column) . ') AS ';
}
$sql = $this->db->dm_call_method('_compile_select', $select . $this->db->dm_call_method('_protect_identifiers', 'numrows'));
$query = $this->db->query($sql);
$this->db->dm_call_method('_reset_select');
if ($query->num_rows() == 0)
{
return 0;
}
$row = $query->row();
return intval($row->numrows);
}
// --------------------------------------------------------------------
/**
* Count Distinct
*
* Returns the total count of distinct object records from the database.
* If on a related object, returns the total count of related objects records.
*
* @param array $exclude_ids A list of ids to exlcude from the count
* @param string $column If provided, use this column for the DISTINCT instead of 'id'
* @return int Number of rows in query.
*/
public function count_distinct($exclude_ids = NULL, $column = 'id')
{
return $this->count($exclude_ids, $column);
}
// --------------------------------------------------------------------
/**
* Convenience method to return the number of items from
* the last call to get.
*
* @return int
*/
public function result_count() {
if(isset($this->_dm_dataset_iterator)) {
return $this->_dm_dataset_iterator->result_count();
} else {
return count($this->all);
}
}
// --------------------------------------------------------------------
/**
* Exists
*
* Returns TRUE if the current object has a database record.
*
* @return bool
*/
public function exists()
{
// returns TRUE if the id of this object is set and not empty, OR
// there are items in the ALL array.
return isset($this->id) ? !empty($this->id) : ($this->result_count() > 0);
}
// --------------------------------------------------------------------
/**
* Query
*
* Runs the specified query and populates the current object with the results.
*
* Warning: Use at your own risk. This will only be as reliable as your query.
*
* @param string $sql The query to process
* @param array|bool $binds Array of values to bind (see CodeIgniter)
* @return DataMapper Returns self for method chaining.
*/
public function query($sql, $binds = FALSE)
{
// Get by objects properties
$query = $this->db->query($sql, $binds);
$this->_process_query($query);
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Check Last Query
* Renders the last DB query performed.
*
* @param array $delims Delimiters for the SQL string.
* @param bool $return_as_string If TRUE, don't output automatically.
* @return string Last db query formatted as a string.
*/
public function check_last_query($delims = array('<pre>', '</pre>'), $return_as_string = FALSE) {
$q = wordwrap($this->db->last_query(), 100, "\n\t");
if(!empty($delims)) {
$q = implode($q, $delims);
}
if($return_as_string === FALSE) {
echo $q;
}
return $q;
}
// --------------------------------------------------------------------
/**
* Error Message
*
* Adds an error message to this objects error object.
*
* @param string $field Field to set the error on.
* @param string $error Error message.
*/
public function error_message($field, $error)
{
if ( ! empty($field) && ! empty($error))
{
// Set field specific error
$this->error->{$field} = $this->error_prefix . $error . $this->error_suffix;
// Add field error to errors all list
$this->error->all[$field] = $this->error->{$field};
// Append field error to error message string
$this->error->string .= $this->error->{$field};
}
}
// --------------------------------------------------------------------
/**
* Get Clone
*
* Returns a clone of the current object.
*
* @return DataMapper Cloned copy of this object.
*/
public function get_clone($force_db = FALSE)
{
$temp = clone($this);
// This must be left in place, even with the __clone method,
// or else the DB will not be copied over correctly.
if($force_db ||
(($this->db_params !== FALSE) && isset($this->db)) )
{
// create a copy of $this->db
$temp->db = clone($this->db);
}
return $temp;
}
// --------------------------------------------------------------------
/**
* Get Copy
*
* Returns an unsaved copy of the current object.
*
* @return DataMapper Cloned copy of this object with an empty ID for saving as new.
*/
public function get_copy($force_db = FALSE)
{
$copy = $this->get_clone($force_db);
$copy->id = NULL;
return $copy;
}
// --------------------------------------------------------------------
/**
* Get By
*
* Gets objects by specified field name and value.
*
* @ignore
* @param string $field Field to look at.
* @param array $value Arguments to this method.
* @return DataMapper Returns self for method chaining.
*/
private function _get_by($field, $value = array())
{
if (isset($value[0]))
{
$this->where($field, $value[0]);
}
return $this->get();
}
// --------------------------------------------------------------------
/**
* Get By Related
*
* Gets objects by specified related object and optionally by field name and value.
*
* @ignore
* @param mixed $model Related Model or Object
* @param array $arguments Arguments to the where method
* @return DataMapper Returns self for method chaining.
*/
private function _get_by_related($model, $arguments = array())
{
if ( ! empty($model))
{
// Add model to start of arguments
$arguments = array_merge(array($model), $arguments);
}
$this->_related('where', $arguments);
return $this->get();
}
// --------------------------------------------------------------------
/**
* Handles the adding the related part of a query if $parent is set
*
* @ignore
* @return bool Success or failure
*/
protected function _handle_related()
{
if ( ! empty($this->parent))
{
$has_many = array_key_exists($this->parent['model'], $this->has_many);
$has_one = array_key_exists($this->parent['model'], $this->has_one);
// If this is a "has many" or "has one" related item
if ($has_many || $has_one)
{
if( ! $this->_get_relation($this->parent['model'], $this->parent['id']))
{
return FALSE;
}
}
else
{
// provide feedback on errors
$this_model = get_class($this);
show_error("DataMapper Error: '".$this->parent['model']."' is not a valid parent relationship for $this_model. Are your relationships configured correctly?");
}
}
return TRUE;
}
// --------------------------------------------------------------------
/* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
* *
* Active Record methods *
* *
* The following are methods used to provide Active Record *
* functionality for data retrieval. *
* *
* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * */
// --------------------------------------------------------------------
/**
* Add Table Name
*
* Adds the table name to a field if necessary
*
* @param string $field Field to add the table name to.
* @return string Possibly modified field name.
*/
public function add_table_name($field)
{
// only add table if the field doesn't contain a dot (.) or open parentheses
if (preg_match('/[\.\(]/', $field) == 0)
{
// split string into parts, add field
$field_parts = explode(',', $field);
$field = '';
foreach ($field_parts as $part)
{
if ( ! empty($field))
{
$field .= ', ';
}
$part = ltrim($part);
// handle comparison operators on where
$subparts = explode(' ', $part, 2);
if ($subparts[0] == '*' || in_array($subparts[0], $this->fields))
{
$field .= $this->table . '.' . $part;
}
else
{
$field .= $part;
}
}
}
return $field;
}
// --------------------------------------------------------------------
/**
* Creates a SQL-function with the given (optional) arguments.
*
* Each argument can be one of several forms:
* 1) An un escaped string value, which will be automatically escaped: "hello"
* 2) An escaped value or non-string, which is copied directly: "'hello'" 123, etc
* 3) An operator, *, or a non-escaped string is copied directly: "[non-escaped]" ">", etc
* 4) A field on this model: "@property" (Also, "@<whatever>" will be copied directly
* 5) A field on a related or deeply related model: "@model/property" "@model/other_model/property"
* 6) An array, which is processed recursively as a forumla.
*
* @param string $function_name Function name.
* @param mixed $args,... (Optional) Any commands that need to be passed to the function.
* @return string The new SQL function string.
*/
public function func($function_name)
{
$ret = $function_name . '(';
$args = func_get_args();
// pop the function name
array_shift($args);
$comma = '';
foreach($args as $arg)
{
$ret .= $comma . $this->_process_function_arg($arg);
if(empty($comma))
{
$comma = ', ';
}
}
$ret .= ')';
return $ret;
}
// private method to convert function arguments into SQL
private function _process_function_arg($arg, $is_formula = FALSE)
{
$ret = '';
if(is_array($arg)) {
// formula
foreach($arg as $func => $formula_arg) {
if(!empty($ret)) {
$ret .= ' ';
}
if(is_numeric($func)) {
// process non-functions
$ret .= $this->_process_function_arg($formula_arg, TRUE);
} else {
// recursively process functions within functions
$func_args = array_merge(array($func), (array)$formula_arg);
$ret .= call_user_func_array(array($this, 'func'), $func_args);
}
}
return $ret;
}
$operators = array(
'AND', 'OR', 'NOT', // binary logic
'<', '>', '<=', '>=', '=', '<>', '!=', // comparators
'+', '-', '*', '/', '%', '^', // basic maths
'|/', '||/', '!', '!!', '@', '&', '|', '#', '~', // advanced maths
'<<', '>>'); // binary operators
if(is_string($arg))
{
if( ($is_formula && in_array($arg, $operators)) ||
$arg == '*' ||
($arg[0] == "'" && $arg[strlen($arg)-1] == "'") ||
($arg[0] == "[" && $arg[strlen($arg)-1] == "]") )
{
// simply add already-escaped strings, the special * value, or operators in formulas
if($arg[0] == "[" && $arg[strlen($arg)-1] == "]") {
// Arguments surrounded by square brackets are added directly, minus the brackets
$arg = substr($arg, 1, -1);
}
$ret .= $arg;
}
else if($arg[0] == '@')
{
// model or sub-model property
$arg = substr($arg, 1);
if(strpos($arg, '/') !== FALSE)
{
// related property
if(strpos($arg, 'parent/') === 0)
{
// special parent property for subqueries
$ret .= str_replace('parent/', '${parent}.', $arg);
}
else
{
$rel_elements = explode('/', $arg);
$property = array_pop($rel_elements);
$table = $this->_add_related_table(implode('/', $rel_elements));
$ret .= $this->db->protect_identifiers($table . '.' . $property);
}
}
else
{
$ret .= $this->db->protect_identifiers($this->add_table_name($arg));
}
}
else
{
$ret .= $this->db->escape($arg);
}
}
else
{
$ret .= $arg;
}
return $ret;
}
// --------------------------------------------------------------------
/**
* Used by the magic method for select_func, {where}_func, etc
*
* @ignore
* @param object $query Name of query function
* @param array $args Arguments for func()
* @return DataMapper Returns self for method chaining.
*/
private function _func($query, $args)
{
if(count($args) < 2)
{
throw new Exception("Invalid number of arguments to {$query}_func: must be at least 2 arguments.");
}
if($query == 'select')
{
$alias = array_pop($args);
$value = call_user_func_array(array($this, 'func'), $args);
$value .= " AS $alias";
// we can't use the normal select method, because CI likes to breaky
$this->_add_to_select_directly($value);
return $this;
}
else
{
$param = array_pop($args);
$value = call_user_func_array(array($this, 'func'), $args);
return $this->{$query}($value, $param);
}
}
// --------------------------------------------------------------------
/**
* Used by the magic method for {where}_field_func, etc.
*
* @ignore
* @param string $query Name of query function
* @param array $args Arguments for func()
* @return DataMapper Returns self for method chaining.
*/
private function _field_func($query, $args)
{
if(count($args) < 2)
{
throw new Exception("Invalid number of arguments to {$query}_field_func: must be at least 2 arguments.");
}
$field = array_shift($args);
$func = call_user_func_array(array($this, 'func'), $args);
return $this->_process_special_query_clause($query, $field, $func);
}
// --------------------------------------------------------------------
/**
* Used by the magic method for select_subquery {where}_subquery, etc
*
* @ignore
* @param string $query Name of query function
* @param array $args Arguments for subquery
* @return DataMapper Returns self for method chaining.
*/
private function _subquery($query, $args)
{
if(count($args) < 1)
{
throw new Exception("Invalid arguments on {$query}_subquery: must be at least one argument.");
}
if($query == 'select')
{
if(count($args) < 2)
{
throw new Exception('Invalid number of arguments to select_subquery: must be exactly 2 arguments.');
}
$sql = $this->_parse_subquery_object($args[0]);
$alias = $args[1];
// we can't use the normal select method, because CI likes to breaky
$this->_add_to_select_directly("$sql AS $alias");
return $this;
}
else
{
$object = $field = $value = NULL;
if(is_object($args[0]) ||
(is_string($args[0]) && !isset($args[1])) )
{
$field = $this->_parse_subquery_object($args[0]);
if(isset($args[1])) {
$value = $this->db->protect_identifiers($this->add_table_name($args[1]));
}
}
else
{
$field = $this->add_table_name($args[0]);
$value = $args[1];
if(is_object($value))
{
$value = $this->_parse_subquery_object($value);
}
}
$extra = NULL;
if(isset($args[2])) {
$extra = $args[2];
}
return $this->_process_special_query_clause($query, $field, $value, $extra);
}
}
// --------------------------------------------------------------------
/**
* Parses and protects a subquery.
* Automatically replaces the special ${parent} argument with a reference to
* this table.
*
* Also replaces all table references that would overlap with this object.
*
* @ignore
* @param object $sql SQL string to process
* @return string Processed SQL string.
*/
protected function _parse_subquery_object($sql)
{
if(is_object($sql))
{
$sql = '(' . $sql->get_sql() . ')';
}
// Table Name pattern should be
$tablename = $this->db->dm_call_method('_escape_identifiers', $this->table);
$table_pattern = '(?:' . preg_quote($this->table) . '|' . preg_quote($tablename) . '|\(' . preg_quote($tablename) . '\))';
$fieldname = $this->db->dm_call_method('_escape_identifiers', '__field__');
$field_pattern = '([-\w]+|' . str_replace('__field__', '[-\w]+', preg_quote($fieldname)) . ')';
// replace all table.field references
// pattern ends up being [^_](table|`table`).(field|`field`)
// the NOT _ at the beginning is to prevent replacing of advanced relationship table references.
$pattern = '/([^_])' . $table_pattern . '\.' . $field_pattern . '/i';
// replacement ends up being `table_subquery`.`$1`
$replacement = '$1' . $this->db->dm_call_method('_escape_identifiers', $this->table . '_subquery') . '.$2';
$sql = preg_replace($pattern, $replacement, $sql);
// now replace all "table table" aliases
// important: the space at the end is required
$pattern = "/$table_pattern $table_pattern /i";
$replacement = $tablename . ' ' . $this->db->dm_call_method('_escape_identifiers', $this->table . '_subquery') . ' ';
$sql = preg_replace($pattern, $replacement, $sql);
// now replace "FROM table" for self relationships
$pattern = "/FROM $table_pattern([,\\s])/i";
$replacement = "FROM $tablename " . $this->db->dm_call_method('_escape_identifiers', $this->table . '_subquery') . '$1';
$sql = preg_replace($pattern, $replacement, $sql);
$sql = str_replace("\n", "\n\t", $sql);
return str_replace('${parent}', $this->table, $sql);
}
// --------------------------------------------------------------------
/**
* Manually adds an item to the SELECT column, to prevent it from
* being broken by AR->select
*
* @ignore
* @param string $value New SELECT value
*/
protected function _add_to_select_directly($value)
{
// copied from system/database/DB_activerecord.php
$this->db->ar_select[] = $value;
if ($this->db->ar_caching === TRUE)
{
$this->db->ar_cache_select[] = $value;
$this->db->ar_cache_exists[] = 'select';
}
}
// --------------------------------------------------------------------
/**
* Handles specialized where clauses, like subqueries and functions
*
* @ignore
* @param string $query Query function
* @param string $field Field for Query function
* @param mixed $value Value for Query function
* @param mixed $extra If included, overrides the default assumption of FALSE for the third parameter to $query
* @return DataMapper Returns self for method chaining.
*/
private function _process_special_query_clause($query, $field, $value, $extra = NULL) {
if(strpos($query, 'where_in') !== FALSE) {
$query = str_replace('_in', '', $query);
$field .= ' IN ';
} else if(strpos($query, 'where_not_in') !== FALSE) {
$query = str_replace('_not_in', '', $query);
$field .= ' NOT IN ';
}
if(is_null($extra)) {
$extra = FALSE;
}
return $this->{$query}($field, $value, $extra);
}
// --------------------------------------------------------------------
/**
* Select
*
* Sets the SELECT portion of the query.
*
* @param mixed $select Field(s) to select, array or comma separated string
* @param bool $escape If FALSE, don't escape this field (Probably won't work)
* @return DataMapper Returns self for method chaining.
*/
public function select($select = '*', $escape = NULL)
{
if ($escape !== FALSE) {
if (!is_array($select)) {
$select = $this->add_table_name($select);
} else {
$updated = array();
foreach ($select as $sel) {
$updated = $this->add_table_name($sel);
}
$select = $updated;
}
}
$this->db->select($select, $escape);
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Select Max
*
* Sets the SELECT MAX(field) portion of a query.
*
* @param string $select Field to look at.
* @param string $alias Alias of the MAX value.
* @return DataMapper Returns self for method chaining.
*/
public function select_max($select = '', $alias = '')
{
// Check if this is a related object
if ( ! empty($this->parent))
{
$alias = ($alias != '') ? $alias : $select;
}
$this->db->select_max($this->add_table_name($select), $alias);
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Select Min
*
* Sets the SELECT MIN(field) portion of a query.
*
* @param string $select Field to look at.
* @param string $alias Alias of the MIN value.
* @return DataMapper Returns self for method chaining.
*/
public function select_min($select = '', $alias = '')
{
// Check if this is a related object
if ( ! empty($this->parent))
{
$alias = ($alias != '') ? $alias : $select;
}
$this->db->select_min($this->add_table_name($select), $alias);
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Select Avg
*
* Sets the SELECT AVG(field) portion of a query.
*
* @param string $select Field to look at.
* @param string $alias Alias of the AVG value.
* @return DataMapper Returns self for method chaining.
*/
public function select_avg($select = '', $alias = '')
{
// Check if this is a related object
if ( ! empty($this->parent))
{
$alias = ($alias != '') ? $alias : $select;
}
$this->db->select_avg($this->add_table_name($select), $alias);
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Select Sum
*
* Sets the SELECT SUM(field) portion of a query.
*
* @param string $select Field to look at.
* @param string $alias Alias of the SUM value.
* @return DataMapper Returns self for method chaining.
*/
public function select_sum($select = '', $alias = '')
{
// Check if this is a related object
if ( ! empty($this->parent))
{
$alias = ($alias != '') ? $alias : $select;
}
$this->db->select_sum($this->add_table_name($select), $alias);
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Distinct
*
* Sets the flag to add DISTINCT to the query.
*
* @param bool $value Set to FALSE to turn back off DISTINCT
* @return DataMapper Returns self for method chaining.
*/
public function distinct($value = TRUE)
{
$this->db->distinct($value);
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Get Where
*
* Get items matching the where clause.
*
* @param mixed $where See where()
* @param integer|NULL $limit Limit the number of results.
* @param integer|NULL $offset Offset the results when limiting.
* @return DataMapper Returns self for method chaining.
*/
public function get_where($where = array(), $limit = NULL, $offset = NULL)
{
$this->where($where);
return $this->get($limit, $offset);
}
// --------------------------------------------------------------------
/**
* Starts a query group.
*
* @param string $not (Internal use only)
* @param string $type (Internal use only)
* @return DataMapper Returns self for method chaining.
*/
public function group_start($not = '', $type = 'AND ')
{
// Increment group count number to make them unique
$this->_group_count++;
// in case groups are being nested
$type = $this->_get_prepend_type($type);
$this->_where_group_started = TRUE;
$prefix = (count($this->db->ar_where) == 0 AND count($this->db->ar_cache_where) == 0) ? '' : $type;
$value = $prefix . $not . str_repeat(' ', $this->_group_count) . ' (';
$this->db->ar_where[] = $value;
if($this->db->ar_caching) $this->db->ar_cache_where[] = $value;
return $this;
}
// --------------------------------------------------------------------
/**
* Starts a query group, but ORs the group
* @return DataMapper Returns self for method chaining.
*/
public function or_group_start()
{
return $this->group_start('', 'OR ');
}
// --------------------------------------------------------------------
/**
* Starts a query group, but NOTs the group
* @return DataMapper Returns self for method chaining.
*/
public function not_group_start()
{
return $this->group_start('NOT ', 'OR ');
}
// --------------------------------------------------------------------
/**
* Starts a query group, but OR NOTs the group
* @return DataMapper Returns self for method chaining.
*/
public function or_not_group_start()
{
return $this->group_start('NOT ', 'OR ');
}
// --------------------------------------------------------------------
/**
* Ends a query group.
* @return DataMapper Returns self for method chaining.
*/
public function group_end()
{
$value = str_repeat(' ', $this->_group_count) . ')';
$this->db->ar_where[] = $value;
if($this->db->ar_caching) $this->db->ar_cache_where[] = $value;
$this->_where_group_started = FALSE;
return $this;
}
// --------------------------------------------------------------------
/**
* protected function to convert the AND or OR prefix to '' when starting
* a group.
*
* @ignore
* @param object $type Current type value
* @return New type value
*/
protected function _get_prepend_type($type)
{
if($this->_where_group_started)
{
$type = '';
$this->_where_group_started = FALSE;
}
return $type;
}
// --------------------------------------------------------------------
/**
* Where
*
* Sets the WHERE portion of the query.
* Separates multiple calls with AND.
*
* Called by get_where()
*
* @param mixed $key A field or array of fields to check.
* @param mixed $value For a single field, the value to compare to.
* @param bool $escape If FALSE, the field is not escaped.
* @return DataMapper Returns self for method chaining.
*/
public function where($key, $value = NULL, $escape = TRUE)
{
return $this->_where($key, $value, 'AND ', $escape);
}
// --------------------------------------------------------------------
/**
* Or Where
*
* Sets the WHERE portion of the query.
* Separates multiple calls with OR.
*
* @param mixed $key A field or array of fields to check.
* @param mixed $value For a single field, the value to compare to.
* @param bool $escape If FALSE, the field is not escaped.
* @return DataMapper Returns self for method chaining.
*/
public function or_where($key, $value = NULL, $escape = TRUE)
{
return $this->_where($key, $value, 'OR ', $escape);
}
// --------------------------------------------------------------------
/**
* Where
*
* Called by where() or or_where().
*
* @ignore
* @param mixed $key A field or array of fields to check.
* @param mixed $value For a single field, the value to compare to.
* @param string $type Type of addition (AND or OR)
* @param bool $escape If FALSE, the field is not escaped.
* @return DataMapper Returns self for method chaining.
*/
protected function _where($key, $value = NULL, $type = 'AND ', $escape = NULL)
{
if ( ! is_array($key))
{
$key = array($key => $value);
}
foreach ($key as $k => $v)
{
$new_k = $this->add_table_name($k);
$this->db->dm_call_method('_where', $new_k, $v, $this->_get_prepend_type($type), $escape);
}
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Where Between
*
* Sets the WHERE field BETWEEN 'value1' AND 'value2' SQL query joined with
* AND if appropriate.
*
* @param string $key A field to check.
* @param mixed $value value to start with
* @param mixed $value value to end with
* @return DataMapper Returns self for method chaining.
*/
public function where_between($key = NULL, $value1 = NULL, $value2 = NULL)
{
return $this->_where_between($key, $value1, $value2);
}
// --------------------------------------------------------------------
/**
* Where Between
*
* Sets the WHERE field BETWEEN 'value1' AND 'value2' SQL query joined with
* AND if appropriate.
*
* @param string $key A field to check.
* @param mixed $value value to start with
* @param mixed $value value to end with
* @return DataMapper Returns self for method chaining.
*/
public function where_not_between($key = NULL, $value1 = NULL, $value2 = NULL)
{
return $this->_where_between($key, $value1, $value2, TRUE);
}
// --------------------------------------------------------------------
/**
* Where Between
*
* Sets the WHERE field BETWEEN 'value1' AND 'value2' SQL query joined with
* AND if appropriate.
*
* @param string $key A field to check.
* @param mixed $value value to start with
* @param mixed $value value to end with
* @return DataMapper Returns self for method chaining.
*/
public function or_where_between($key = NULL, $value1 = NULL, $value2 = NULL)
{
return $this->_where_between($key, $value1, $value2, FALSE, 'OR ');
}
// --------------------------------------------------------------------
/**
* Where Between
*
* Sets the WHERE field BETWEEN 'value1' AND 'value2' SQL query joined with
* AND if appropriate.
*
* @param string $key A field to check.
* @param mixed $value value to start with
* @param mixed $value value to end with
* @return DataMapper Returns self for method chaining.
*/
public function or_where_not_between($key = NULL, $value1 = NULL, $value2 = NULL)
{
return $this->_where_between($key, $value1, $value2, TRUE, 'OR ');
}
// --------------------------------------------------------------------
/**
* Where In
*
* Sets the WHERE field IN ('item', 'item') SQL query joined with
* AND if appropriate.
*
* @param string $key A field to check.
* @param array $values An array of values to compare against
* @return DataMapper Returns self for method chaining.
*/
public function where_in($key = NULL, $values = NULL)
{
return $this->_where_in($key, $values);
}
// --------------------------------------------------------------------
/**
* Or Where In
*
* Sets the WHERE field IN ('item', 'item') SQL query joined with
* OR if appropriate.
*
* @param string $key A field to check.
* @param array $values An array of values to compare against
* @return DataMapper Returns self for method chaining.
*/
public function or_where_in($key = NULL, $values = NULL)
{
return $this->_where_in($key, $values, FALSE, 'OR ');
}
// --------------------------------------------------------------------
/**
* Where Not In
*
* Sets the WHERE field NOT IN ('item', 'item') SQL query joined with
* AND if appropriate.
*
* @param string $key A field to check.
* @param array $values An array of values to compare against
* @return DataMapper Returns self for method chaining.
*/
public function where_not_in($key = NULL, $values = NULL)
{
return $this->_where_in($key, $values, TRUE);
}
// --------------------------------------------------------------------
/**
* Or Where Not In
*
* Sets the WHERE field NOT IN ('item', 'item') SQL query joined wuth
* OR if appropriate.
*
* @param string $key A field to check.
* @param array $values An array of values to compare against
* @return DataMapper Returns self for method chaining.
*/
public function or_where_not_in($key = NULL, $values = NULL)
{
return $this->_where_in($key, $values, TRUE, 'OR ');
}
// --------------------------------------------------------------------
/**
* Where In
*
* Called by where_in(), or_where_in(), where_not_in(), or or_where_not_in().
*
* @ignore
* @param string $key A field to check.
* @param array $values An array of values to compare against
* @param bool $not If TRUE, use NOT IN instead of IN.
* @param string $type The type of connection (AND or OR)
* @return DataMapper Returns self for method chaining.
*/
protected function _where_in($key = NULL, $values = NULL, $not = FALSE, $type = 'AND ')
{
$type = $this->_get_prepend_type($type);
if ($values instanceOf DataMapper)
{
$arr = array();
foreach ($values as $value)
{
$arr[] = $value->id;
}
$values = $arr;
}
$this->db->dm_call_method('_where_in', $this->add_table_name($key), $values, $not, $type);
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Where Between
*
* Called by where_between(), or_where_between(), where_not_between(), or or_where_not_between().
*
* @ignore
* @param string $key A field to check.
* @param mixed $value value to start with
* @param mixed $value value to end with
* @param bool $not If TRUE, use NOT IN instead of IN.
* @param string $type The type of connection (AND or OR)
* @return DataMapper Returns self for method chaining.
*/
protected function _where_between($key = NULL, $value1 = NULL, $value2 = NULL, $not = FALSE, $type = 'AND ')
{
$type = $this->_get_prepend_type($type);
$this->db->dm_call_method('_where', "`$key` ".($not?"NOT ":"")."BETWEEN ".$value1." AND ".$value2, NULL, $type, NULL);
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Like
*
* Sets the %LIKE% portion of the query.
* Separates multiple calls with AND.
*
* @param mixed $field A field or array of fields to check.
* @param mixed $match For a single field, the value to compare to.
* @param string $side One of 'both', 'before', or 'after'
* @return DataMapper Returns self for method chaining.
*/
public function like($field, $match = '', $side = 'both')
{
return $this->_like($field, $match, 'AND ', $side);
}
// --------------------------------------------------------------------
/**
* Not Like
*
* Sets the NOT LIKE portion of the query.
* Separates multiple calls with AND.
*
* @param mixed $field A field or array of fields to check.
* @param mixed $match For a single field, the value to compare to.
* @param string $side One of 'both', 'before', or 'after'
* @return DataMapper Returns self for method chaining.
*/
public function not_like($field, $match = '', $side = 'both')
{
return $this->_like($field, $match, 'AND ', $side, 'NOT');
}
// --------------------------------------------------------------------
/**
* Or Like
*
* Sets the %LIKE% portion of the query.
* Separates multiple calls with OR.
*
* @param mixed $field A field or array of fields to check.
* @param mixed $match For a single field, the value to compare to.
* @param string $side One of 'both', 'before', or 'after'
* @return DataMapper Returns self for method chaining.
*/
public function or_like($field, $match = '', $side = 'both')
{
return $this->_like($field, $match, 'OR ', $side);
}
// --------------------------------------------------------------------
/**
* Or Not Like
*
* Sets the NOT LIKE portion of the query.
* Separates multiple calls with OR.
*
* @param mixed $field A field or array of fields to check.
* @param mixed $match For a single field, the value to compare to.
* @param string $side One of 'both', 'before', or 'after'
* @return DataMapper Returns self for method chaining.
*/
public function or_not_like($field, $match = '', $side = 'both')
{
return $this->_like($field, $match, 'OR ', $side, 'NOT');
}
// --------------------------------------------------------------------
/**
* ILike
*
* Sets the case-insensitive %LIKE% portion of the query.
*
* @param mixed $field A field or array of fields to check.
* @param mixed $match For a single field, the value to compare to.
* @param string $side One of 'both', 'before', or 'after'
* @return DataMapper Returns self for method chaining.
*/
public function ilike($field, $match = '', $side = 'both')
{
return $this->_like($field, $match, 'AND ', $side, '', TRUE);
}
// --------------------------------------------------------------------
/**
* Not ILike
*
* Sets the case-insensitive NOT LIKE portion of the query.
* Separates multiple calls with AND.
*
* @param mixed $field A field or array of fields to check.
* @param mixed $match For a single field, the value to compare to.
* @param string $side One of 'both', 'before', or 'after'
* @return DataMapper Returns self for method chaining.
*/
public function not_ilike($field, $match = '', $side = 'both')
{
return $this->_like($field, $match, 'AND ', $side, 'NOT', TRUE);
}
// --------------------------------------------------------------------
/**
* Or Like
*
* Sets the case-insensitive %LIKE% portion of the query.
* Separates multiple calls with OR.
*
* @param mixed $field A field or array of fields to check.
* @param mixed $match For a single field, the value to compare to.
* @param string $side One of 'both', 'before', or 'after'
* @return DataMapper Returns self for method chaining.
*/
public function or_ilike($field, $match = '', $side = 'both')
{
return $this->_like($field, $match, 'OR ', $side, '', TRUE);
}
// --------------------------------------------------------------------
/**
* Or Not Like
*
* Sets the case-insensitive NOT LIKE portion of the query.
* Separates multiple calls with OR.
*
* @param mixed $field A field or array of fields to check.
* @param mixed $match For a single field, the value to compare to.
* @param string $side One of 'both', 'before', or 'after'
* @return DataMapper Returns self for method chaining.
*/
public function or_not_ilike($field, $match = '', $side = 'both')
{
return $this->_like($field, $match, 'OR ', $side, 'NOT', TRUE);
}
// --------------------------------------------------------------------
/**
* _Like
*
* Private function to do actual work.
* NOTE: this does NOT use the built-in ActiveRecord LIKE function.
*
* @ignore
* @param mixed $field A field or array of fields to check.
* @param mixed $match For a single field, the value to compare to.
* @param string $type The type of connection (AND or OR)
* @param string $side One of 'both', 'before', or 'after'
* @param string $not 'NOT' or ''
* @param bool $no_case If TRUE, configure to ignore case.
* @return DataMapper Returns self for method chaining.
*/
protected function _like($field, $match = '', $type = 'AND ', $side = 'both', $not = '', $no_case = FALSE)
{
if ( ! is_array($field))
{
$field = array($field => $match);
}
foreach ($field as $k => $v)
{
$new_k = $this->add_table_name($k);
if ($new_k != $k)
{
$field[$new_k] = $v;
unset($field[$k]);
}
}
// Taken from CodeIgniter's Active Record because (for some reason)
// it is stored separately that normal where statements.
foreach ($field as $k => $v)
{
if($no_case)
{
$k = 'UPPER(' . $this->db->protect_identifiers($k) .')';
$v = strtoupper($v);
}
$f = "$k $not LIKE ";
if ($side == 'before')
{
$m = "%{$v}";
}
elseif ($side == 'after')
{
$m = "{$v}%";
}
else
{
$m = "%{$v}%";
}
$this->_where($f, $m, $type, TRUE);
}
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Group By
*
* Sets the GROUP BY portion of the query.
*
* @param string $by Field to group by
* @return DataMapper Returns self for method chaining.
*/
public function group_by($by)
{
$this->db->group_by($this->add_table_name($by));
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Having
*
* Sets the HAVING portion of the query.
* Separates multiple calls with AND.
*
* @param string $key Field to compare.
* @param string $value value to compare to.
* @param bool $escape If FALSE, don't escape the value.
* @return DataMapper Returns self for method chaining.
*/
public function having($key, $value = '', $escape = TRUE)
{
return $this->_having($key, $value, 'AND ', $escape);
}
// --------------------------------------------------------------------
/**
* Or Having
*
* Sets the OR HAVING portion of the query.
* Separates multiple calls with OR.
*
* @param string $key Field to compare.
* @param string $value value to compare to.
* @param bool $escape If FALSE, don't escape the value.
* @return DataMapper Returns self for method chaining.
*/
public function or_having($key, $value = '', $escape = TRUE)
{
return $this->_having($key, $value, 'OR ', $escape);
}
// --------------------------------------------------------------------
/**
* Having
*
* Sets the HAVING portion of the query.
* Separates multiple calls with AND.
*
* @ignore
* @param string $key Field to compare.
* @param string $value value to compare to.
* @param string $type Type of connection (AND or OR)
* @param bool $escape If FALSE, don't escape the value.
* @return DataMapper Returns self for method chaining.
*/
protected function _having($key, $value = '', $type = 'AND ', $escape = TRUE)
{
$this->db->dm_call_method('_having', $this->add_table_name($key), $value, $type, $escape);
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Order By
*
* Sets the ORDER BY portion of the query.
*
* @param string $orderby Field to order by
* @param string $direction One of 'ASC' or 'DESC' Defaults to 'ASC'
* @return DataMapper Returns self for method chaining.
*/
public function order_by($orderby, $direction = '')
{
$this->db->order_by($this->add_table_name($orderby), $direction);
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Adds in the defaut order_by items, if there are any, and
* order_by hasn't been overridden.
* @ignore
*/
protected function _handle_default_order_by()
{
if(empty($this->default_order_by))
{
return;
}
$sel = $this->table . '.' . '*';
$sel_protect = $this->db->protect_identifiers($sel);
// only add the items if there isn't an existing order_by,
// AND the select statement is empty or includes * or table.* or `table`.*
if(empty($this->db->ar_orderby) &&
(
empty($this->db->ar_select) ||
in_array('*', $this->db->ar_select) ||
in_array($sel_protect, $this->db->ar_select) ||
in_array($sel, $this->db->ar_select)
))
{
foreach($this->default_order_by as $k => $v) {
if(is_int($k)) {
$k = $v;
$v = '';
}
$k = $this->add_table_name($k);
$this->order_by($k, $v);
}
}
}
// --------------------------------------------------------------------
/**
* Limit
*
* Sets the LIMIT portion of the query.
*
* @param integer $limit Limit the number of results.
* @param integer|NULL $offset Offset the results when limiting.
* @return DataMapper Returns self for method chaining.
*/
public function limit($value, $offset = '')
{
$this->db->limit($value, $offset);
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Offset
*
* Sets the OFFSET portion of the query.
*
* @param integer $offset Offset the results when limiting.
* @return DataMapper Returns self for method chaining.
*/
public function offset($offset)
{
$this->db->offset($offset);
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Start Cache
*
* Starts AR caching.
*/
public function start_cache()
{
$this->db->start_cache();
}
// --------------------------------------------------------------------
/**
* Stop Cache
*
* Stops AR caching.
*/
public function stop_cache()
{
$this->db->stop_cache();
}
// --------------------------------------------------------------------
/**
* Flush Cache
*
* Empties the AR cache.
*/
public function flush_cache()
{
$this->db->flush_cache();
}
// --------------------------------------------------------------------
/* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
* *
* Transaction methods *
* *
* The following are methods used for transaction handling. *
* *
* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * */
// --------------------------------------------------------------------
/**
* Trans Off
*
* This permits transactions to be disabled at run-time.
*
*/
public function trans_off()
{
$this->db->trans_enabled = FALSE;
}
// --------------------------------------------------------------------
/**
* Trans Strict
*
* When strict mode is enabled, if you are running multiple groups of
* transactions, if one group fails all groups will be rolled back.
* If strict mode is disabled, each group is treated autonomously, meaning
* a failure of one group will not affect any others.
*
* @param bool $mode Set to false to disable strict mode.
*/
public function trans_strict($mode = TRUE)
{
$this->db->trans_strict($mode);
}
// --------------------------------------------------------------------
/**
* Trans Start
*
* Start a transaction.
*
* @param bool $test_mode Set to TRUE to only run a test (and not commit)
*/
public function trans_start($test_mode = FALSE)
{
$this->db->trans_start($test_mode);
}
// --------------------------------------------------------------------
/**
* Trans Complete
*
* Complete a transaction.
*
* @return bool Success or Failure
*/
public function trans_complete()
{
return $this->db->trans_complete();
}
// --------------------------------------------------------------------
/**
* Trans Begin
*
* Begin a transaction.
*
* @param bool $test_mode Set to TRUE to only run a test (and not commit)
* @return bool Success or Failure
*/
public function trans_begin($test_mode = FALSE)
{
return $this->db->trans_begin($test_mode);
}
// --------------------------------------------------------------------
/**
* Trans Status
*
* Lets you retrieve the transaction flag to determine if it has failed.
*
* @return bool Returns FALSE if the transaction has failed.
*/
public function trans_status()
{
return $this->db->trans_status();
}
// --------------------------------------------------------------------
/**
* Trans Commit
*
* Commit a transaction.
*
* @return bool Success or Failure
*/
public function trans_commit()
{
return $this->db->trans_commit();
}
// --------------------------------------------------------------------
/**
* Trans Rollback
*
* Rollback a transaction.
*
* @return bool Success or Failure
*/
public function trans_rollback()
{
return $this->db->trans_rollback();
}
// --------------------------------------------------------------------
/**
* Auto Trans Begin
*
* Begin an auto transaction if enabled.
*
*/
protected function _auto_trans_begin()
{
// Begin auto transaction
if ($this->auto_transaction)
{
$this->trans_begin();
}
}
// --------------------------------------------------------------------
/**
* Auto Trans Complete
*
* Complete an auto transaction if enabled.
*
* @param string $label Name for this transaction.
*/
protected function _auto_trans_complete($label = 'complete')
{
// Complete auto transaction
if ($this->auto_transaction)
{
// Check if successful
if (!$this->trans_complete())
{
$rule = 'transaction';
// Get corresponding error from language file
if (FALSE === ($line = $this->lang->line($rule)))
{
$line = 'Unable to access the ' . $rule .' error message.';
}
// Add transaction error message
$this->error_message($rule, sprintf($line, $label));
// Set validation as failed
$this->valid = FALSE;
}
}
}
// --------------------------------------------------------------------
/* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
* *
* Related methods *
* *
* The following are methods used for managing related records. *
* *
* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * */
// --------------------------------------------------------------------
/**
* get_related_properties
*
* Located the relationship properties for a given field or model
* Can also optionally attempt to convert the $related_field to
* singular, and look up on that. It will modify the $related_field if
* the conversion to singular returns a result.
*
* $related_field can also be a deep relationship, such as
* 'post/editor/group', in which case the $related_field will be processed
* recursively, and the return value will be $user->has_NN['group'];
*
* @ignore
* @param mixed $related_field Name of related field or related object.
* @param bool $try_singular If TRUE, automatically tries to look for a singular name if not found.
* @return array Associative array of related properties.
*/
public function _get_related_properties(&$related_field, $try_singular = FALSE)
{
// Handle deep relationships
if(strpos($related_field, '/') !== FALSE)
{
$rfs = explode('/', $related_field);
$last = $this;
$prop = NULL;
foreach($rfs as &$rf)
{
$prop = $last->_get_related_properties($rf, $try_singular);
if(is_null($prop))
{
break;
}
$last =& $last->_get_without_auto_populating($rf);
}
if( ! is_null($prop))
{
// update in case any items were converted to singular.
$related_field = implode('/', $rfs);
}
return $prop;
}
else
{
if (isset($this->has_many[$related_field]))
{
return $this->has_many[$related_field];
}
else if (isset($this->has_one[$related_field]))
{
return $this->has_one[$related_field];
}
else
{
if($try_singular)
{
$rf = singular($related_field);
$ret = $this->_get_related_properties($rf);
if( is_null($ret))
{
show_error("Unable to relate {$this->model} with $related_field.");
}
else
{
$related_field = $rf;
return $ret;
}
}
else
{
// not related
return NULL;
}
}
}
}
// --------------------------------------------------------------------
/**
* Add Related Table
*
* Adds the table of a related item, and joins it to this class.
* Returns the name of that table for further queries.
*
* If $related_field is deep, then this adds all necessary relationships
* to the query.
*
* @ignore
* @param mixed $object The object (or related field) to look up.
* @param string $related_field Related field name for object
* @param string $id_only Private, do not use.
* @param object $db Private, do not use.
* @param array $query_related Private, do not use.
* @param string $name_prepend Private, do not use.
* @param string $this_table Private, do not use.
* @return string Name of the related table, or table.field if ID_Only
*/
public function _add_related_table($object, $related_field = '', $id_only = FALSE, $db = NULL, &$query_related = NULL, $name_prepend = '', $this_table = NULL)
{
if ( is_string($object))
{
// only a model was passed in, not an object
$related_field = $object;
$object = NULL;
}
else if (empty($related_field))
{
// model was not passed, so get the Object's native model
$related_field = $object->model;
}
$related_field = strtolower($related_field);
// Handle deep relationships
if(strpos($related_field, '/') !== FALSE)
{
$rfs = explode('/', $related_field);
$last = $this;
$prepend = '';
$object_as = NULL;
foreach($rfs as $index => $rf)
{
// if this is the last item added, we can use the $id_only
// shortcut to prevent unnecessarily adding the last table.
$temp_id_only = $id_only;
if($temp_id_only) {
if($index < count($rfs)-1) {
$temp_id_only = FALSE;
}
}
$object_as = $last->_add_related_table($rf, '', $temp_id_only, $this->db, $this->_query_related, $prepend, $object_as);
$prepend .= $rf . '_';
$last =& $last->_get_without_auto_populating($rf);
}
return $object_as;
}
$related_properties = $this->_get_related_properties($related_field);
$class = $related_properties['class'];
$this_model = $related_properties['join_self_as'];
$other_model = $related_properties['join_other_as'];
if (empty($object))
{
// no object was passed in, so create one
$object = new $class();
}
if(is_null($query_related))
{
$query_related =& $this->_query_related;
}
if(is_null($this_table))
{
$this_table = $this->table;
}
// Determine relationship table name
$relationship_table = $this->_get_relationship_table($object, $related_field);
// only add $related_field to the table name if the 'class' and 'related_field' aren't equal
// and the related object is in a different table
if ( ($class == $related_field) && ($this->table != $object->table) )
{
$object_as = $name_prepend . $object->table;
$relationship_as = $name_prepend . $relationship_table;
}
else
{
$object_as = $name_prepend . $related_field . '_' . $object->table;
$relationship_as = str_replace('.', '_', $name_prepend . $related_field . '_' . $relationship_table);
}
$other_column = $other_model . '_id';
$this_column = $this_model . '_id' ;
if(is_null($db)) {
$db = $this->db;
}
// Force the selection of the current object's columns
if (empty($db->ar_select))
{
$db->select($this->table . '.*');
}
// the extra in_array column check is for has_one self references
if ($relationship_table == $this->table && in_array($other_column, $this->fields))
{
// has_one relationship without a join table
if($id_only)
{
// nothing to join, just return the correct data
$object_as = $this_table . '.' . $other_column;
}
else if ( ! in_array($object_as, $query_related))
{
$db->join($object->table . ' ' .$object_as, $object_as . '.id = ' . $this_table . '.' . $other_column, 'LEFT OUTER');
$query_related[] = $object_as;
}
}
// the extra in_array column check is for has_one self references
else if ($relationship_table == $object->table && in_array($this_column, $object->fields))
{
// has_one relationship without a join table
if ( ! in_array($object_as, $query_related))
{
$db->join($object->table . ' ' .$object_as, $this_table . '.id = ' . $object_as . '.' . $this_column, 'LEFT OUTER');
$query_related[] = $object_as;
}
if($id_only)
{
// include the column name
$object_as .= '.id';
}
}
else
{
// has_one or has_many with a normal join table
// Add join if not already included
if ( ! in_array($relationship_as, $query_related))
{
$db->join($relationship_table . ' ' . $relationship_as, $this_table . '.id = ' . $relationship_as . '.' . $this_column, 'LEFT OUTER');
if($this->_include_join_fields) {
$fields = $db->field_data($relationship_table);
foreach($fields as $key => $f)
{
if($f->name == $this_column || $f->name == $other_column)
{
unset($fields[$key]);
}
}
// add all other fields
$selection = '';
foreach ($fields as $field)
{
$new_field = 'join_'.$field->name;
if (!empty($selection))
{
$selection .= ', ';
}
$selection .= $relationship_as.'.'.$field->name.' AS '.$new_field;
}
$db->select($selection);
// now reset the flag
$this->_include_join_fields = FALSE;
}
$query_related[] = $relationship_as;
}
if($id_only)
{
// no need to add the whole table
$object_as = $relationship_as . '.' . $other_column;
}
else if ( ! in_array($object_as, $query_related))
{
// Add join if not already included
$db->join($object->table . ' ' . $object_as, $object_as . '.id = ' . $relationship_as . '.' . $other_column, 'LEFT OUTER');
$query_related[] = $object_as;
}
}
return $object_as;
}
// --------------------------------------------------------------------
/**
* Related
*
* Sets the specified related query.
*
* @ignore
* @param string $query Query String
* @param array $arguments Arguments to process
* @param mixed $extra Used to prevent escaping in special circumstances.
* @return DataMapper Returns self for method chaining.
*/
private function _related($query, $arguments = array(), $extra = NULL)
{
if ( ! empty($query) && ! empty($arguments))
{
$object = $field = $value = NULL;
$next_arg = 1;
// Prepare model
if (is_object($arguments[0]))
{
$object = $arguments[0];
$related_field = $object->model;
// Prepare field and value
$field = (isset($arguments[1])) ? $arguments[1] : 'id';
$value = (isset($arguments[2])) ? $arguments[2] : $object->id;
$next_arg = 3;
}
else
{
$related_field = $arguments[0];
// the TRUE allows conversion to singular
$related_properties = $this->_get_related_properties($related_field, TRUE);
$class = $related_properties['class'];
// enables where_related_{model}($object)
if(isset($arguments[1]) && is_object($arguments[1]))
{
$object = $arguments[1];
// Prepare field and value
$field = (isset($arguments[2])) ? $arguments[2] : 'id';
$value = (isset($arguments[3])) ? $arguments[3] : $object->id;
$next_arg = 4;
}
else
{
$object = new $class();
// Prepare field and value
$field = (isset($arguments[1])) ? $arguments[1] : 'id';
$value = (isset($arguments[2])) ? $arguments[2] : NULL;
$next_arg = 3;
}
}
if(preg_replace('/[!=<> ]/ ', '', $field) == 'id')
{
// special case to prevent joining unecessary tables
$field = $this->_add_related_table($object, $related_field, TRUE);
}
else
{
// Determine relationship table name, and join the tables
$object_table = $this->_add_related_table($object, $related_field);
$field = $object_table . '.' . $field;
}
if(is_string($value) && strpos($value, '${parent}') !== FALSE) {
$extra = FALSE;
}
// allow special arguments to be passed into query methods
if(is_null($extra)) {
if(isset($arguments[$next_arg])) {
$extra = $arguments[$next_arg];
}
}
// Add query clause
if(is_null($extra))
{
// convert where to where_in if the value is an array or a DM object
if ($query == 'where')
{
if ( is_array($value) )
{
switch(count($value))
{
case 0:
$value = NULL;
break;
case 1:
$value = reset($value);
break;
default:
$query = 'where_in';
break;
}
}
elseif ( $value instanceOf DataMapper )
{
switch($value->result_count())
{
case 0:
$value = NULL;
break;
case 1:
$value = $value->id;
break;
default:
$query = 'where_in';
break;
}
}
}
$this->{$query}($field, $value);
}
else
{
$this->{$query}($field, $value, $extra);
}
}
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Magic method to process a subquery for a related object.
* The format for this should be
* $object->{where}_related_subquery($related_item, $related_field, $subquery)
* related_field is optional
*
* @ignore
* @param string $query Query Method
* @param object $args Arguments for the query
* @return DataMapper Returns self for method chaining.
*/
private function _related_subquery($query, $args)
{
$rel_object = $args[0];
$field = $value = NULL;
if(isset($args[2])) {
$field = $args[1];
$value = $args[2];
} else {
$field = 'id';
$value = $args[1];
}
if(is_object($value))
{
// see 25_activerecord.php
$value = $this->_parse_subquery_object($value);
}
if(strpos($query, 'where_in') !== FALSE) {
$query = str_replace('_in', '', $query);
$field .= ' IN ';
}
return $this->_related($query, array($rel_object, $field, $value), FALSE);
}
// --------------------------------------------------------------------
/**
* Is Related To
* If this object is related to the provided object, returns TRUE.
* Otherwise returns FALSE.
* Optionally can be provided a related field and ID.
*
* @param mixed $related_field The related object or field name
* @param int $id ID to compare to if $related_field is a string
* @return bool TRUE or FALSE if this object is related to $related_field
*/
public function is_related_to($related_field, $id = NULL)
{
if(is_object($related_field))
{
$id = $related_field->id;
$related_field = $related_field->model;
}
return ($this->{$related_field}->count(NULL, NULL, $id) > 0);
}
// --------------------------------------------------------------------
/**
* Include Related
*
* Joins specified values of a has_one object into the current query
* If $fields is NULL or '*', then all columns are joined (may require instantiation of the other object)
* If $fields is a single string, then just that column is joined.
* Otherwise, $fields should be an array of column names.
*
* $append_name can be used to override the default name to append, or set it to FALSE to prevent appending.
*
* @param mixed $related_field The related object or field name
* @param array $fields The fields to join (NULL or '*' means all fields, or use a single field or array of fields)
* @param bool $append_name The name to use for joining (with '_'), or FALSE to disable.
* @param bool $instantiate If TRUE, the results are instantiated into objects
* @return DataMapper Returns self for method chaining.
*/
public function include_related($related_field, $fields = NULL, $append_name = TRUE, $instantiate = FALSE)
{
if (is_object($related_field))
{
$object = $related_field;
$related_field = $object->model;
$related_properties = $this->_get_related_properties($related_field);
}
else
{
// the TRUE allows conversion to singular
$related_properties = $this->_get_related_properties($related_field, TRUE);
$class = $related_properties['class'];
$object = new $class();
}
if(is_null($fields) || $fields == '*')
{
$fields = $object->fields;
}
else if ( ! is_array($fields))
{
$fields = array((string)$fields);
}
$rfs = explode('/', $related_field);
$last = $this;
foreach($rfs as $rf)
{
// prevent populating the related items.
$last =& $last->_get_without_auto_populating($rf);
}
$table = $this->_add_related_table($object, $related_field);
$append = '';
if($append_name !== FALSE)
{
if($append_name === TRUE)
{
$append = str_replace('/', '_', $related_field);
}
else
{
$append = $append_name;
}
$append .= '_';
}
// now add fields
$selection = '';
$property_map = array();
foreach ($fields as $field)
{
$new_field = $append . $field;
// prevent collisions
if(in_array($new_field, $this->fields)) {
if($instantiate && $field == 'id' && $new_field != 'id') {
$property_map[$new_field] = $field;
}
continue;
}
if (!empty($selection))
{
$selection .= ', ';
}
$selection .= $table.'.'.$field.' AS '.$new_field;
if($instantiate) {
$property_map[$new_field] = $field;
}
}
if(empty($selection))
{
log_message('debug', "DataMapper Warning (include_related): No fields were selected for {$this->model} on $related_field.");
}
else
{
if($instantiate)
{
if(is_null($this->_instantiations))
{
$this->_instantiations = array();
}
$this->_instantiations[$related_field] = $property_map;
}
$this->db->select($selection);
}
// For method chaining
return $this;
}
/**
* Legacy version of include_related
* DEPRECATED: Will be removed by 2.0
* @deprecated Please use include_related
*/
public function join_related($related_field, $fields = NULL, $append_name = TRUE)
{
return $this->include_related($related_field, $fields, $append_name);
}
// --------------------------------------------------------------------
/**
* Includes the number of related items using a subquery.
*
* Default alias is {$related_field}_count
*
* @param mixed $related_field Field to count
* @param string $alias Alternative alias.
* @return DataMapper Returns self for method chaining.
*/
public function include_related_count($related_field, $alias = NULL)
{
if (is_object($related_field))
{
$object = $related_field;
$related_field = $object->model;
$related_properties = $this->_get_related_properties($related_field);
}
else
{
// the TRUE allows conversion to singular
$related_properties = $this->_get_related_properties($related_field, TRUE);
$class = $related_properties['class'];
$object = new $class();
}
if(is_null($alias))
{
$alias = $related_field . '_count';
}
// Force the selection of the current object's columns
if (empty($this->db->ar_select))
{
$this->db->select($this->table . '.*');
}
// now generate a subquery for counting the related objects
$object->select_func('COUNT', '*', 'count');
$this_rel = $related_properties['other_field'];
$tablename = $object->_add_related_table($this, $this_rel);
$object->where($tablename . '.id = ', $this->db->dm_call_method('_escape_identifiers', '${parent}.id'), FALSE);
$this->select_subquery($object, $alias);
return $this;
}
// --------------------------------------------------------------------
/**
* Get Relation
*
* Finds all related records of this objects current record.
*
* @ignore
* @param mixed $related_field Related field or object
* @param int $id ID of related field or object
* @return bool Sucess or Failure
*/
private function _get_relation($related_field, $id)
{
// No related items
if (empty($related_field) || empty($id))
{
// Reset query
$this->db->dm_call_method('_reset_select');
return FALSE;
}
// To ensure result integrity, group all previous queries
if( ! empty($this->db->ar_where))
{
array_unshift($this->db->ar_where, '( ');
$this->db->ar_where[] = ' )';
}
// query all items related to the given model
$this->where_related($related_field, 'id', $id);
return TRUE;
}
// --------------------------------------------------------------------
/**
* Save Relation
*
* Saves the relation between this and the other object.
*
* @ignore
* @param DataMapper DataMapper Object to related to this object
* @param string Specific related field if necessary.
* @return bool Success or Failure
*/
protected function _save_relation($object, $related_field = '')
{
if (empty($related_field))
{
$related_field = $object->model;
}
// the TRUE allows conversion to singular
$related_properties = $this->_get_related_properties($related_field, TRUE);
if ( ! empty($related_properties) && $this->exists() && $object->exists())
{
$this_model = $related_properties['join_self_as'];
$other_model = $related_properties['join_other_as'];
$other_field = $related_properties['other_field'];
// Determine relationship table name
$relationship_table = $this->_get_relationship_table($object, $related_field);
if($relationship_table == $this->table &&
// catch for self relationships.
in_array($other_model . '_id', $this->fields))
{
$this->{$other_model . '_id'} = $object->id;
$ret = $this->save();
// remove any one-to-one relationships with the other object
$this->_remove_other_one_to_one($related_field, $object);
return $ret;
}
else if($relationship_table == $object->table)
{
$object->{$this_model . '_id'} = $this->id;
$ret = $object->save();
// remove any one-to-one relationships with this object
$object->_remove_other_one_to_one($other_field, $this);
return $ret;
}
else
{
$data = array($this_model . '_id' => $this->id, $other_model . '_id' => $object->id);
// Check if relation already exists
$query = $this->db->get_where($relationship_table, $data, NULL, NULL);
if ($query->num_rows() == 0)
{
// If this object has a "has many" relationship with the other object
if (isset($this->has_many[$related_field]))
{
// If the other object has a "has one" relationship with this object
if (isset($object->has_one[$other_field]))
{
// And it has an existing relation
$query = $this->db->get_where($relationship_table, array($other_model . '_id' => $object->id), 1, 0);
if ($query->num_rows() > 0)
{
// Find and update the other objects existing relation to relate with this object
$this->db->where($other_model . '_id', $object->id);
$this->db->update($relationship_table, $data);
}
else
{
// Add the relation since one doesn't exist
$this->db->insert($relationship_table, $data);
}
return TRUE;
}
else if (isset($object->has_many[$other_field]))
{
// We can add the relation since this specific relation doesn't exist, and a "has many" to "has many" relationship exists between the objects
$this->db->insert($relationship_table, $data);
// Self relationships can be defined as reciprocal -- save the reverse relationship at the same time
if ($related_properties['reciprocal'])
{
$data = array($this_model . '_id' => $object->id, $other_model . '_id' => $this->id);
$this->db->insert($relationship_table, $data);
}
return TRUE;
}
}
// If this object has a "has one" relationship with the other object
else if (isset($this->has_one[$related_field]))
{
// And it has an existing relation
$query = $this->db->get_where($relationship_table, array($this_model . '_id' => $this->id), 1, 0);
if ($query->num_rows() > 0)
{
// Find and update the other objects existing relation to relate with this object
$this->db->where($this_model . '_id', $this->id);
$this->db->update($relationship_table, $data);
}
else
{
// Add the relation since one doesn't exist
$this->db->insert($relationship_table, $data);
}
return TRUE;
}
}
else
{
// Relationship already exists
return TRUE;
}
}
}
else
{
if( ! $object->exists())
{
$msg = 'dm_save_rel_noobj';
}
else if( ! $this->exists())
{
$msg = 'dm_save_rel_nothis';
}
else
{
$msg = 'dm_save_rel_failed';
}
$msg = $this->lang->line($msg);
$this->error_message($related_field, sprintf($msg, $related_field));
}
return FALSE;
}
// --------------------------------------------------------------------
/**
* Remove Other One-to-One
* Removes other relationships on a one-to-one ITFK relationship
*
* @ignore
* @param string $rf Related field to look at.
* @param DataMapper $object Object to look at.
*/
private function _remove_other_one_to_one($rf, $object)
{
if( ! $object->exists())
{
return;
}
$related_properties = $this->_get_related_properties($rf, TRUE);
if( ! array_key_exists($related_properties['other_field'], $object->has_one))
{
return;
}
// This should be a one-to-one relationship with an ITFK if we got this far.
$other_column = $related_properties['join_other_as'] . '_id';
$c = get_class($this);
$update = new $c();
$update->where($other_column, $object->id);
if($this->exists())
{
$update->where('id <>', $this->id);
}
$update->update($other_column, NULL);
}
// --------------------------------------------------------------------
/**
* Delete Relation
*
* Deletes the relation between this and the other object.
*
* @ignore
* @param DataMapper $object Object to remove the relationship to.
* @param string $related_field Optional specific related field
* @return bool Success or Failure
*/
protected function _delete_relation($object, $related_field = '')
{
if (empty($related_field))
{
$related_field = $object->model;
}
// the TRUE allows conversion to singular
$related_properties = $this->_get_related_properties($related_field, TRUE);
if ( ! empty($related_properties) && ! empty($this->id) && ! empty($object->id))
{
$this_model = $related_properties['join_self_as'];
$other_model = $related_properties['join_other_as'];
// Determine relationship table name
$relationship_table = $this->_get_relationship_table($object, $related_field);
if ($relationship_table == $this->table &&
// catch for self relationships.
in_array($other_model . '_id', $this->fields))
{
$this->{$other_model . '_id'} = NULL;
$this->save();
}
else if ($relationship_table == $object->table)
{
$object->{$this_model . '_id'} = NULL;
$object->save();
}
else
{
$data = array($this_model . '_id' => $this->id, $other_model . '_id' => $object->id);
// Delete relation
$this->db->delete($relationship_table, $data);
// Delete reverse direction if a reciprocal self relationship
if ($related_properties['reciprocal'])
{
$data = array($this_model . '_id' => $object->id, $other_model . '_id' => $this->id);
$this->db->delete($relationship_table, $data);
}
}
// Clear related object so it is refreshed on next access
unset($this->{$related_field});
return TRUE;
}
return FALSE;
}
// --------------------------------------------------------------------
/**
* Get Relationship Table
*
* Determines the relationship table between this object and $object.
*
* @ignore
* @param DataMapper $object Object that we are interested in.
* @param string $related_field Optional specific related field.
* @return string The name of the table this relationship is stored on.
*/
public function _get_relationship_table($object, $related_field = '')
{
$prefix = $object->prefix;
$table = $object->table;
if (empty($related_field))
{
$related_field = $object->model;
}
$related_properties = $this->_get_related_properties($related_field);
$this_model = $related_properties['join_self_as'];
$other_model = $related_properties['join_other_as'];
$other_field = $related_properties['other_field'];
if (isset($this->has_one[$related_field]))
{
// see if the relationship is in this table
if (in_array($other_model . '_id', $this->fields))
{
return $this->table;
}
}
if (isset($object->has_one[$other_field]))
{
// see if the relationship is in this table
if (in_array($this_model . '_id', $object->fields))
{
return $object->table;
}
}
// was a join table defined for this relation?
if ( ! empty($related_properties['join_table']) )
{
$relationship_table = $related_properties['join_table'];
}
else
{
$relationship_table = '';
// Check if self referencing
if ($this->table == $table)
{
// use the model names from related_properties
$p_this_model = plural($this_model);
$p_other_model = plural($other_model);
$relationship_table = ($p_this_model < $p_other_model) ? $p_this_model . '_' . $p_other_model : $p_other_model . '_' . $p_this_model;
}
else
{
$relationship_table = ($this->table < $table) ? $this->table . '_' . $table : $table . '_' . $this->table;
}
// Remove all occurances of the prefix from the relationship table
$relationship_table = str_replace($prefix, '', str_replace($this->prefix, '', $relationship_table));
// So we can prefix the beginning, using the join prefix instead, if it is set
$relationship_table = (empty($this->join_prefix)) ? $this->prefix . $relationship_table : $this->join_prefix . $relationship_table;
}
return $relationship_table;
}
// --------------------------------------------------------------------
/**
* Count Related
*
* Returns the number of related items in the database and in the related object.
* Used by the _related_(required|min|max) validation rules.
*
* @ignore
* @param string $related_field The related field.
* @param mixed $object Object or array to include in the count.
* @return int Number of related items.
*/
protected function _count_related($related_field, $object = '')
{
$count = 0;
// lookup relationship info
// the TRUE allows conversion to singular
$rel_properties = $this->_get_related_properties($related_field, TRUE);
$class = $rel_properties['class'];
$ids = array();
if ( ! empty($object))
{
$count = $this->_count_related_objects($related_field, $object, '', $ids);
$ids = array_unique($ids);
}
if ( ! empty($related_field) && ! empty($this->id))
{
$one = isset($this->has_one[$related_field]);
// don't bother looking up relationships if this is a $has_one and we already have one.
if( (!$one) || empty($ids))
{
// Prepare model
$object = new $class();
// Store parent data
$object->parent = array('model' => $rel_properties['other_field'], 'id' => $this->id);
// pass in IDs to exclude from the count
$count += $object->count($ids);
}
}
return $count;
}
// --------------------------------------------------------------------
/**
* Private recursive function to count the number of objects
* in a passed in array (or a single object)
*
* @ignore
* @param string $compare related field (model) to compare to
* @param mixed $object Object or array to count
* @param string $related_field related field of $object
* @param array $ids list of IDs we've already found.
* @return int Number of items found.
*/
private function _count_related_objects($compare, $object, $related_field, &$ids)
{
$count = 0;
if (is_array($object))
{
// loop through array to check for objects
foreach ($object as $rel_field => $obj)
{
if ( ! is_string($rel_field))
{
// if this object doesn't have a related field, use the parent related field
$rel_field = $related_field;
}
$count += $this->_count_related_objects($compare, $obj, $rel_field, $ids);
}
}
else
{
// if this object doesn't have a related field, use the model
if (empty($related_field))
{
$related_field = $object->model;
}
// if this object is the same relationship type, it counts
if ($related_field == $compare && $object->exists())
{
$ids[] = $object->id;
$count++;
}
}
return $count;
}
// --------------------------------------------------------------------
/**
* Include Join Fields
*
* If TRUE, the any extra fields on the join table will be included
*
* @param bool $include If FALSE, turns back off the directive.
* @return DataMapper Returns self for method chaining.
*/
public function include_join_fields($include = TRUE)
{
$this->_include_join_fields = $include;
return $this;
}
// --------------------------------------------------------------------
/**
* Set Join Field
*
* Sets the value on a join table based on the related field
* If $related_field is an array, then the array should be
* in the form $related_field => $object or array($object)
*
* @param mixed $related_field An object or array.
* @param mixed $field Field or array of fields to set.
* @param mixed $value Value for a single field to set.
* @param mixed $object Private for recursion, do not use.
* @return DataMapper Returns self for method chaining.
*/
public function set_join_field($related_field, $field, $value = NULL, $object = NULL)
{
$related_ids = array();
if (is_array($related_field))
{
// recursively call this on the array passed in.
foreach ($related_field as $key => $object)
{
$this->set_join_field($key, $field, $value, $object);
}
return;
}
else if (is_object($related_field))
{
$object = $related_field;
$related_field = $object->model;
$related_ids[] = $object->id;
$related_properties = $this->_get_related_properties($related_field);
}
else
{
// the TRUE allows conversion to singular
$related_properties = $this->_get_related_properties($related_field, TRUE);
if (is_null($object))
{
$class = $related_properties['class'];
$object = new $class();
}
}
// Determine relationship table name
$relationship_table = $this->_get_relationship_table($object, $related_field);
if (empty($object))
{
// no object was passed in, so create one
$class = $related_properties['class'];
$object = new $class();
}
$this_model = $related_properties['join_self_as'];
$other_model = $related_properties['join_other_as'];
if (! is_array($field))
{
$field = array( $field => $value );
}
if ( ! is_array($object))
{
$object = array($object);
}
if (empty($object))
{
$this->db->where($this_model . '_id', $this->id);
$this->db->update($relationship_table, $field);
}
else
{
foreach ($object as $obj)
{
$this->db->where($this_model . '_id', $this->id);
$this->db->where($other_model . '_id', $obj->id);
$this->db->update($relationship_table, $field);
}
}
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/**
* Join Field
*
* Adds a query of a join table's extra field
* Accessed via __call
*
* @ignore
* @param string $query Query method.
* @param array $arguments Arguments for query.
* @return DataMapper Returns self for method chaining.
*/
private function _join_field($query, $arguments)
{
if ( ! empty($query) && count($arguments) >= 3)
{
$object = $field = $value = NULL;
// Prepare model
if (is_object($arguments[0]))
{
$object = $arguments[0];
$related_field = $object->model;
}
else
{
$related_field = $arguments[0];
// the TRUE allows conversion to singular
$related_properties = $this->_get_related_properties($related_field, TRUE);
$class = $related_properties['class'];
$object = new $class();
}
// Prepare field and value
$field = $arguments[1];
$value = $arguments[2];
// Determine relationship table name, and join the tables
$rel_table = $this->_get_relationship_table($object, $related_field);
// Add query clause
$extra = NULL;
if(count($arguments) > 3) {
$extra = $arguments[3];
}
if(is_null($extra)) {
$this->{$query}($rel_table . '.' . $field, $value);
} else {
$this->{$query}($rel_table . '.' . $field, $value, $extra);
}
}
// For method chaining
return $this;
}
// --------------------------------------------------------------------
/* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
* *
* Related Validation methods *
* *
* The following are methods used to validate the *
* relationships of this object. *
* *
* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * */
// --------------------------------------------------------------------
/**
* Related Required (pre-process)
*
* Checks if the related object has the required related item
* or if the required relation already exists.
*
* @ignore
*/
protected function _related_required($object, $model)
{
return ($this->_count_related($model, $object) == 0) ? FALSE : TRUE;
}
// --------------------------------------------------------------------
/**
* Related Min Size (pre-process)
*
* Checks if the value of a property is at most the minimum size.
*
* @ignore
*/
protected function _related_min_size($object, $model, $size = 0)
{
return ($this->_count_related($model, $object) < $size) ? FALSE : TRUE;
}
// --------------------------------------------------------------------
/**
* Related Max Size (pre-process)
*
* Checks if the value of a property is at most the maximum size.
*
* @ignore
*/
protected function _related_max_size($object, $model, $size = 0)
{
return ($this->_count_related($model, $object) > $size) ? FALSE : TRUE;
}
// --------------------------------------------------------------------
/* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
* *
* Validation methods *
* *
* The following are methods used to validate the *
* values of this objects properties. *
* *
* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * */
// --------------------------------------------------------------------
/**
* Always Validate
*
* Does nothing, but forces a validation even if empty (for non-required fields)
*
* @ignore
*/
protected function _always_validate()
{
}
// --------------------------------------------------------------------
/**
* Alpha Dash Dot (pre-process)
*
* Alpha-numeric with underscores, dashes and full stops.
*
* @ignore
*/
protected function _alpha_dash_dot($field)
{
return ( ! preg_match('/^([\.-a-z0-9_-])+$/i', $this->{$field})) ? FALSE : TRUE;
}
// --------------------------------------------------------------------
/**
* Alpha Slash Dot (pre-process)
*
* Alpha-numeric with underscores, dashes, forward slashes and full stops.
*
* @ignore
*/
protected function _alpha_slash_dot($field)
{
return ( ! preg_match('/^([\.\/-a-z0-9_-])+$/i', $this->{$field})) ? FALSE : TRUE;
}
// --------------------------------------------------------------------
/**
* Matches (pre-process)
*
* Match one field to another.
* This replaces the version in CI_Form_validation.
*
* @ignore
*/
protected function _matches($field, $other_field)
{
return ($this->{$field} !== $this->{$other_field}) ? FALSE : TRUE;
}
// --------------------------------------------------------------------
/**
* Min Date (pre-process)
*
* Checks if the value of a property is at least the minimum date.
*
* @ignore
*/
protected function _min_date($field, $date)
{
return (strtotime($this->{$field}) < strtotime($date)) ? FALSE : TRUE;
}
// --------------------------------------------------------------------
/**
* Max Date (pre-process)
*
* Checks if the value of a property is at most the maximum date.
*
* @ignore
*/
protected function _max_date($field, $date)
{
return (strtotime($this->{$field}) > strtotime($date)) ? FALSE : TRUE;
}
// --------------------------------------------------------------------
/**
* Min Size (pre-process)
*
* Checks if the value of a property is at least the minimum size.
*
* @ignore
*/
protected function _min_size($field, $size)
{
return ($this->{$field} < $size) ? FALSE : TRUE;
}
// --------------------------------------------------------------------
/**
* Max Size (pre-process)
*
* Checks if the value of a property is at most the maximum size.
*
* @ignore
*/
protected function _max_size($field, $size)
{
return ($this->{$field} > $size) ? FALSE : TRUE;
}
// --------------------------------------------------------------------
/**
* Unique (pre-process)
*
* Checks if the value of a property is unique.
* If the property belongs to this object, we can ignore it.
*
* @ignore
*/
protected function _unique($field)
{
if ( ! empty($this->{$field}))
{
$query = $this->db->get_where($this->table, array($field => $this->{$field}), 1, 0);
if ($query->num_rows() > 0)
{
$row = $query->row();
// If unique value does not belong to this object
if ($this->id != $row->id)
{
// Then it is not unique
return FALSE;
}
}
}
// No matches found so is unique
return TRUE;
}
// --------------------------------------------------------------------
/**
* Unique Pair (pre-process)
*
* Checks if the value of a property, paired with another, is unique.
* If the properties belongs to this object, we can ignore it.
*
* @ignore
*/
protected function _unique_pair($field, $other_field = '')
{
if ( ! empty($this->{$field}) && ! empty($this->{$other_field}))
{
$query = $this->db->get_where($this->table, array($field => $this->{$field}, $other_field => $this->{$other_field}), 1, 0);
if ($query->num_rows() > 0)
{
$row = $query->row();
// If unique pair value does not belong to this object
if ($this->id != $row->id)
{
// Then it is not a unique pair
return FALSE;
}
}
}
// No matches found so is unique
return TRUE;
}
// --------------------------------------------------------------------
/**
* Valid Date (pre-process)
*
* Checks whether the field value is a valid DateTime.
*
* @ignore
*/
protected function _valid_date($field)
{
// Ignore if empty
if (empty($this->{$field}))
{
return TRUE;
}
$date = date_parse($this->{$field});
return checkdate($date['month'], $date['day'],$date['year']);
}
// --------------------------------------------------------------------
/**
* Valid Date Group (pre-process)
*
* Checks whether the field value, grouped with other field values, is a valid DateTime.
*
* @ignore
*/
protected function _valid_date_group($field, $fields = array())
{
// Ignore if empty
if (empty($this->{$field}))
{
return TRUE;
}
$date = date_parse($this->{$fields['year']} . '-' . $this->{$fields['month']} . '-' . $this->{$fields['day']});
return checkdate($date['month'], $date['day'],$date['year']);
}
// --------------------------------------------------------------------
/**
* Valid Match (pre-process)
*
* Checks whether the field value matches one of the specified array values.
*
* @ignore
*/
protected function _valid_match($field, $param = array())
{
return in_array($this->{$field}, $param);
}
// --------------------------------------------------------------------
/**
* Boolean (pre-process)
*
* Forces a field to be either TRUE or FALSE.
* Uses PHP's built-in boolean conversion.
*
* @ignore
*/
protected function _boolean($field)
{
$this->{$field} = (boolean)$this->{$field};
}
// --------------------------------------------------------------------
/**
* Encode PHP Tags (prep)
*
* Convert PHP tags to entities.
* This replaces the version in CI_Form_validation.
*
* @ignore
*/
protected function _encode_php_tags($field)
{
$this->{$field} = encode_php_tags($this->{$field});
}
// --------------------------------------------------------------------
/**
* Prep for Form (prep)
*
* Converts special characters to allow HTML to be safely shown in a form.
* This replaces the version in CI_Form_validation.
*
* @ignore
*/
protected function _prep_for_form($field)
{
$this->{$field} = $this->form_validation->prep_for_form($this->{$field});
}
// --------------------------------------------------------------------
/**
* Prep URL (prep)
*
* Adds "http://" to URLs if missing.
* This replaces the version in CI_Form_validation.
*
* @ignore
*/
protected function _prep_url($field)
{
$this->{$field} = $this->form_validation->prep_url($this->{$field});
}
// --------------------------------------------------------------------
/**
* Strip Image Tags (prep)
*
* Strips the HTML from image tags leaving the raw URL.
* This replaces the version in CI_Form_validation.
*
* @ignore
*/
protected function _strip_image_tags($field)
{
$this->{$field} = strip_image_tags($this->{$field});
}
// --------------------------------------------------------------------
/**
* XSS Clean (prep)
*
* Runs the data through the XSS filtering function, described in the Input Class page.
* This replaces the version in CI_Form_validation.
*
* @ignore
*/
protected function _xss_clean($field, $is_image = FALSE)
{
$this->{$field} = xss_clean($this->{$field}, $is_image);
}
// --------------------------------------------------------------------
/**
* Trim
* Custom trim rule that ignores NULL values
*
* @ignore
*/
protected function _trim($field) {
if( ! empty($this->{$field})) {
$this->{$field} = trim($this->{$field});
}
}
// --------------------------------------------------------------------
/* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
* *
* Common methods *
* *
* The following are common methods used by other methods. *
* *
* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * */
// --------------------------------------------------------------------
/**
* A specialized language lookup function that will automatically
* insert the model, table, and (optional) field into a key, and return the
* language result for the replaced key.
*
* @param string $key Basic key to use
* @param string $field Optional field value
* @return string|bool
*/
public function localize_by_model($key, $field = NULL)
{
$s = array('${model}', '${table}');
$r = array($this->model, $this->table);
if(!is_null($field))
{
$s[] = '${field}';
$r[] = $field;
}
$key = str_replace($s, $r, $key);
return $this->lang->line($key);
}
// --------------------------------------------------------------------
/**
* Variant that handles looking up a field labels
* @param string $field Name of field
* @param string|bool $label If not FALSE overrides default label.
* @return string|bool
*/
public function localize_label($field, $label = FALSE)
{
if($label === FALSE)
{
$label = $field;
if(!empty($this->field_label_lang_format))
{
$label = $this->localize_by_model($this->field_label_lang_format, $field);
if($label === FALSE)
{
$label = $field;
}
}
}
else if(strpos($label, 'lang:') === 0)
{
$label = $this->localize_by_model(substr($label, 5), $field);
}
return $label;
}
// --------------------------------------------------------------------
/**
* Allows you to define has_one relations at runtime
* @param string name of the model to make a relation with
* @param array optional, array with advanced relationship definitions
* @return bool
*/
public function has_one( $parm1 = NULL, $parm2 = NULL )
{
if ( is_null($parm1) && is_null($parm2) )
{
return FALSE;
}
elseif ( is_array($parm2) )
{
return $this->_relationship('has_one', $parm2, $parm1);
}
else
{
return $this->_relationship('has_one', $parm1, 0);
}
}
// --------------------------------------------------------------------
/**
* Allows you to define has_many relations at runtime
* @param string name of the model to make a relation with
* @param array optional, array with advanced relationship definitions
* @return bool
*/
public function has_many( $parm1 = NULL, $parm2 = NULL )
{
if ( is_null($parm1) && is_null($parm2) )
{
return FALSE;
}
elseif ( is_array($parm2) )
{
return $this->_relationship('has_many', $parm2, $parm1);
}
else
{
return $this->_relationship('has_many', $parm1, 0);
}
}
// --------------------------------------------------------------------
/**
* Creates or updates the production schema cache file for this model
* @param void
* @return void
*/
public function production_cache()
{
// if requested, store the item to the production cache
if( ! empty(DataMapper::$config['production_cache']))
{
// check if it's a fully qualified path first
if (!is_dir($cache_folder = DataMapper::$config['production_cache']))
{
// if not, it's relative to the application path
$cache_folder = APPPATH . DataMapper::$config['production_cache'];
}
if(file_exists($cache_folder) && is_dir($cache_folder) && is_writeable($cache_folder))
{
$common_key = DataMapper::$common[DMZ_CLASSNAMES_KEY][strtolower(get_class($this))];
$cache_file = $cache_folder . '/' . $common_key . EXT;
$cache = "<"."?php if ( ! defined('BASEPATH')) exit('No direct script access allowed'); \n";
$cache .= '$cache = ' . var_export(DataMapper::$common[$common_key], TRUE) . ';';
if ( ! $fp = @fopen($cache_file, 'w'))
{
show_error('Error creating production cache file: ' . $cache_file);
}
flock($fp, LOCK_EX);
fwrite($fp, $cache);
flock($fp, LOCK_UN);
fclose($fp);
@chmod($cache_file, FILE_WRITE_MODE);
}
}
}
// --------------------------------------------------------------------
/**
* Define a new relationship for the current model
*/
protected function _relationship($type = '', $definition = array(), $name = 0)
{
// check the parameters
if (empty($type) OR ! in_array($type, array('has_one','has_many')))
{
return FALSE;
}
// allow for simple (old-style) associations
if (is_int($name))
{
// delete the old style entry, we're going to convert it
if (isset($this->{$type}[$name]))
{
unset($this->{$type}[$name]);
}
$name = $definition;
}
// get the current relationships
$new = (array) $this->{$type};
// convert value into array if necessary
if ( ! is_array($definition))
{
$definition = array('class' => $definition);
}
else if ( ! isset($definition['class']))
{
// if already an array, ensure that the class attribute is set
$definition['class'] = $name;
}
if( ! isset($definition['other_field']))
{
// add this model as the model to use in queries if not set
$definition['other_field'] = $this->model;
}
if( ! isset($definition['join_self_as']))
{
// add this model as the model to use in queries if not set
$definition['join_self_as'] = $definition['other_field'];
}
if( ! isset($definition['join_other_as']))
{
// add the key as the model to use in queries if not set
$definition['join_other_as'] = $name;
}
if( ! isset($definition['join_table']))
{
// by default, automagically determine the join table name
$definition['join_table'] = '';
}
if( isset($definition['model_path']))
{
$definition['model_path'] = rtrim($definition['model_path'], '/') . '/';
if ( is_dir($definition['model_path'].'models') && ! in_array($definition['model_path'], self::$model_paths))
{
self::$model_paths[] = $definition['model_path'];
}
}
if(isset($definition['reciprocal']))
{
// only allow a reciprocal relationship to be defined if this is a has_many self relationship
$definition['reciprocal'] = ($definition['reciprocal'] && $type == 'has_many' && $definition['class'] == strtolower(get_class($this)));
}
else
{
$definition['reciprocal'] = FALSE;
}
if(!isset($definition['auto_populate']) OR ! is_bool($definition['auto_populate']))
{
$definition['auto_populate'] = NULL;
}
if(!isset($definition['cascade_delete']) OR ! is_bool($definition['cascade_delete']))
{
$definition['cascade_delete'] = $this->cascade_delete;
}
$new[$name] = $definition;
// load in labels for each not-already-set field
if(!isset($this->validation[$name]))
{
$label = $this->localize_label($name);
if(!empty($label))
{
// label is re-set below, to prevent caching language-based labels
$this->validation[$name] = array('field' => $name, 'rules' => array());
}
}
// replace the old array
$this->{$type} = $new;
}
// --------------------------------------------------------------------
/**
* To Array
*
* Converts this objects current record into an array for database queries.
* If validate is TRUE (getting by objects properties) empty objects are ignored.
*
* @ignore
* @param bool $validate
* @return array
*/
protected function _to_array($validate = FALSE)
{
$data = array();
foreach ($this->fields as $field)
{
if ($validate && ! isset($this->{$field}))
{
continue;
}
$data[$field] = $this->{$field};
}
return $data;
}
// --------------------------------------------------------------------
/**
* Process Query
*
* Converts a query result into an array of objects.
* Also updates this object
*
* @ignore
* @param CI_DB_result $query
*/
protected function _process_query($query)
{
if ($query->num_rows() > 0)
{
// Populate all with records as objects
$this->all = array();
$this->_to_object($this, $query->row());
// don't bother recreating the first item.
$index = ($this->all_array_uses_ids && isset($this->id)) ? $this->id : 0;
$this->all[$index] = $this->get_clone();
if($query->num_rows() > 1)
{
$model = get_class($this);
$first = TRUE;
foreach ($query->result() as $row)
{
if($first)
{
$first = FALSE;
continue;
}
$item = new $model();
$this->_to_object($item, $row);
if($this->all_array_uses_ids && isset($item->id))
{
$this->all[$item->id] = $item;
}
else
{
$this->all[] = $item;
}
}
}
// remove instantiations
$this->_instantiations = NULL;
// free large queries
if($query->num_rows() > $this->free_result_threshold)
{
$query->free_result();
}
}
else
{
// Refresh stored values is called by _to_object normally
$this->_refresh_stored_values();
}
}
// --------------------------------------------------------------------
/**
* To Object
* Copies the values from a query result row to an object.
* Also initializes that object by running get rules, and
* refreshing stored values on the object.
*
* Finally, if any "instantiations" are requested, those related objects
* are created off of query results
*
* This is only public so that the iterator can access it.
*
* @ignore
* @param DataMapper $item Item to configure
* @param object $row Query results
*/
public function _to_object($item, $row)
{
// Populate this object with values from first record
foreach ($row as $key => $value)
{
$item->{$key} = $value;
}
foreach ($this->fields as $field)
{
if (! isset($row->{$field}))
{
$item->{$field} = NULL;
}
}
// Force IDs to integers
foreach($this->_field_tracking['intval'] as $field)
{
if(isset($item->{$field}))
{
$item->{$field} = intval($item->{$field});
}
}
if (!empty($this->_field_tracking['get_rules']))
{
$item->_run_get_rules();
}
$item->_refresh_stored_values();
if($this->_instantiations) {
foreach($this->_instantiations as $related_field => $field_map) {
// convert fields to a 'row' object
$row = new stdClass();
foreach($field_map as $item_field => $c_field) {
$row->{$c_field} = $item->{$item_field};
}
// get the related item
$c =& $item->_get_without_auto_populating($related_field);
// set the values
$c->_to_object($c, $row);
// also set up the ->all array
$c->all = array();
$c->all[0] = $c->get_clone();
}
}
}
// --------------------------------------------------------------------
/**
* Run Get Rules
*
* Processes values loaded from the database
*
* @ignore
*/
protected function _run_get_rules()
{
// Loop through each property to be validated
foreach ($this->_field_tracking['get_rules'] as $field)
{
// Get validation settings
$rules = $this->validation[$field]['get_rules'];
// only process non-empty keys that are not specifically
// set to be null
if( ! isset($this->{$field}) && ! in_array('allow_null', $rules))
{
if(isset($this->has_one[$field]))
{
// automatically process $item_id values
$field = $field . '_id';
if( ! isset($this->{$field}) && ! in_array('allow_null', $rules))
{
continue;
}
} else {
continue;
}
}
// Loop through each rule to validate this property against
foreach ($rules as $rule => $param)
{
// Check for parameter
if (is_numeric($rule))
{
$rule = $param;
$param = '';
}
if($rule == 'allow_null')
{
continue;
}
if (method_exists($this, '_' . $rule))
{
// Run rule from DataMapper or the class extending DataMapper
$result = $this->{'_' . $rule}($field, $param);
}
else if($this->_extension_method_exists('rule_' . $rule))
{
// Run an extension-based rule.
$result = $this->{'rule_' . $rule}($field, $param);
}
else if (method_exists($this->form_validation, $rule))
{
// Run rule from CI Form Validation
$result = $this->form_validation->{$rule}($this->{$field}, $param);
}
else if (function_exists($rule))
{
// Run rule from PHP
$this->{$field} = $rule($this->{$field});
}
}
}
}
// --------------------------------------------------------------------
/**
* Refresh Stored Values
*
* Refreshes the stored values with the current values.
*
* @ignore
*/
protected function _refresh_stored_values()
{
// Update stored values
foreach ($this->fields as $field)
{
$this->stored->{$field} = $this->{$field};
}
// If there is a "matches" validation rule, match the field value with the other field value
foreach ($this->_field_tracking['matches'] as $field_name => $match_name)
{
$this->{$field_name} = $this->stored->{$field_name} = $this->{$match_name};
}
}
// --------------------------------------------------------------------
/**
* Assign Libraries
*
* Originally used by CodeIgniter, now just logs a warning.
*
* @ignore
*/
public function _assign_libraries()
{
log_message('debug', "Warning: A DMZ model ({$this->model}) was either loaded via autoload, or manually. DMZ automatically loads models, so this is unnecessary.");
}
// --------------------------------------------------------------------
/**
* Assign Libraries
*
* Assigns required CodeIgniter libraries to DataMapper.
*
* @ignore
*/
protected function _dmz_assign_libraries()
{
static $CI;
if ($CI || $CI =& get_instance())
{
// make sure these exists to not trip __get()
$this->load = NULL;
$this->config = NULL;
$this->lang = NULL;
// access to the loader
$this->load =& $CI->load;
// to the config
$this->config =& $CI->config;
// and the language class
$this->lang =& $CI->lang;
}
}
// --------------------------------------------------------------------
/**
* Load Languages
*
* Loads required language files.
*
* @ignore
*/
protected function _load_languages()
{
// Load the DataMapper language file
$this->lang->load('datamapper');
}
// --------------------------------------------------------------------
/**
* Load Helpers
*
* Loads required CodeIgniter helpers.
*
* @ignore
*/
protected function _load_helpers()
{
// Load inflector helper for singular and plural functions
$this->load->helper('inflector');
// Load security helper for prepping functions
$this->load->helper('security');
}
}
/**
* Simple class to prevent errors with unset fields.
* @package DMZ
*
* @param string $FIELD Get the error message for a given field or custom error
* @param string $RELATED Get the error message for a given relationship
* @param string $transaction Get the transaction error.
*/
class DM_Error_Object {
/**
* Array of all error messages.
* @var array
*/
public $all = array();
/**
* String containing entire error message.
* @var string
*/
public $string = '';
/**
* All unset fields are returned as empty strings by default.
* @ignore
* @param string $field
* @return string Empty string
*/
public function __get($field) {
return '';
}
}
/**
* Iterator for get_iterated
*
* @package DMZ
*/
class DM_DatasetIterator implements Iterator, Countable
{
/**
* The parent DataMapper object that contains important info.
* @var DataMapper
*/
protected $parent;
/**
* The temporary DM object used in the loops.
* @var DataMapper
*/
protected $object;
/**
* Results array
* @var array
*/
protected $result;
/**
* Number of results
* @var int
*/
protected $count;
/**
* Current position
* @var int
*/
protected $pos;
/**
* @param DataMapper $object Should be cloned ahead of time
* @param DB_result $query result from a CI DB query
*/
function __construct($object, $query)
{
// store the object as a main object
$this->parent = $object;
// clone the parent object, so it can be manipulated safely.
$this->object = $object->get_clone();
// Now get the information on the current query object
$this->result = $query->result();
$this->count = count($this->result);
$this->pos = 0;
}
/**
* Gets the item at the current index $pos
* @return DataMapper
*/
function current()
{
return $this->get($this->pos);
}
function key()
{
return $this->pos;
}
/**
* Gets the item at index $index
* @param int $index
* @return DataMapper
*/
function get($index) {
// clear to ensure that the item is not duplicating data
$this->object->clear();
// set the current values on the object
$this->parent->_to_object($this->object, $this->result[$index]);
return $this->object;
}
function next()
{
$this->pos++;
}
function rewind()
{
$this->pos = 0;
}
function valid()
{
return ($this->pos < $this->count);
}
/**
* Returns the number of results
* @return int
*/
function count()
{
return $this->count;
}
// Alias for count();
function result_count() {
return $this->count;
}
}
// --------------------------------------------------------------------------
/**
* Autoload
*
* Autoloads object classes that are used with DataMapper.
* Must be at end due to implements IteratorAggregate...
*/
spl_autoload_register('DataMapper::autoload');
/* End of file datamapper.php */
/* Location: ./application/models/datamapper.php */
| 0x6a | trunk/application/libraries/datamapper.php | PHP | asf20 | 193,489 |
<html>
<head>
<title>403 Forbidden</title>
</head>
<body>
<p>Directory access is forbidden.</p>
</body>
</html> | 0x6a | trunk/application/hooks/index.html | HTML | asf20 | 114 |
<?php
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
class news_model extends CI_Model {
function __construct($type=null,$init=false)
{
parent::__construct();
$this->cate_type=$type;
$this->HieCats=array();
if($init)$this->HierarchicalCats(0);
}
function get($news_id){
$query=$this->db
->where("news_id",$news_id)
->or_where("news_alias",$news_id)
->get("news");
return $query->row();
}
function get_by_alias_type($news_alias,$type=null){
if($type!=null)$this->db->where('cate_type',$type);
$query=$this->db
->from('news')
->join('categories','cate_id=news_category')
->where(array(
"news_alias"=>$news_alias,
'news_status'=>'true'
))
->get();
return $query->row();
}
function get_in_cate_ids($cate_ids=null){
if($cate_ids!=null){
if(!is_array($cate_ids))$cate_ids=array($cate_ids);
$this->db->where_in('news_category',$cate_ids);
}
$query=$this->db
->where('news_status','true')
->order_by('news_insert','DESC')
->get("news");
return $query->result();
}
function get_in_cate_aliass($cate_aliass=null){
if($cate_aliass!=null){
if(!is_array($cate_aliass))$cate_aliass=array($cate_aliass);
$this->db->where_in('cate_alias',$cate_aliass);
}
$query=$this->db
->from('news')
->join('categories','cate_id=news_category')
->where('news_status','true')
->order_by('news_insert','DESC')
->get();
return $query->result();
}
function get_in_cate_aliass_by_type($cate_aliass=null,$type=null){
if($cate_aliass!=null){
if(!is_array($cate_aliass))$cate_aliass=array($cate_aliass);
$this->db->where_in('cate_alias',$cate_aliass);
}
if($type!=null)$this->db->where('cate_type',$type);
$query=$this->db
->from('news')
->join('categories','cate_id=news_category')
->where('news_status','true')
->order_by('news_insert','DESC')
->get();
return $query->result();
}
function get_by_cate_type($type=null){
if($type!=null)$this->db->where('cate_type',$type);
$query=$this->db
->from('news')
->join('categories','cate_id=news_category')
->where('news_status','true')
->order_by('news_insert','DESC')
->get();
return $query->result();
}
}
?>
| 0x6a | trunk/application/models/news_model.php | PHP | asf20 | 2,987 |
<?php
class gift_model extends CI_Model {
function __construct()
{
parent::__construct();
}
function update($ID,$params){
$this->db
->set('ActiveTime', 'NOW()', FALSE)
->where('ID', $ID)
->update('gift_code_513', $params);
$count = $this->db->affected_rows(); //should return the number of rows affected by the last query
//echo $this->db->last_query();
if($count==1) return true;
return false;
}
function getByUser($UserName=""){
$d=date('d');
$strwhere="(`UserName`='$UserName' or `UserName` is null)";
$query=$this->db
->where($strwhere)
->order_by("UserName","DESC")
->get('gift_code_513',1);
return $query->result();
}
function report($StartDate="",$EndDate=""){
$strwhere="`ActiveTime` IS NOT NULL AND
(
(`ActiveTime` BETWEEN '$StartDate 00:00:00' AND '$EndDate 23:59:59') OR
(`ActiveTime` BETWEEN '$EndDate 00:00:00' AND '$StartDate 23:59:59')
)";
$query=$this->db
->where($strwhere)
->order_by("ActiveTime","DESC")
->get('gift_code_513');
return $query->result();
}
}
?>
| 0x6a | trunk/application/models/events/gift_model.php | PHP | asf20 | 1,362 |
<?php
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
class category_model extends CI_Model {
function __construct($type = null, $init = false) {
parent::__construct();
$this->cate_type = $type;
$this->HieCats = array();
if ($init)
$this->HierarchicalCats(0);
}
function get_cat_by_alias_parent($cate_alias='',$parent=null){
if($parent)$this->db->where("cate_parent", $parent);
$query = $this->db
->where("cate_alias", $cate_alias)
->get("categories");
return $query->row();
}
function get_cat_by_alias_type($cate_alias='',$type=null){
if($type)$this->db->where("cate_type", $type);
$query = $this->db
->where("cate_alias", $cate_alias)
->get("categories");
return $query->row();
}
function get_cat_by_id_parent($cate_id='',$parent=null){
if($parent)$this->db->where("cate_parent", $parent);
$query = $this->db
->where("cate_id", $cate_id)
->get("categories");
return $query->row();
}
function get($cate_id='',$parent=null) {
if($parent)$this->db->where("cate_parent", $parent);
$query = $this->db
->where("cate_id", $cate_id)
// ->or_where("cate_alias", $cate_id)
->get("categories");
return $query->row();
}
function get_by_type($type = null) {
if ($type != null)
$this->db->where('cate_type', $type);
$query = $this->db
->order_by('cate_parent', 'ASC')
->order_by('cate_position', 'ASC')
->order_by('cate_insert', 'DESC')
->get("categories");
return $query->result();
}
function get_in_types($types = null) {
if ($types != null){
if(!is_array($types))$types=array($types);
$this->db->where_in('cate_type', $types);
}
$query = $this->db
->order_by('cate_parent', 'ASC')
->order_by('cate_position', 'ASC')
->order_by('cate_insert', 'DESC')
->get("categories");
return $query->result();
}
function get_by_parent($parent = null) {
if ($parent != null)
$this->db->where('cate_parent', $parent);
$query = $this->db
->order_by('cate_position', 'ASC')
->order_by('cate_insert', 'DESC')
->get("categories");
return $query->result();
}
}
?>
| 0x6a | trunk/application/models/category_model.php | PHP | asf20 | 2,757 |
<?php
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
class customer_model extends backend_model {
function __construct()
{
parent::__construct('customer','cust');
}
function getCustomerByEmail($e=''){
$q=$this->db
->where('cust_email',$e)
->get($this->table);
return $q->row();
}
}
?>
| 0x6a | trunk/application/models/customer_model.php | PHP | asf20 | 561 |
<?php
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
class news_model extends backend_model {
function __construct()
{
parent::__construct('news','news');
}
function get($news_id){
$query=$this->db
->where("news_id",$news_id)
->or_where("news_alias",$news_id)
->get("news");
return $query->row();
}
function get_in_cate_ids($cate_ids=null){
if($cate_ids!=null){
if(!is_array($cate_ids))$cate_ids=array($cate_ids);
$this->db->where_in('news_category',$cate_ids);
}
$query=$this->db
->order_by('news_insert','DESC')
->get("news");
return $query->result();
}
function get_by_cate_type($type=null){
if($type!=null)$this->db->where('cate_type',$type);
$query=$this->db
->from('news')
->join('categories','cate_id=news_category')
->order_by('news_insert','DESC')
->get();
return $query->result();
}
function get_in_cate_type($types=null){
if($types){
if(!is_array($types))$types=array($types);
$this->db->where('cate_type',$types);
}
$query=$this->db
->from('news')
->join('categories','cate_id=news_category')
->order_by('news_insert','DESC')
->get();
return $query->result();
}
function binding($type=null){
//$position=isset($_SESSION["auth"]["user"])?$_SESSION["auth"]["user"]->ause_position:0;
$strQuery="
SELECT SQL_CALC_FOUND_ROWS news_id as _id,news_title,news_alias,news_category,
news_thumb,news_status,news_insert,news_update,news_delete,`cate_title`
FROM `news`
JOIN `categories` ON (`cate_id` = `news_category`)
";
$strWhere="
WHERE true
";
if($type){$type= mysql_real_escape_string($type);$strWhere.=" AND `cate_type` = '$type'";}
// if($_SESSION["ADP"][CCTRL]["display"]===0){
// $strWhere.=" AND `news_delete` IS NULL";
// }elseif($_SESSION["ADP"][CCTRL]["display"]===-1){
// $strWhere.=" AND `news_delete` IS NOT NULL";
// }
$strOrderBy="ORDER BY `news_insert` DESC ";
$strGroupBy="";
$config=array(
"strQuery"=>$strQuery,
"strWhere"=>$strWhere,
"strOrderBy"=>$strOrderBy,
"strGroupBy"=>$strGroupBy,
"usingLimit"=>false,
"fields"=>array(),
"datefields"=>array()
);
$this->init($config);
return $this->jqxBinding();
}
function colmod(){
return array(
array(
"text" =>"ID"
,"datafield" =>"_id"
,"cellsalign" =>"right"
,"width" => 80
//,"hidden" =>true
),
array(
"text" =>"Title"
,"datafield" =>"news_title"
//,"width" => 220
,"editable" =>false
),
array(
"text" =>"Alias"
,"datafield" =>"news_alias"
//,"width" => 220
,"editable" =>false
//,"hidden" =>true
),
// array(
// "text" =>"Category"
// ,"datafield" =>"cate_title"
// //,"width" => 220
// ,"editable" =>false
// ,"hidden" =>true
// ),
array(
"text" =>"Category"
,"datafield" =>"cate_title"
,"columntype" =>"dropdownlist"
,"filtertype" =>"checkedlist"
//,"filteritems" => array("Admin","Administrator","User","Customer","Developer","Partner")
,"width" => 120
,"editable" =>false
),
array(
"text" =>"Active"
,"datafield" =>"news_status"
,"type" =>"bool"
,"width" => 100
,"columntype" =>"checkbox"
,"threestatecheckbox"=> false
,"filtertype" =>"bool"
,"editable" =>true
,"filterable" =>false
//,"hidden" =>true
),
array(
"text" =>"Insert"
,"datafield" =>"news_insert"
,"width" => 120
,"cellsformat" =>'yyyy-MM-dd HH:mm:ss'
//,"hidden" =>true
),
array(
"text" =>"Update"
,"datafield" =>"news_update"
,"width" => 120
,"cellsformat" =>'yyyy-MM-dd HH:mm:ss'
//,"hidden" =>true
),
array(
"text" =>"Delete"
,"datafield" =>"news_delete"
,"width" => 120
,"cellsformat" =>'yyyy-MM-dd HH:mm:ss'
,"hidden" =>true
)
);
}
}
?>
| 0x6a | trunk/application/models/backend/news_model.php | PHP | asf20 | 5,784 |
<?php
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
class base_model extends backend_model {
function __construct($table='',$prefix='')
{
parent::__construct($table,$prefix);
}
// function _get($id){
// $query=$this->db
// ->where($this->prefix.'_id',$id)
// ->get($this->table);
// return $query->row();
// }
//
// function _gets($types=null){
// if($types){
// if(!is_array($types))$types=array($types);
// $this->db->where($this->prefix.'_type',$types);
// }
// $query=$this->db
// ->from($this->table)
// ->order_by($this->prefix.'_insert','DESC')
// ->get();
// return $query->result();
// }
// function _insert($params){
// $this->db->set($this->prefix.'_insert', 'NOW()', FALSE);
// @$this->db->insert($this->table, $params);
// @$count = $this->db->affected_rows(); //should return the number of rows affected by the last query
// if($count==1) return true;
// return false;
// }
// function _delete($id){
// $this->db->set($this->prefix.'_delete', 'NOW()', FALSE);
// $where=array($this->prefix.'_id'=>$id);
// $this->db->where($where);
// $this->db->update($this->table);
// $count = $this->db->affected_rows(); //should return the number of rows affected by the last query
// if($count==1) return true;
// return false;
// }
// function _retore($id){
// $this->db->set($this->prefix.'_delete', 'NULL', FALSE);
// $where=array($this->prefix.'_id'=>$id);
// $this->db->where($where);
// $this->db->update($this->table);
// $count = $this->db->affected_rows(); //should return the number of rows affected by the last query
// if($count==1) return true;
// return false;
// }
// function _update($id,$params){
// $this->db->set($this->prefix.'_update', 'NOW()', FALSE);
// $this->db->where($this->prefix.'_id', $id);
// @$this->db->update($this->table, $params);
// @$count = $this->db->affected_rows(); //should return the number of rows affected by the last query
// if($count==1) return true;
// return false;
// }
}
?>
| 0x6a | trunk/application/models/backend/base_model.php | PHP | asf20 | 2,501 |
<?php
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
class category_model extends Backend_Model {
function __construct()
{
parent::__construct('categories','cate');
}
function gets($type=null){
if($type!=null)$this->db->where('cate_type',$type);
$query=$this->db
->select('cate_title as text,cate_id as value,cate_parent as parentid,cate_id as id')
->order_by('cate_parent', 'ASC')
->order_by('cate_position', 'ASC')
->order_by('cate_insert', 'DESC')
->get('categories');
return $query->result();
}
function treebinding($type=''){
if($type!=null)$this->db->where('cate_type',$type);
$query=$this->db
->select('cate_title as text,cate_id as value,cate_parent as parentid,cate_id as id')
->order_by('cate_parent', 'ASC')
->order_by('cate_position', 'ASC')
->order_by('cate_insert', 'DESC')
->get('categories');
return $query->result();
}
function get_by_type($type=''){
if($type!=null)$this->db->where('cate_type',$type);
$query=$this->db
//->select('cate_id,cate_title,cate_parent,cate_position')
->order_by('cate_parent','ASC')
->order_by('cate_position','ASC')
->order_by('cate_insert','DESC')
->get("categories");
return $query->result();
}
function get_in_types($types = null) {
if ($types != null){
if(!is_array($types))$types=array($types);
$this->db->where_in('cate_type', $types);
}
$query = $this->db
->order_by('cate_parent', 'ASC')
->order_by('cate_position', 'ASC')
->order_by('cate_insert', 'DESC')
->get("categories");
//die($this->db->last_query());
return $query->result();
}
function binding($type=null){
//$position=isset($_SESSION["auth"]["user"])?$_SESSION["auth"]["user"]->ause_position:0;
$strQuery="
SELECT SQL_CALC_FOUND_ROWS `categories`.*,cate_id as _id
FROM `categories`
";
$strWhere="
WHERE true
";
if(!empty($type)){$type= $this->db->escape_str($type);$strWhere.=" AND `cate_type` = '$type'";}
if($_SESSION["ADP"][CCTRL]["display"]===0){
$strWhere.=" AND `cate_delete` IS NULL";
}elseif($_SESSION["ADP"][CCTRL]["display"]===-1){
$strWhere.=" AND `cate_delete` IS NOT NULL";
}
$strOrderBy="ORDER BY `cate_position` ASC,`cate_insert` ASC ";
$strGroupBy="";
$config=array(
"strQuery"=>$strQuery,
"strWhere"=>$strWhere,
"strOrderBy"=>$strOrderBy,
"strGroupBy"=>$strGroupBy,
"usingLimit"=>false,
"fields"=>array(
'cate_display_title'=>'cate_title',
'cate_parent_title'=>'cate_parent'
),
"datefields"=>array()
);
$this->init($config);
return $this->jqxBinding();
}
function buildTree(array $elements, $parentId = 0) {
$branch = array();
foreach ($elements as $element) {
if ($element->cate_parent == $parentId) {
$children = $this->buildTree($elements, $element->cate_id);
if ($children) {
$element->children = $children;
}
$branch[] = $element;
}
}
return $branch;
}
function buildTreeArray(array $elements, $parentId = 0,$level=0,$parent_title='') {
$branch = array();
foreach ($elements as $element) {
if ($element->cate_parent == $parentId) {
$element->cate_level=$level;$element->cate_parent_title=$parent_title;
$element->cate_display_title=repeater('----',$level).$element->cate_title;
$branch[] = $element;
$children = $this->buildTreeArray($elements, $element->cate_id,$level+1,$element->cate_title);
if (!empty($children))foreach ($children as $ch){
$branch[] = $ch;
}
}
}
return $branch;
}
}
class category_basemodel extends Backend_Model {
public $catetory_list;
function __construct($type=null)
{
parent::__construct('categories','cate');
$this->cate_type=$type;
if($type!=null)$this->hierarchy();
}
function treebinding($type=''){
if($type!=null)$this->db->where('cate_type',$type);
$query=$this->db
->select('cate_title as text,cate_id as value,cate_parent as parentid,cate_id as id')
->order_by('cate_parent', 'ASC')
->order_by('cate_position', 'ASC')
->order_by('cate_insert', 'DESC')
->get('categories');
return $query->result();
}
function _gets(){
return $this->get_by_type($this->cate_type);
}
function get_by_type($type=''){
if($type!=null)$this->db->where('cate_type',$type);
$query=$this->db
//->select('cate_id,cate_title,cate_parent,cate_position')
->order_by('cate_parent','ASC')
->order_by('cate_position','ASC')
->order_by('cate_insert','DESC')
->get("categories");
return $query->result();
}
function get_in_types($types = null) {
if ($types != null){
if(!is_array($types))$types=array($types);
$this->db->where_in('cate_type', $types);
}
$query = $this->db
->order_by('cate_parent', 'ASC')
->order_by('cate_position', 'ASC')
->order_by('cate_insert', 'DESC')
->get("categories");
return $query->result();
}
function binding($type=null){
//$position=isset($_SESSION["auth"]["user"])?$_SESSION["auth"]["user"]->ause_position:0;
$strQuery="
SELECT SQL_CALC_FOUND_ROWS c.*,c.cate_id as _id
,(SELECT b.cate_title from `categories` b where c.cate_parent = b.cate_id limit 1) as cate_parent_title
FROM `categories` c
";
$strWhere="
WHERE true
";
if(!empty($type)){$type= $this->db->escape_str($type);$strWhere.=" AND c.cate_type = '$type'";}
if($_SESSION["ADP"][CCTRL]["display"]===0){
$strWhere.=" AND c.cate_delete IS NULL";
}elseif($_SESSION["ADP"][CCTRL]["display"]===-1){
$strWhere.=" AND c.cate_delete IS NOT NULL";
}
$strOrderBy="ORDER BY c.cate_parent, c.cate_position, c.cate_insert DESC ";
$strGroupBy="";
$config=array(
"strQuery"=>$strQuery,
"strWhere"=>$strWhere,
"strOrderBy"=>$strOrderBy,
"strGroupBy"=>$strGroupBy,
"usingLimit"=>false,
"fields"=>array(),
"datefields"=>array()
);
$this->init($config);
return $this->jqxBinding();
}
function colmod(){
return array(
array(
"text" =>"#"
,"datafield" =>"_id"
//,"cellsalign" =>"right"
,"width" => 60
,"filterable" =>false
),
array(
"text" =>"ID"
,"datafield" =>"cate_id"
//,"cellsalign" =>"right"
,"width" => 60
//,"hidden" =>true
),
array(
"text" =>"Thumb"
,"datafield" =>"cate_thumb"
//,"cellsalign" =>"right"
,"width" => 60
,"filterable" =>false
),
array(
"text" =>"Title"
,"datafield" =>"cate_title"
//,"width" => 220
,"editable" =>true
),
array(
"text" =>"Alias"
,"datafield" =>"cate_alias"
,"width" => 120
,"editable" =>false
),
array(
"text" =>"Position"
,"datafield" =>"cate_position"
,"width" => 80
,'type' =>'number'
,'columntype' =>'numberinput'
,"filtertype" =>"number" //textbox,checkedlist,list,number,checkbox,date
//,"cellsformat" =>'n'
,"cellsalign" =>"right"
,"editable" =>true
),
array(
"text" =>"Parent ID"
,"datafield" =>"cate_parent"
,"width" => 80
,"editable" =>false
,"hidden" =>true
),
array(
"text" =>"Parent"
,"datafield" =>"cate_parent_title"
,"width" => 120
,"editable" =>false
,"filterable" =>false
),
array(
"text" =>"Type"
,"datafield" =>"cate_type"
//,"cellsalign" =>"right"
,"width" => 100
//,"hidden" =>true
),
array(
"text" =>"Status"
,"datafield" =>"cate_status"
,"type" =>"bool"
,"width" => 80
,"columntype" =>"checkbox"
,"threestatecheckbox"=> false
,"filtertype" =>"bool"
,"editable" =>true
),
array(
"text" =>"Insert"
,"datafield" =>"cate_insert"
,"width" => 120
,"cellsformat" =>'yyyy-MM-dd HH:mm:ss'
,"hidden" =>true
),
array(
"text" =>"Update"
,"datafield" =>"cate_update"
,"width" => 120
,"cellsformat" =>'yyyy-MM-dd HH:mm:ss'
,"hidden" =>true
),
array(
"text" =>"Delete"
,"datafield" =>"cate_delete"
,"width" => 120
,"cellsformat" =>'yyyy-MM-dd HH:mm:ss'
,"hidden" =>true
)
);
}
function get_child(){
}
function hierarchy($cate_parent=0){
if(!isset($this->cats)){
$this->cats=$this->get_by_type($this->cate_type);
foreach ($this->cats as $c){
$c->aparents=array(0);
$c->achilds=array();
$c->path=$c->cate_alias;
$c->pathname=$c->cate_title;
$this->catetory_list[$c->cate_id]=$c;
}
}
$childs=array();$achilds=null;
foreach ($this->cats as $c){
if($c->cate_parent==$cate_parent){
if(isset($this->catetory_list[$cate_parent])){
$this->catetory_list[$c->cate_id]->level=
$this->catetory_list[$c->cate_id]->cate_level=
$c->level=
$this->catetory_list[$cate_parent]->level+1;
$this->catetory_list[$c->cate_id]->path=
$c->path=
$this->catetory_list[$cate_parent]->path."/".$c->cate_alias;
$this->catetory_list[$c->cate_id]->pathname=
$c->pathname=
$this->catetory_list[$cate_parent]->pathname."/".$c->cate_title;
$this->catetory_list[$c->cate_id]->aparents=
array_unique(
array_merge(
$this->catetory_list[$cate_parent]->aparents,
array($cate_parent)
)
);
}else{
$c->aparents=array(0);
$c->achilds=array();
$c->path=$c->cate_alias;
$c->pathname=$c->cate_title;
$c->level=$c->cate_level=1;
}
$achilds[]=$c->cate_id;
array_push($childs, $c);
$this->hierarchy($c->cate_id);
}
}
if(isset($this->catetory_list[$cate_parent])){
$this->catetory_list[$cate_parent]->childs=$childs;
if($achilds)
$this->catetory_list[$cate_parent]->achilds=
array_unique(
array_merge(
$this->catetory_list[$cate_parent]->achilds,
$achilds
)
);
foreach($this->catetory_list[$cate_parent]->aparents as $p){
if(isset($this->catetory_list[$p]) && $achilds){
$this->catetory_list[$p]->achilds=
array_unique(
array_merge(
$this->catetory_list[$p]->achilds,
$achilds
)
);
}
}
}
}
}
?>
| 0x6a | trunk/application/models/backend/category_model.php | PHP | asf20 | 14,326 |
<?php
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
class user_model extends backend_model {
function __construct()
{
parent::__construct('auth_users','ause');
}
function get($_id){
$query=$this->db
->where("ause_id",$_id)
->get("auth_users");
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
//baotri("$error_message");
return null;
}
$rs = $query->result();
if(isset($rs[0])) {
return $rs[0];
}
return null;
}
function gets(){
$query=$this->db
->where('ause_delete',null)
->order_by('ause_position','DESC')
->order_by('ause_insert','DESC')
->get('auth_users');
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return null;
}
$rs = $query->result();
return $rs;
}
function insert($params){
//$this->db->set('_insert', 'NOW()', FALSE);
@$this->db->insert("auth_users", $params);
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return false;
}
@$count = $this->db->affected_rows(); //should return the number of rows affected by the last query
if($count==1) return true;
return false;
}
function delete($ID){
$this->db->set('ause_delete', 'NOW()', FALSE);
$where=array('ause_id'=>$ID);
$this->db->where($where);
$this->db->update("auth_users");
$count = $this->db->affected_rows(); //should return the number of rows affected by the last query
if($count==1) return true;
return false;
}
function retore($ID){
$this->db->set('ause_delete', 'NULL', FALSE);
$where=array('ause_id'=>$ID);
$this->db->where($where);
$this->db->update("auth_users");
$count = $this->db->affected_rows(); //should return the number of rows affected by the last query
if($count==1) return true;
return false;
}
function update($ID,$params){
$this->db->set('ause_update', 'NOW()', FALSE);
$this->db->where('ause_id', $ID);
@$this->db->update("auth_users", $params);
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return false;
}
@$count = $this->db->affected_rows(); //should return the number of rows affected by the last query
if($count==1) return true;
return false;
}
function getprivileges($_userid){
$query=$this->db
->select("`apri_id`,`apri_name`,`apri_key`,`apri_position`,aupr_user,aupr_permission")
->from("auth_privileges")
->join(
"auth_user_privilege",
'aupr_privilege=apri_id AND aupr_status=\'true\' AND aupr_user=\''.$_userid.'\'',
"left")
->where(array(
//"`auth_user_privilege`.`_user`"=>$_userid,
"`apri_status`"=>"true"
))
->get();
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return null;
}
$rs = $query->result();
return $rs;
}
function insert_onduplicate_update_aupr($aParamsi,$aUpdate){
$this->db->on_duplicate_update('auth_user_privilege', $aUpdate, $aParamsi);
$count = $this->db->affected_rows();
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return false;
}
if($count>0) return $count;
return false;
}
function binding(){
$position=isset($_SESSION["auth"]["user"])?$_SESSION["auth"]["user"]->ause_position:0;
$strQuery="
SELECT SQL_CALC_FOUND_ROWS `auth_users`.*,`auth_groups`.`agrp_name`,ause_id as _id
FROM `auth_users`
LEFT JOIN `auth_groups` ON (`ause_group` = `agrp_id`)
";
$strWhere="
WHERE `ause_position`<=$position
";
if($_SESSION["ADP"][CCTRL]["display"]===0){
$strWhere.=" AND `ause_delete` IS NULL";
}elseif($_SESSION["ADP"][CCTRL]["display"]===-1){
$strWhere.=" AND `ause_delete` IS NOT NULL";
}
$strOrderBy="ORDER BY `ause_insert` DESC ";
$strGroupBy="";
$config=array(
"strQuery"=>$strQuery,
"strWhere"=>$strWhere,
"strOrderBy"=>$strOrderBy,
"strGroupBy"=>$strGroupBy,
"usingLimit"=>false,
"fields"=>array(
),
"datefields"=>array()
);
$this->init($config);
return $this->jqxBinding();
}
function colmod(){
return array(
array(
"text" =>"#"
,"datafield" =>"_id"
,"cellsalign" =>"right"
,"width" => 80
,"filterable" =>false
//,"hidden" =>true
),
array(
"text" =>"ID"
,"datafield" =>"ause_id"
,"cellsalign" =>"right"
,"width" => 80
//,"hidden" =>true
),
array(
"text" =>"Name"
,"datafield" =>"ause_name"
//,"width" => 220
,"editable" =>false
),
array(
"text" =>"Username"
,"datafield" =>"ause_username"
,"width" => 220
,"editable" =>false
,"hidden" =>true
),
array(
"text" =>"Email"
,"datafield" =>"ause_email"
,"width" => 220
,"editable" =>false
//,"hidden" =>true
),
array(
"text" =>"Group"
,"datafield" =>"agrp_name"
,"columntype" =>"dropdownlist"
,"filtertype" =>"list"
,"filteritems" => array("Admin","Administrator","User","Customer","Developer","Partner")
,"width" => 120
,"editable" =>false
),
array(
"text" =>"Active"
,"datafield" =>"ause_status"
,"type" =>"bool"
,"width" => 100
,"columntype" =>"checkbox"
,"threestatecheckbox"=> false
,"filtertype" =>"bool"
,"editable" =>true
,"filterable" =>false
//,"hidden" =>true
),
array(
"text" =>"Insert"
,"datafield" =>"ause_insert"
,"width" => 120
,"cellsformat" =>'yyyy-MM-dd HH:mm:ss'
//,"hidden" =>true
),
array(
"text" =>"Update"
,"datafield" =>"ause_update"
,"width" => 120
,"cellsformat" =>'yyyy-MM-dd HH:mm:ss'
,"hidden" =>true
),
array(
"text" =>"Delete"
,"datafield" =>"ause_delete"
,"width" => 120
,"cellsformat" =>'yyyy-MM-dd HH:mm:ss'
,"hidden" =>true
)
);
}
}
?>
| 0x6a | trunk/application/models/backend/user_model.php | PHP | asf20 | 9,027 |
<?php
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
class privilege_model extends CI_Model {
private $table;
function __construct()
{
parent::__construct();
}
function get($_id){
$query=$this->db
->where("apri_id",$_id)
->get("auth_privileges");
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return null;
}
$rs = $query->result();
if(isset($rs[0])) {
return $rs[0];
}
return null;
}
function gets(){
$query=$this->db
->where('apri_delete',null)
->order_by('apri_position','DESC')
->order_by('apri_insert','DESC')
->get('auth_privileges');
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return null;
}
$rs = $query->result();
return $rs;
}
function insert_onduplicate_update_apri($aParamsi,$aUpdate){
$this->db->on_duplicate_update('auth_privileges', $aUpdate, $aParamsi);
$count = $this->db->affected_rows();
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return false;
}
if($count>0) return $count;
return false;
}
function insert($params){
//$this->db->set('_insert', 'NOW()', FALSE);
@$this->db->insert("auth_privileges", $params);
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return false;
}
@$count = $this->db->affected_rows(); //should return the number of rows affected by the last query
if($count==1) return true;
return false;
}
function delete($ID){
$this->db->set('apri_delete', 'NOW()', FALSE);
$where=array('apri_id'=>$ID);
$this->db->where($where);
$this->db->update("auth_privileges");
$count = $this->db->affected_rows(); //should return the number of rows affected by the last query
if($count==1) return true;
return false;
}
function retore($ID){
$this->db->set('apri_delete', 'NULL', FALSE);
$where=array('apri_id'=>$ID);
$this->db->where($where);
$this->db->update("auth_privileges");
$count = $this->db->affected_rows(); //should return the number of rows affected by the last query
if($count==1) return true;
return false;
}
function update($ID,$params){
//$this->db->set('_update', 'NOW()', FALSE);
$this->db->where('apri_id', $ID);
@$this->db->update("auth_privileges", $params);
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return false;
}
@$count = $this->db->affected_rows(); //should return the number of rows affected by the last query
if($count==1) return true;
return false;
}
}
?>
| 0x6a | trunk/application/models/backend/privilege_model.php | PHP | asf20 | 3,821 |
<?php
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
class gallery_model extends backend_model {
function __construct()
{
parent::__construct('album','albu');
}
}
?>
| 0x6a | trunk/application/models/backend/gallery_model.php | PHP | asf20 | 369 |
<?php
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
class setting_model extends backend_model {
function __construct()
{
parent::__construct('config','conf');
}
function get($_id){
$query=$this->db
->where("conf_id",$_id)
->get("config");
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return null;
}
$rs = $query->result();
if(isset($rs[0])) {
return $rs[0];
}
return null;
}
function gets(){
$query=$this->db
->get('config');
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return null;
}
$rs = $query->result();
return $rs;
}
function insert_onduplicate_update_apri($aParamsi,$aUpdate){
$this->db->on_duplicate_update('config', $aUpdate, $aParamsi);
$count = $this->db->affected_rows();
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return false;
}
if($count>0) return true;
return false;
}
function insert($params){
//$this->db->set('_insert', 'NOW()', FALSE);
@$this->db->insert("config", $params);
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return false;
}
@$count = $this->db->affected_rows(); //should return the number of rows affected by the last query
if($count==1) return true;
return false;
}
function update($ID,$params){
//$this->db->set('_update', 'NOW()', FALSE);
$this->db->where('conf_id', $ID);
@$this->db->update("config", $params);
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return false;
}
@$count = $this->db->affected_rows(); //should return the number of rows affected by the last query
if($count==1) return true;
return false;
}
function binding($type=null){
$strQuery="
SELECT SQL_CALC_FOUND_ROWS `config`.*,`config`.`conf_id` as '_id'
FROM `config`
";
$config=array(
"strQuery"=>$strQuery,
"usingLimit"=>true,
"fields"=>array(),
"datefields"=>array()
);
$this->init($config);
return $this->jqxBinding();
}
function colmod(){
return array(
array(
"text" =>"#"
,"datafield" =>"_id"
,"cellsalign" =>"right"
,"width" => 80
//,"hidden" =>true
),
array(
"text" =>"ID"
,"datafield" =>"conf_id"
,"cellsalign" =>"right"
,"width" => 80
//,"hidden" =>true
),
array(
"text" =>"Name"
,"datafield" =>"conf_name"
,"width" => 220
,"editable" =>true
),
array(
"text" =>"Key"
,"datafield" =>"conf_key"
,"width" => 120
,"editable" =>true
),
array(
"text" =>"Value"
,"datafield" =>"conf_value"
,"width" => 120
,"editable" =>true
//,"hidden" =>true
),
array(
"text" =>"Desc"
,"datafield" =>"conf_desc"
//,"width" => 220
,"editable" =>false
),
);
}
}
?>
| 0x6a | trunk/application/models/backend/setting_model.php | PHP | asf20 | 4,863 |
<?php
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
class auth_model extends CI_Model {
function __construct()
{
parent::__construct();
}
function getuser($_username){
$query=$this->db
->where("ause_username",$_username)
->or_where("ause_email",$_username)
->get("auth_users");
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return null;
}
$rs = $query->result();
if(isset($rs[0])) {
return $rs[0];
}
return null;
}
function getprivileges($_userid){
$query=$this->db
->select("`apri_id`,`apri_name`,`apri_key`,`apri_position`,`aupr_permission`")
->from("auth_user_privilege")
->join("auth_privileges","aupr_privilege=apri_id")
->where(array(
"`aupr_user`"=>$_userid,
"`apri_status`"=>"true"
))
->get();
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return null;
}
$rs = $query->result();
return $rs;
}
function insert_onduplicate_update_aupr($aParamsi,$aUpdate){
$this->db->on_duplicate_update('auth_users', $aUpdate, $aParamsi);
$count = $this->db->affected_rows();
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return false;
}
if($count>0) return $count;
return false;
}
}
?>
| 0x6a | trunk/application/models/backend/auth_model.php | PHP | asf20 | 2,158 |
<?php
/*
* To change this template, choose Tools | Templates
* and open the template in the editor.
*/
/**
* Description of lang_model
*
* @author Truong
*/
class lang_model extends backend_model {
function __construct()
{
parent::__construct('language','lang');
}
function getbykey($id){
$tmp = $this->lang_model->_get($id);
$items=null;
if($tmp){
$items['lang_key']=$tmp->lang_key;
$query=$this->db
->where('lang_key',$tmp->lang_key)
->where_in('lang_language',array('en','vi'))
->get('language');
$rows=$query->result();
foreach ($rows as $row){
$items['text'][$row->lang_language]=$row->lang_text;
}
}
return $items;
}
function insert_on_duplicate($ai,$au){
$this->db->on_duplicate_update('language', $au, $ai);
$count = $this->db->affected_rows();
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return false;
}
if($count>0) return $count;
return false;
}
function colmod(){
return array(
array(
"text" =>"#"
,"datafield" =>"_id"
//,"cellsalign" =>"right"
,"width" => 60
,"filterable" =>false
),
array(
"text" =>"Keywork"
,"datafield" =>"lang_key"
//,"cellsalign" =>"right"
,"width" => 120
,"editable" =>true
),
array(
"text" =>"Text"
,"datafield" =>"lang_text"
//,"width" => 220
,"editable" =>true
),
array(
"text" =>"Page"
,"datafield" =>"lang_set"
,"width" => 80
,"editable" =>true
)
);
}
function binding($lang='en'){
$strQuery="
SELECT SQL_CALC_FOUND_ROWS `language`.*,`language`.`lang_id` as _id
FROM `language`
";
$strWhere="
WHERE true
";
if($lang){$lang= $this->db->escape_str($lang);$strWhere.=" AND `lang_language` = '$lang'";}
$strOrderBy="ORDER BY `lang_key` ASC ";
$strGroupBy="";
$config=array(
"strQuery"=>$strQuery,
"strWhere"=>$strWhere,
"strOrderBy"=>$strOrderBy,
"strGroupBy"=>$strGroupBy,
"usingLimit"=>false,
"fields"=>array(),
"datefields"=>array()
);
$this->init($config);
return $this->jqxBinding();
}
}
?>
| 0x6a | trunk/application/models/backend/lang_model.php | PHP | asf20 | 3,224 |
<?php
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
class frontend_model extends backend_model {
function __construct()
{
parent::__construct('','');
}
function addCustomer($params){
parent::__construct('customer','cust');
return $this->_insert($params);
}
function getCustomerByEmail($e=''){
parent::__construct('customer','cust');
}
function addcontact($params){
parent::__construct('contact','cont');
return $this->_insert($params);
}
}
?>
| 0x6a | trunk/application/models/frontend_model.php | PHP | asf20 | 733 |
<?php
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
class setting_model extends CI_Model {
private $table;
function __construct()
{
parent::__construct();
}
function get($_id){
$query=$this->db
->where("conf_id",$_id)
->get("config");
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return null;
}
$rs = $query->result();
if(isset($rs[0])) {
return $rs[0];
}
return null;
}
function gets(){
$query=$this->db
->get('config');
$error_number = $this->db->_error_number();
$error_message = $this->db->_error_message();
if($error_number!==0){
$_SESSION['auth_db']['errors'][]=$error_message;
return null;
}
$rs = $query->result();
return $rs;
}
function hash(){
$configs=$this->gets();
$tmp=null;
if($configs)foreach ($configs as $c){
$tmp[$c->conf_id]=$c->conf_value;
}
return $tmp;
}
}
?>
| 0x6a | trunk/application/models/setting_model.php | PHP | asf20 | 1,460 |
<html>
<head>
<title>403 Forbidden</title>
</head>
<body>
<p>Directory access is forbidden.</p>
</body>
</html> | 0x6a | trunk/application/models/index.html | HTML | asf20 | 114 |
<?php
/**
* Array Extension for DataMapper classes.
*
* Quickly convert DataMapper models to-and-from PHP arrays.
*
* @license MIT License
* @package DMZ-Included-Extensions
* @category DMZ
* @author Phil DeJarnett
* @link http://www.overzealous.com/dmz/pages/extensions/array.html
* @version 1.0
*/
// --------------------------------------------------------------------------
/**
* DMZ_Array Class
*
* @package DMZ-Included-Extensions
*/
class DMZ_Array {
/**
* Convert a DataMapper model into an associative array.
* If the specified fields includes a related object, the ids from the
* objects are collected into an array and stored on that key.
* This method does not recursively add objects.
*
* @param DataMapper $object The DataMapper Object to convert
* @param array $fields Array of fields to include. If empty, includes all database columns.
* @return array An associative array of the requested fields and related object ids.
*/
function to_array($object, $fields = '')
{
// assume all database columns if $fields is not provided.
if(empty($fields))
{
$fields = $object->fields;
}
else
{
$fields = (array) $fields;
}
$result = array();
foreach($fields as $f)
{
// handle related fields
if(array_key_exists($f, $object->has_one) || array_key_exists($f, $object->has_many))
{
// each related item is stored as an array of ids
// Note: this method will NOT get() the related object.
$rels = array();
foreach($object->{$f} as $item)
{
$rels[] = $item->id;
}
$result[$f] = $rels;
}
else
{
// just the field.
$result[$f] = $object->{$f};
}
}
return $result;
}
/**
* Convert the entire $object->all array result set into an array of
* associative arrays.
*
* @see to_array
* @param DataMapper $object The DataMapper Object to convert
* @param array $fields Array of fields to include. If empty, includes all database columns.
* @return array An array of associative arrays.
*/
function all_to_array($object, $fields = '')
{
// loop through each object in the $all array, convert them to
// an array, and add them to a new array.
$result = array();
foreach($object as $o)
{
$result[] = $o->to_array($fields);
}
return $result;
}
/**
* Convert a single field from the entire $object->all array result set into an a single array
* with the objects' id field as key
*
* @param DataMapper $object The DataMapper Object to convert
* @param string $field to include
* @return array An array of associative arrays.
*/
function all_to_single_array($object, $field = '')
{
// loop through each object in the $all array, convert them to
// an array, and add them to a new array.
$result = array();
if ( ! empty($field) )
{
foreach($object as $o)
{
isset($o->{$field}) and $result[$o->id] = $o->{$field};
}
}
return $result;
}
/**
* Convert an associative array back into a DataMapper model.
*
* If $fields is provided, missing fields are assumed to be empty checkboxes.
*
* @param DataMapper $object The DataMapper Object to save to.
* @param array $data A an associative array of fields to convert.
* @param array $fields Array of 'safe' fields. If empty, only includes the database columns.
* @param bool $save If TRUE, then attempt to save the object automatically.
* @return array|bool A list of newly related objects, or the result of the save if $save is TRUE
*/
function from_array($object, $data, $fields = '', $save = FALSE)
{
// keep track of newly related objects
$new_related_objects = array();
// Assume all database columns.
// In this case, simply store $fields that are in the $data array.
if(empty($fields))
{
$fields = $object->fields;
foreach($data as $k => $v) {
if(in_array($k, $fields))
{
$object->{$k} = $v;
}
}
}
else
{
// If $fields is provided, assume all $fields should exist.
foreach($fields as $f)
{
if(array_key_exists($f, $object->has_one))
{
// Store $has_one relationships
$c = get_class($object->{$f});
$rel = new $c();
$id = isset($data[$f]) ? $data[$f] : 0;
$rel->get_by_id($id);
if($rel->exists())
{
// The new relationship exists, save it.
$new_related_objects[$f] = $rel;
}
else
{
// The new relationship does not exist, delete the old one.
$object->delete($object->{$f}->get());
}
}
else if(array_key_exists($f, $object->has_many))
{
// Store $has_many relationships
$c = get_class($object->{$f});
$rels = new $c();
$ids = isset($data[$f]) ? $data[$f] : FALSE;
if(empty($ids))
{
// if no IDs were provided, delete all old relationships.
$object->delete($object->{$f}->select('id')->get()->all);
}
else
{
// Otherwise, get the new ones...
$rels->where_in('id', $ids)->select('id')->get();
// Store them...
$new_related_objects[$f] = $rels->all;
// And delete any old ones that do not exist.
$old_rels = $object->{$f}->where_not_in('id', $ids)->select('id')->get();
$object->delete($old_rels->all);
}
}
else
{
// Otherwise, if the $data was set, store it...
if(isset($data[$f]))
{
$v = $data[$f];
}
else
{
// Or assume it was an unchecked checkbox, and clear it.
$v = FALSE;
}
$object->{$f} = $v;
}
}
}
if($save)
{
// Auto save
return $object->save($new_related_objects);
}
else
{
// return new objects
return $new_related_objects;
}
}
}
/* End of file array.php */
/* Location: ./application/datamapper/array.php */
| 0x6a | trunk/application/datamapper/array.php | PHP | asf20 | 5,771 |
<?php
/**
* Json Extension for DataMapper classes.
*
* Quickly convert DataMapper models to-and-from JSON syntax.
*
* @license MIT License
* @package DMZ-Included-Extensions
* @category DMZ
* @author Phil DeJarnett
* @link http://www.overzealous.com/dmz/pages/extensions/json.html
* @version 1.1
*/
// --------------------------------------------------------------------------
/**
* DMZ_Json Class
*
* @package DMZ-Included-Extensions
*/
class DMZ_Json {
/**
* Convert a DataMapper model into JSON code.
*
* @param DataMapper $object The DataMapper Object to convert
* @param array $fields Array of fields to include. If empty, includes all database columns.
* @param boolean $pretty_print Format the JSON code for legibility.
* @return string A JSON formatted String, or FALSE if an error occurs.
*/
public function to_json($object, $fields = '', $pretty_print = FALSE)
{
if(empty($fields))
{
$fields = $object->fields;
}
$result = array();
foreach($fields as $f)
{
// handle related fields
if(array_key_exists($f, $object->has_one) || array_key_exists($f, $object->has_many))
{
// each related item is stored as an array of ids
// Note: this method will NOT get() the related object.
$rels = array();
foreach($object->{$f} as $item)
{
$rels[] = $item->id;
}
$result[$f] = $rels;
}
else
{
// just the field.
$result[$f] = $object->{$f};
}
}
$json = json_encode($result);
if($json === FALSE)
{
return FALSE;
}
if($pretty_print)
{
$json = $this->_json_format($json);
}
return $json;
}
/**
* Convert the entire $object->all array result set into JSON code.
*
* @param DataMapper $object The DataMapper Object to convert
* @param array $fields Array of fields to include. If empty, includes all database columns.
* @param boolean $pretty_print Format the JSON code for legibility.
* @return string A JSON formatted String, or FALSE if an error occurs.
*/
public function all_to_json($object, $fields = '', $pretty_print = FALSE)
{
$result = array();
foreach($object as $o)
{
$result[] = $o->to_json($fields);
}
$json = json_encode($result);
if($json === FALSE)
{
return FALSE;
}
if($pretty_print)
{
$json = $this->_json_format($json);
}
return $json;
}
/**
* Convert a JSON object back into a DataMapper model.
*
* @param DataMapper $object The DataMapper Object to save to.
* @param string $json_code A string that contains JSON code.
* @param array $fields Array of 'safe' fields. If empty, only include the database columns.
* @return bool TRUE or FALSE on success or failure of converting the JSON string.
*/
public function from_json($object, $json_code, $fields = '')
{
if(empty($fields))
{
$fields = $object->fields;
}
$data = json_decode($json_code);
if($data === FALSE)
{
return FALSE;
}
foreach($data as $k => $v) {
if(in_array($k, $fields))
{
$object->{$k} = $v;
}
}
return TRUE;
}
/**
* Sets the HTTP Content-Type header to application/json
*
* @param DataMapper $object
*/
public function set_json_content_type($object)
{
$CI =& get_instance();
$CI->output->set_header('Content-Type: application/json');
}
/**
* Formats a JSON string for readability.
*
* From @link http://php.net/manual/en/function.json-encode.php
*
* @param string $json Unformatted JSON
* @return string Formatted JSON
*/
private function _json_format($json)
{
$tab = " ";
$new_json = "";
$indent_level = 0;
$in_string = false;
$json_obj = json_decode($json);
if($json_obj === false)
return false;
$json = json_encode($json_obj);
$len = strlen($json);
for($c = 0; $c < $len; $c++)
{
$char = $json[$c];
switch($char)
{
case '{':
case '[':
if(!$in_string)
{
$new_json .= $char . "\n" . str_repeat($tab, $indent_level+1);
$indent_level++;
}
else
{
$new_json .= $char;
}
break;
case '}':
case ']':
if(!$in_string)
{
$indent_level--;
$new_json .= "\n" . str_repeat($tab, $indent_level) . $char;
}
else
{
$new_json .= $char;
}
break;
case ',':
if(!$in_string)
{
$new_json .= ",\n" . str_repeat($tab, $indent_level);
}
else
{
$new_json .= $char;
}
break;
case ':':
if(!$in_string)
{
$new_json .= ": ";
}
else
{
$new_json .= $char;
}
break;
case '"':
if($c > 0 && $json[$c-1] != '\\')
{
$in_string = !$in_string;
}
default:
$new_json .= $char;
break;
}
}
return $new_json;
}
}
/* End of file json.php */
/* Location: ./application/datamapper/json.php */
| 0x6a | trunk/application/datamapper/json.php | PHP | asf20 | 4,833 |
<?php
/**
* SimpleCache Extension for DataMapper classes.
*
* Allows the usage of CodeIgniter query caching on DataMapper queries.
*
* @license MIT License
* @package DMZ-Included-Extensions
* @category DMZ
* @author Phil DeJarnett
* @link http://www.overzealous.com/dmz/pages/extensions/simplecache.html
* @version 1.0
*/
// --------------------------------------------------------------------------
/**
* DMZ_SimpleCache Class
*
* @package DMZ-Included-Extensions
*/
class DMZ_SimpleCache {
/**
* Allows CodeIgniter's caching method to cache large result sets.
* Call it exactly as get();
*
* @param DataMapper $object The DataMapper Object.
* @return DataMapper The DataMapper object for chaining.
*/
function get_cached($object)
{
if( ! empty($object->_should_delete_cache) )
{
$object->db->cache_delete();
$object->_should_delete_cache = FALSE;
}
$object->db->cache_on();
// get the arguments, but pop the object.
$args = func_get_args();
array_shift($args);
call_user_func_array(array($object, 'get'), $args);
$object->db->cache_off();
return $object;
}
/**
* Clears the cached query the next time get_cached is called.
*
* @param DataMapper $object The DataMapper Object.
* @return DataMapper The DataMapper $object for chaining.
*/
function clear_cache($object)
{
$args = func_get_args();
array_shift($args);
if( ! empty($args)) {
call_user_func_array(array($object->db, 'cache_delete'), $args);
} else {
$object->_should_delete_cache = TRUE;
}
return $object;
}
}
/* End of file simplecache.php */
/* Location: ./application/datamapper/simplecache.php */
| 0x6a | trunk/application/datamapper/simplecache.php | PHP | asf20 | 1,761 |
<?php
/**
* Row Index Extension for DataMapper classes.
*
* Determine the row index for a given ID based on a query.
*
* @license MIT License
* @package DMZ-Included-Extensions
* @category DMZ
* @author Phil DeJarnett
* @link http://www.overzealous.com/dmz/pages/extensions/worindex.html
* @version 1.0
*/
// --------------------------------------------------------------------------
/**
* DMZ_RowIndex Class
*
* @package DMZ-Included-Extensions
*/
class DMZ_RowIndex {
private $first_only = FALSE;
/**
* Given an already-built query and an object's ID, determine what row
* that object has in the query.
*
* @param DataMapper $object THe DataMapper object.
* @param DataMapper|int $id The ID or object to look for.
* @param array $leave_select A list of items to leave in the selection array, overriding the automatic removal.
* @param <type> $distinct_on If TRUE, use DISTINCT ON (not all DBs support this)
* @return bool|int Returns the index of the item, or FALSE if none are found.
*/
public function row_index($object, $id, $leave_select = array(), $distinct_on = FALSE) {
$this->first_only = TRUE;
$result = $this->get_rowindices($object, $id, $leave_select, $distinct_on);
$this->first_only = FALSE;
if(empty($result)) {
return FALSE;
} else {
reset($result);
return key($result);
}
}
/**
* Given an already-built query and an object's ID, determine what row
* that object has in the query.
*
* @param DataMapper $object THe DataMapper object.
* @param DataMapper|array|int $id The ID or object to look for.
* @param array $leave_select A list of items to leave in the selection array, overriding the automatic removal.
* @param bool $distinct_on If TRUE, use DISTINCT ON (not all DBs support this)
* @return array Returns an array of row indices.
*/
public function row_indices($object, $ids, $leave_select = array(), $distinct_on = FALSE) {
$row_indices = array();
if(!is_array($ids)) {
$ids = array($ids);
}
$new_ids = array();
foreach($ids as $id) {
if(is_object($id)) {
$new_ids[] = $id->id;
} else {
$new_ids[] = intval($id);
}
}
if(!is_array($leave_select)) {
$leave_select = array();
}
// duplicate to ensure the query isn't wiped out
$object = $object->get_clone(TRUE);
// remove the unecessary columns
$sort_columns = $this->_orderlist($object->db->ar_orderby);
$ar_select = array();
if(empty($sort_columns) && empty($leave_select)) {
// no sort columns, so just wipe it out.
$object->db->ar_select = NULL;
} else {
// loop through the ar_select, and remove columns that
// are not specified by sorting
$select = $this->_splitselect(implode(', ', $object->db->ar_select));
// find all aliases (they are all we care about)
foreach($select as $alias => $sel) {
if(in_array($alias, $sort_columns) || in_array($alias, $leave_select)) {
$ar_select[] = $sel;
}
}
$object->db->ar_select = NULL;
}
if($distinct_on) {
// to ensure unique items we must DISTINCT ON the same list as the ORDER BY list.
$distinct = 'DISTINCT ON (' . preg_replace("/\s+(asc|desc)/i", "", implode(",", $object->db->ar_orderby)) . ') ';
// add in the DISTINCT ON and the $table.id column. The FALSE prevents the items from being escaped
$object->select($distinct . $object->table.'.id', FALSE);
} else {
$object->select('id');
}
// this ensures that the DISTINCT ON is first, since it must be
$object->db->ar_select = array_merge($object->db->ar_select, $ar_select);
// run the query
$query = $object->get_raw();
foreach($query->result() as $index => $row) {
$id = intval($row->id);
if(in_array($id, $new_ids)) {
$row_indices[$index] = $id;
if($this->first_only) {
break;
}
}
}
// in case the user wants to know
$object->rowindex_total_rows = $query->num_rows();
// return results
return $row_indices;
}
/**
* Processes the order_by array, and converts it into a list
* of non-fully-qualified columns. These might be aliases.
*
* @param array $order_by Original order_by array
* @return array Modified array.
*/
private function _orderlist($order_by) {
$list = array();
$impt_parts_regex = '/([\w]+)([^\(]|$)/';
foreach($order_by as $order_by_string) {
$parts = explode(',', $order_by_string);
foreach($parts as $part) {
// remove optional order marker
$part = preg_replace('/\s+(ASC|DESC)$/i', '', $part);
// remove all functions (might not work well on recursive)
$replacements = 1;
while($replacements > 0) {
$part = preg_replace('/[a-z][\w]*\((.*)\)/i', '$1', $part, -1, $replacements);
}
// now remove all fully-qualified elements (those with tables)
$part = preg_replace('/("[a-z][\w]*"|[a-z][\w]*)\.("[a-z][\w]*"|[a-z][\w]*)/i', '', $part);
// finally, match all whole words left behind
preg_match_all('/([a-z][\w]*)/i', $part, $result, PREG_SET_ORDER);
foreach($result as $column) {
$list[] = $column[0];
}
}
}
return $list;
}
/**
* Splits the select query up into parts.
*
* @param string $select Original select string
* @return array Individual select components.
*/
private function _splitselect($select) {
// splits a select into parameters, then stores them as
// $select[<alias>] = $select_part
$list = array();
$last_pos = 0;
$pos = -1;
while($pos < strlen($select)) {
$pos++;
if($pos == strlen($select) || $select[$pos] == ',') {
// we found an item, process it
$sel = substr($select, $last_pos, $pos-$last_pos);
if(preg_match('/\sAS\s+"?([a-z]\w*)"?\s*$/i', $sel, $matches) != 0) {
$list[$matches[1]] = trim($sel);
}
$last_pos = $pos+1;
} else if($select[$pos] == '(') {
// skip past parenthesized sections
$pos = $this->_splitselect_parens($select, $pos);
}
}
return $list;
}
/**
* Recursively processes parentheses in the select string.
*
* @param string $select Select string.
* @param int $pos current location in the string.
* @return int final position after all recursing is complete.
*/
private function _splitselect_parens($select, $pos) {
while($pos < strlen($select)) {
$pos++;
if($select[$pos] == '(') {
// skip past recursive parenthesized sections
$pos = $this->_splitselect_parens($select, $pos);
} else if($select[$pos] == ')') {
break;
}
}
return $pos;
}
}
/* End of file rowindex.php */
/* Location: ./application/datamapper/rowindex.php */
| 0x6a | trunk/application/datamapper/rowindex.php | PHP | asf20 | 6,544 |
<?php
/**
* Nested Sets Extension for DataMapper classes.
*
* Nested Sets DataMapper model
*
* @license MIT License
* @package DMZ-Included-Extensions
* @category DMZ
* @author WanWizard
* @info Based on nstrees by Rolf Brugger, edutech
* http://www.edutech.ch/contribution/nstrees
* @version 1.0
*/
// --------------------------------------------------------------------------
/**
* DMZ_Nestedsets Class
*
* @package DMZ-Included-Extensions
*/
class DMZ_Nestedsets {
/**
* name of the tree node left index field
*
* @var string
* @access private
*/
private $_leftindex = 'left_id';
/**
* name of the tree node right index field
*
* @var string
* @access private
*/
private $_rightindex = 'right_id';
/**
* name of the tree root id field. Used when the tree contains multiple roots
*
* @var string
* @access private
*/
private $_rootfield = 'root_id';
/**
* value of the root field we need to filter on
*
* @var string
* @access private
*/
private $_rootindex = NULL;
/**
* name of the tree node symlink index field
*
* @var string
* @access private
*/
private $_symlinkindex = 'symlink_id';
/**
* name of the tree node name field, used to build a path string
*
* @var string
* @access private
*/
private $_nodename = NULL;
/**
* indicates with pointers need to be used
*
* @var string
* @access private
*/
private $use_symlink_pointers = TRUE;
// -----------------------------------------------------------------
/**
* Class constructor
*
* @param mixed optional, array of load-time options or NULL
* @param object the DataMapper object
* @return void
* @access public
*/
function __construct( $options = array(), $object = NULL )
{
// do we have the datamapper object
if ( ! is_null($object) )
{
// update the config
$this->tree_config($object, $options);
}
}
// -----------------------------------------------------------------
/**
* runtime configuration of this nestedsets tree
*
* @param object the DataMapper object
* @param mixed optional, array of options or NULL
* @return object the updated DataMapper object
* @access public
*/
function tree_config($object, $options = array() )
{
// make sure the load-time options parameter is an array
if ( ! is_array($options) )
{
$options = array();
}
// make sure the model options parameter is an array
if ( ! isset($object->nestedsets) OR ! is_array($object->nestedsets) )
{
$object->nestedsets = array();
}
// loop through all options
foreach( array( $object->nestedsets, $options ) as $optarray )
{
foreach( $optarray as $key => $value )
{
switch ( $key )
{
case 'name':
$this->_nodename = (string) $value;
break;
case 'symlink':
$this->_symlinkindex = (string) $value;
break;
case 'left':
$this->_leftindex = (string) $value;
break;
case 'right':
$this->_rightindex = (string) $value;
break;
case 'root':
$this->_rootfield = (string) $value;
break;
case 'value':
$this->_rootindex = (int) $value;
break;
case 'follow':
$this->use_symlink_pointers = (bool) $value;
break;
default:
break;
}
}
}
}
// -----------------------------------------------------------------
/**
* select a specific root if the table contains multiple trees
*
* @param object the DataMapper object
* @return object the updated DataMapper object
* @access public
*/
function select_root($object, $tree = NULL)
{
// set the filter value
$this->_rootindex = $tree;
// return the object
return $object;
}
// -----------------------------------------------------------------
// Tree constructors
// -----------------------------------------------------------------
/**
* create a new tree root
*
* @param object the DataMapper object
* @return object the updated DataMapper object
* @access public
*/
function new_root($object)
{
// set the pointers for the root object
$object->id = NULL;
$object->{$this->_leftindex} = 1;
$object->{$this->_rightindex} = 2;
// add a root index if needed
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
$object->{$this->_rootfield} = $this->_rootindex;
}
// create the new tree root, and return the updated object
return $this->_insertNew($object);
}
// -----------------------------------------------------------------
/**
* creates a new first child of 'node'
*
* @param object the DataMapper object
* @param object the parent node
* @return object the updated DataMapper object
* @access public
*/
function new_first_child($object, $node = NULL)
{
// a node passed?
if ( is_null($node) )
{
// no, use the object itself
$node = $object->get_clone();
}
// we need a valid node for this to work
if ( ! $node->exists() )
{
return $node;
}
// set the pointers for the root object
$object->id = NULL;
$object->{$this->_leftindex} = $node->{$this->_leftindex} + 1;
$object->{$this->_rightindex} = $node->{$this->_leftindex} + 2;
// add a root index if needed
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
$object->{$this->_rootfield} = $this->_rootindex;
}
// shift nodes to make room for the new child
$this->_shiftRLValues($node, $object->{$this->_leftindex}, 2);
// create the new tree node, and return the updated object
return $this->_insertNew($object);
}
// -----------------------------------------------------------------
/**
* creates a new last child of 'node'
*
* @param object the DataMapper object
* @param object the parent node
* @return object the updated DataMapper object
* @access public
*/
function new_last_child($object, $node = NULL)
{
// a node passed?
if ( is_null($node) )
{
// no, use the object itself
$node = $object->get_clone();
}
// we need a valid node for this to work
if ( ! $node->exists() )
{
return $node;
}
// set the pointers for the root object
$object->id = NULL;
$object->{$this->_leftindex} = $node->{$this->_rightindex};
$object->{$this->_rightindex} = $node->{$this->_rightindex} + 1;
// add a root index if needed
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
$object->{$this->_rootfield} = $this->_rootindex;
}
// shift nodes to make room for the new child
$this->_shiftRLValues($node, $object->{$this->_leftindex}, 2);
// create the new tree node, and return the updated object
return $this->_insertNew($object);
}
// -----------------------------------------------------------------
/**
* creates a new sibling before 'node'
*
* @param object the DataMapper object
* @param object the sibling node
* @return object the updated DataMapper object
* @access public
*/
function new_previous_sibling($object, $node = NULL)
{
// a node passed?
if ( is_null($node) )
{
// no, use the object itself
$node = $object->get_clone();
}
// we need a valid node for this to work
if ( ! $node->exists() )
{
return $node;
}
// set the pointers for the root object
$object->id = NULL;
$object->{$this->_leftindex} = $node->{$this->_leftindex};
$object->{$this->_rightindex} = $node->{$this->_leftindex} + 1;
// add a root index if needed
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
$object->{$this->_rootfield} = $this->_rootindex;
}
// shift nodes to make room for the new sibling
$this->_shiftRLValues($node, $object->{$this->_leftindex}, 2);
// create the new tree node, and return the updated object
return $this->_insertNew($object);
}
// -----------------------------------------------------------------
/**
* creates a new sibling after 'node'
*
* @param object the DataMapper object
* @param object the sibling node
* @return object the updated DataMapper object
* @access public
*/
function new_next_sibling($object, $node = NULL)
{
// a node passed?
if ( is_null($node) )
{
// no, use the object itself
$node = $object->get_clone();
}
// we need a valid node for this to work
if ( ! $node->exists() )
{
return $node;
}
// set the pointers for the root object
$object->id = NULL;
$object->{$this->_leftindex} = $node->{$this->_rightindex} + 1;
$object->{$this->_rightindex} = $node->{$this->_rightindex} + 2;
// add a root index if needed
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
$object->{$this->_rootfield} = $this->_rootindex;
}
// shift nodes to make room for the new sibling
$this->_shiftRLValues($node, $object->{$this->_leftindex}, 2);
// create the new tree node, and return the updated object
return $this->_insertNew($object);
}
// -----------------------------------------------------------------
// Tree queries
// -----------------------------------------------------------------
/**
* returns the root of the (selected) tree
*
* @param object the DataMapper object
* @return object the updated DataMapper object
* @access public
*/
function get_root($object)
{
// add a root index if needed
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
$object->db->where($this->_rootfield, $this->_rootindex);
}
// get the tree's root node
return $object->where($this->_leftindex, 1)->get();
}
// -----------------------------------------------------------------
/**
* returns the parent of the child 'node'
*
* @param object the DataMapper object
* @param object the child node
* @return object the updated DataMapper object
* @access public
*/
function get_parent($object, $node = NULL)
{
// a node passed?
if ( is_null($node) )
{
// no, use the object itself
$node =& $object;
}
// we need a valid node for this to work
if ( ! $node->exists() )
{
return $node;
}
// add a root index if needed
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
$object->db->where($this->_rootfield, $this->_rootindex);
}
// get the node's parent node
$object->where($this->_leftindex . ' <', $node->{$this->_leftindex});
$object->where($this->_rightindex . ' >', $node->{$this->_rightindex});
return $object->order_by($this->_rightindex, 'asc')->limit(1)->get();
}
// -----------------------------------------------------------------
/**
* returns the node with the requested left index pointer
*
* @param object the DataMapper object
* @param integer a node's left index value
* @return object the updated DataMapper object
* @access public
*/
function get_node_where_left($object, $left_id)
{
// add a root index if needed
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
$object->db->where($this->_rootfield, $this->_rootindex);
}
// get the node's parent node
$object->where($this->_leftindex, $left_id);
return $object->get();
}
// -----------------------------------------------------------------
/**
* returns the node with the requested right index pointer
*
* @param object the DataMapper object
* @param integer a node's right index value
* @return object the updated DataMapper object
* @access public
*/
function get_node_where_right($object, $right_id)
{
// add a root index if needed
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
$object->db->where($this->_rootfield, $this->_rootindex);
}
// get the node's parent node
$object->where($this->_rightindex, $right_id);
return $object->get();
}
// -----------------------------------------------------------------
/**
* returns the first child of the given node
*
* @param object the DataMapper object
* @param object the parent node
* @return object the updated DataMapper object
* @access public
*/
function get_first_child($object, $node = NULL)
{
// a node passed?
if ( is_null($node) )
{
// no, use the object itself
$node =& $object;
}
// we need a valid node for this to work
if ( ! $node->exists() )
{
return $node;
}
// add a root index if needed
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
$object->db->where($this->_rootfield, $this->_rootindex);
}
// get the node's first child node
$object->where($this->_leftindex, $node->{$this->_leftindex}+1);
return $object->get();
}
// -----------------------------------------------------------------
/**
* returns the last child of the given node
*
* @param object the DataMapper object
* @param object the parent node
* @return object the updated DataMapper object
* @access public
*/
function get_last_child($object, $node = NULL)
{
// a node passed?
if ( is_null($node) )
{
// no, use the object itself
$node =& $object;
}
// we need a valid node for this to work
if ( ! $node->exists() )
{
return $node;
}
// add a root index if needed
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
$object->db->where($this->_rootfield, $this->_rootindex);
}
// get the node's last child node
$object->where($this->_rightindex, $node->{$this->_rightindex}-1);
return $object->get();
}
// -----------------------------------------------------------------
/**
* returns the previous sibling of the given node
*
* @param object the DataMapper object
* @param object the sibling node
* @return object the updated DataMapper object
* @access public
*/
function get_previous_sibling($object, $node = NULL)
{
// a node passed?
if ( is_null($node) )
{
// no, use the object itself
$node =& $object;
}
// we need a valid node for this to work
if ( ! $node->exists() )
{
return $node;
}
// add a root index if needed
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
$object->db->where($this->_rootfield, $this->_rootindex);
}
// get the node's previous sibling node
$object->where($this->_rightindex, $node->{$this->_leftindex}-1);
return $object->get();
}
// -----------------------------------------------------------------
/**
* returns the next sibling of the given node
*
* @param object the DataMapper object
* @param object the sibling node
* @return object the updated DataMapper object
* @access public
*/
function get_next_sibling($object, $node = NULL)
{
// a node passed?
if ( is_null($node) )
{
// no, use the object itself
$node =& $object;
}
// we need a valid node for this to work
if ( ! $node->exists() )
{
return $node;
}
// add a root index if needed
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
$object->db->where($this->_rootfield, $this->_rootindex);
}
// get the node's next sibling node
$object->where($this->_leftindex, $node->{$this->_rightindex}+1);
return $object->get();
}
// -----------------------------------------------------------------
// Boolean tree functions
// -----------------------------------------------------------------
/**
* check if the object is a valid tree node
*
* @param object the DataMapper object
* @return boolean
* @access public
*/
function is_valid_node($object)
{
if ( ! $object->exists() )
{
return FALSE;
}
elseif ( ! isset($object->{$this->_leftindex}) OR ! is_numeric($object->{$this->_leftindex}) OR $object->{$this->_leftindex} <=0 )
{
return FALSE;
}
elseif ( ! isset($object->{$this->_rightindex}) OR ! is_numeric($object->{$this->_rightindex}) OR $object->{$this->_rightindex} <=0 )
{
return FALSE;
}
elseif ( $object->{$this->_leftindex} >= $object->{$this->_rightindex} )
{
return FALSE;
}
elseif ( ! empty($this->_rootfield) && ! in_array($this->_rootfield, $object->fields) )
{
return FALSE;
}
elseif ( ! empty($this->_rootfield) && ( ! is_numeric($object->{$this->_rootfield}) OR $object->{$this->_rootfield} <=0 ) )
{
return FALSE;
}
// all looks well...
return TRUE;
}
// -----------------------------------------------------------------
/**
* check if the object is a tree root
*
* @param object the DataMapper object
* @return boolean
* @access public
*/
function is_root($object)
{
return ( $object->exists() && $this->is_valid_node($object) && $object->{$this->_leftindex} == 1 );
}
// -----------------------------------------------------------------
/**
* check if the object is a tree leaf (node with no children)
*
* @param object the DataMapper object
* @return boolean
* @access public
*/
function is_leaf($object)
{
return ( $object->exists() && $this->is_valid_node($object) && $object->{$this->_rightindex} - $object->{$this->_leftindex} == 1 );
}
// -----------------------------------------------------------------
/**
* check if the object is a child node
*
* @param object the DataMapper object
* @return boolean
* @access public
*/
function is_child($object)
{
return ( $object->exists() && $this->is_valid_node($object) && $object->{$this->_leftindex} > 1 );
}
// -----------------------------------------------------------------
/**
* check if the object is a child of node
*
* @param object the DataMapper object
* @param object the parent node
* @return boolean
* @access public
*/
function is_child_of($object, $node = NULL)
{
// validate the objects
if ( ! $this->is_valid_node($object) OR ! $this->is_valid_node($node) ) {
return FALSE;
}
return ( $object->{$this->_leftindex} > $node->{$this->_leftindex} && $object->{$this->_rightindex} < $node->{$this->_rightindex} );
}
// -----------------------------------------------------------------
/**
* check if the object is the parent of node
*
* @param object the DataMapper object
* @param object the parent node
* @return boolean
* @access public
*/
function is_parent_of($object, $node = NULL)
{
// validate the objects
if ( ! $this->is_valid_node($object) OR ! $this->is_valid_node($node) )
{
return FALSE;
}
// fetch the parent of our child node
$parent = $node->get_clone()->get_parent();
return ( $parent->id === $object->id );
}
// -----------------------------------------------------------------
/**
* check if the object has a parent
*
* Note: this is an alias for is_child()
*
* @param object the DataMapper object
* @return boolean
* @access public
*/
function has_parent($object)
{
return $this->is_child($object);
}
// -----------------------------------------------------------------
/**
* check if the object has children
*
* Note: this is an alias for ! is_leaf()
*
* @param object the DataMapper object
* @return boolean
* @access public
*/
function has_children($object)
{
return $this->is_leaf($object) ? FALSE : TRUE;
}
// -----------------------------------------------------------------
/**
* check if the object has a previous silbling
*
* @param object the DataMapper object
* @return boolean
* @access public
*/
function has_previous_sibling($object)
{
// fetch the result using a clone
$node = $object->get_clone();
return $this->is_valid_node($node->get_previous_sibling($object));
}
// -----------------------------------------------------------------
/**
* check if the object has a next silbling
*
* @param object the DataMapper object
* @return boolean
* @access public
*/
function has_next_sibling($object)
{
// fetch the result using a clone
$node = $object->get_clone();
return $this->is_valid_node($node->get_next_sibling($object));
}
// -----------------------------------------------------------------
// Integer tree functions
// -----------------------------------------------------------------
/**
* return the count of the objects children
*
* @param object the DataMapper object
* @return integer
* @access public
*/
function count_children($object)
{
return ( $object->exists() ? (($object->{$this->_rightindex} - $object->{$this->_leftindex} - 1) / 2) : FALSE );
}
// -----------------------------------------------------------------
/**
* return the node level, where the root = 0
*
* @param object the DataMapper object
* @return mixed integer, of FALSE in case no valid object was passed
* @access public
*/
function level($object)
{
if ( $object->exists() )
{
// add a root index if needed
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
$object->db->where($this->_rootfield, $this->_rootindex);
}
$object->where($this->_leftindex.' <', $object->{$this->_leftindex});
$object->where($this->_rightindex.' >', $object->{$this->_rightindex});
return $object->count();
}
else
{
return FALSE;
}
}
// -----------------------------------------------------------------
// Tree reorganisation
// -----------------------------------------------------------------
/**
* move the object as next sibling of 'node'
*
* @param object the DataMapper object
* @param object the sibling node
* @return object the updated DataMapper object
* @access public
*/
function make_next_sibling_of($object, $node)
{
if ( ! $this->is_root($node) )
{
return $this->_moveSubtree($object, $node, $node->{$this->_rightindex}+1);
}
else
{
return FALSE;
}
}
// -----------------------------------------------------------------
/**
* move the object as previous sibling of 'node'
*
* @param object the DataMapper object
* @param object the sibling node
* @return object the updated DataMapper object
* @access public
*/
function make_previous_sibling_of($object, $node)
{
if ( ! $this->is_root($node) )
{
return $this->_moveSubtree($object, $node, $node->{$this->_leftindex});
}
else
{
return FALSE;
}
}
// -----------------------------------------------------------------
/**
* move the object as first child of 'node'
*
* @param object the DataMapper object
* @param object the sibling node
* @return object the updated DataMapper object
* @access public
*/
function make_first_child_of($object, $node)
{
return $this->_moveSubtree($object, $node, $node->{$this->_leftindex}+1);
}
// -----------------------------------------------------------------
/**
* move the object as last child of 'node'
*
* @param object the DataMapper object
* @param object the sibling node
* @return object the updated DataMapper object
* @access public
*/
function make_last_child_of($object, $node)
{
return $this->_moveSubtree($object, $node, $node->{$this->_rightindex});
}
// -----------------------------------------------------------------
// Tree destructors
// -----------------------------------------------------------------
/**
* deletes the entire tree structure including all records
*
* @param object the DataMapper object
* @param mixed optional, id of the tree to delete
* @return object the updated DataMapper object
* @access public
*/
function remove_tree($object, $tree_id = NULL)
{
// if we have multiple roots
if ( in_array($this->_rootfield, $object->fields) )
{
// was a tree id passed?
if ( ! is_null($tree_id) )
{
// only delete the selected one
$object->db->where($this->_rootfield, $tree_id)->delete($object->table);
}
elseif ( ! is_null($this->_rootindex) )
{
// only delete the selected one
$object->db->where($this->_rootfield, $this->_rootindex)->delete($object->table);
}
else
{
// delete them all
$object->db->truncate($object->table);
}
}
else
{
// delete them all
$object->db->truncate($object->table);
}
// return the cleared object
return $object->clear();
}
// -----------------------------------------------------------------
/**
* deletes the current object, and all childeren
*
* @param object the DataMapper object
* @return object the updated DataMapper object
* @access public
*/
function remove_node($object)
{
// we need a valid node to do this
if ( $object->exists() )
{
// if we have multiple roots
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
// only delete the selected one
$object->db->where($this->_rootfield, $this->_rootindex);
}
// clone the object, we need to it shift later
$clone = $object->get_clone();
// select the node and all children
$object->db->where($this->_leftindex . ' >=', $object->{$this->_leftindex});
$object->db->where($this->_rightindex . ' <=', $object->{$this->_rightindex});
// delete them all
$object->db->delete($object->table);
// re-index the tree
$this->_shiftRLValues($clone, $object->{$this->_rightindex} + 1, $clone->{$this->_leftindex} - $object->{$this->_rightindex} -1);
}
// return the cleared object
return $object->clear();
}
// -----------------------------------------------------------------
// dump methods
// -----------------------------------------------------------------
/**
* returns the tree in a key-value format suitable for html dropdowns
*
* @param object the DataMapper object
* @param string optional, name of the column to use
* @param boolean if true, the object itself (root of the dump) will not be included
* @return array
* @access public
*/
public function dump_dropdown($object, $field = FALSE, $skip_root = TRUE)
{
// check if a specific field has been requested
if ( empty($field) OR ! isset($this->fields[$field]) )
{
// no field given, check if a generic name is defined
if ( ! empty($this->_nodename) )
{
// yes, so use it
$field = $this->_nodename;
}
else
{
// can't continue without a name
return FALSE;
}
}
// fetch the tree as an array
$tree = $this->dump_tree($object, NULL, 'array', $skip_root);
// storage for the result
$result = array();
if ( $tree )
{
// loop trough the tree
foreach ( $tree as $key => $value )
{
$result[$value['__id']] = str_repeat(' ', ($value['__level']) * 3) . ($value['__level'] ? '» ' : '') . $value[$field];
}
}
// return the result
return $result;
}
// -----------------------------------------------------------------
/**
* dumps the entire tree in HTML or TAB formatted output
*
* @param object the DataMapper object
* @param array list of columns to include in the dump
* @param string type of output requested, possible values 'html', 'tab', 'csv', 'array' ('array' = default)
* @param boolean if true, the object itself (root of the dump) will not be included
* @return mixed
* @access public
*/
public function dump_tree($object, $attributes = NULL, $type = 'array', $skip_root = TRUE)
{
if ( $this->is_valid_node($object) )
{
// do we need a sub-selection of attributes?
if ( is_array($attributes) )
{
// make sure required fields are present
$fields = array_merge($attributes, array('id', $this->_leftindex, $this->_rightindex));
if ( ! empty($this->_nodename) && ! isset($fields[$this->_nodename] ) )
{
$fields[] = $this->_nodename;
}
// add a select
$object->db->select($fields);
}
// create the where clause for this query
if ( $skip_root === TRUE )
{
// select only all children
$object->db->where($this->_leftindex . ' >', $object->{$this->_leftindex});
$object->db->where($this->_rightindex . ' <', $object->{$this->_rightindex});
$level = -1;
}
else
{
// select the node and all children
$object->db->where($this->_leftindex . ' >=', $object->{$this->_leftindex});
$object->db->where($this->_rightindex . ' <=', $object->{$this->_rightindex});
$level = -2;
}
// if we have multiple roots
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
// only delete the selected one
$object->db->where($this->_rootfield, $this->_rootindex);
}
// fetch the result
$result = $object->db->order_by($this->_leftindex)->get($object->table)->result_array();
// store the last left pointer
$last_left = $object->{$this->_leftindex};
// create the path
if ( ! empty($this->_nodename) )
{
$path = array( $object->{$this->_nodename} );
}
else
{
$path = array();
}
// add level and path to the result
foreach ( $result as $key => $value )
{
// for now, just store the ID
$result[$key]['__id'] = $value['id'];
// calculate the nest level of this node
$level += $last_left - $value[$this->_leftindex] + 2;
$last_left = $value[$this->_leftindex];
$result[$key]['__level'] = $level;
// create the relative path to this node
$result[$key]['__path'] = '';
if ( ! empty($this->_nodename) )
{
$path[$level] = $value[$this->_nodename];
for ( $i = 0; $i <= $level; $i++ )
{
$result[$key]['__path'] .= '/' . $path[$i];
}
}
}
// convert the result to output
if ( in_array($type, array('tab', 'csv', 'html')) )
{
// storage for the result
$convert = '';
// loop through the elements
foreach ( $result as $key => $value )
{
// prefix based on requested type
switch ($type)
{
case 'tab';
$convert .= str_repeat("\t", $value['__level'] * 4 );
break;
case 'csv';
break;
case 'html';
$convert .= str_repeat(" ", $value['__level'] * 4 );
break;
}
// print the attributes requested
if ( ! is_null($attributes) )
{
$att = reset($attributes);
while($att){
if ( is_numeric($value[$att]) )
{
$convert .= $value[$att];
}
else
{
$convert .= '"'.$value[$att].'"';
}
$att = next($attributes);
if ($att)
{
$convert .= ($type == 'csv' ? "," : " ");
}
}
}
// postfix based on requested type
switch ($type)
{
case 'tab';
$convert .= "\n";
break;
case 'csv';
$convert .= "\n";
break;
case 'html';
$convert .= "<br />";
break;
}
}
return $convert;
}
else
{
return $result;
}
}
return FALSE;
}
// -----------------------------------------------------------------
// internal methods
// -----------------------------------------------------------------
/**
* makes room for a new node (or nodes) by shifting the left and right
* id's of nodes with larger values than our object by $delta
*
* note that $delta can also be negative!
*
* @param object the DataMapper object
* @param integer left value of the start node
* @param integer number of positions to shift
* @return object the updated DataMapper object
* @access private
*/
private function _shiftRLValues($object, $first, $delta)
{
// we need a valid object
if ( $object->exists() )
{
// if we have multiple roots
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
// select the correct one
$object->where($this->_rootfield, $this->_rootindex);
}
// set the delta
$delta = $delta >= 0 ? (' + '.$delta) : (' - '.(abs($delta)));
// select the range
$object->where($this->_leftindex.' >=', $first);
$object->update(array($this->_leftindex => $this->_leftindex.$delta), FALSE);
// if we have multiple roots
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
// select the correct one
$object->where($this->_rootfield, $this->_rootindex);
}
// select the range
$object->where($this->_rightindex.' >=', $first);
$object->update(array($this->_rightindex => $this->_rightindex.$delta), FALSE);
}
// return the object
return $object;
}
// -----------------------------------------------------------------
/**
* shifts a range of nodes up or down the left and right index by $delta
*
* note that $delta can also be negative!
*
* @param object the DataMapper object
* @param integer left value of the start node
* @param integer right value of the end node
* @param integer number of positions to shift
* @return object the updated DataMapper object
* @access private
*/
private function _shiftRLRange($object, $first, $last, $delta)
{
// we need a valid object
if ( $object->exists() )
{
// if we have multiple roots
if ( in_array($this->_rootfield, $object->fields) && ! is_null($this->_rootindex) )
{
// select the correct one
$object->where($this->_rootfield, $this->_rootindex);
}
// select the range
$object->where($this->_leftindex.' >=', $first);
$object->where($this->_rightindex.' <=', $last);
// set the delta
$delta = $delta >= 0 ? (' + '.$delta) : (' - '.(abs($delta)));
$object->update(array($this->_leftindex => $this->_leftindex.$delta, $this->_rightindex => $this->_rightindex.$delta), FALSE);
}
// return the object
return $object;
}
// -----------------------------------------------------------------
/**
* inserts a new record into the tree
*
* @param object the DataMapper object
* @return object the updated DataMapper object
* @access private
*/
private function _insertNew($object)
{
// for now, just save the object
$object->save();
// return the object
return $object;
}
// -----------------------------------------------------------------
/**
* move a section of the tree to another location within the tree
*
* @param object the DataMapper object we're going to move
* @param integer the destination node's left id value
* @return object the updated DataMapper object
* @access private
*/
private function _moveSubtree($object, $node, $destination_id)
{
// if we have multiple roots
if ( in_array($this->_rootfield, $object->fields) )
{
// make sure both nodes are part of the same tree
if ( $object->{$this->_rootfield} != $node->{$this->_rootfield} )
{
return FALSE;
}
}
// determine the size of the tree to move
$treesize = $object->{$this->_rightindex} - $object->{$this->_leftindex} + 1;
// get the objects left- and right pointers
$left_id = $object->{$this->_leftindex};
$right_id = $object->{$this->_rightindex};
// shift to make some space
$this->_shiftRLValues($node, $destination_id, $treesize);
// correct pointers if there were shifted to
if ($object->{$this->_leftindex} >= $destination_id)
{
$left_id += $treesize;
$right_id += $treesize;
}
// enough room now, start the move
$this->_shiftRLRange($node, $left_id, $right_id, $destination_id - $left_id);
// and correct index values after the source
$this->_shiftRLValues($object, $right_id + 1, -$treesize);
// return the object
return $object->get_by_id($object->id);
}
}
/* End of file nestedsets.php */
/* Location: ./application/datamapper/nestedsets.php */
| 0x6a | trunk/application/datamapper/nestedsets.php | PHP | asf20 | 35,436 |
<?php
/**
* CSV Extension for DataMapper classes.
*
* Quickly import and export a set of DataMapper models to-and-from CSV files.
*
* @license MIT License
* @package DMZ-Included-Extensions
* @category DMZ
* @author Phil DeJarnett
* @link http://www.overzealous.com/dmz/pages/extensions/csv.html
* @version 1.0
*/
// --------------------------------------------------------------------------
/**
* DMZ_CSV Class
*
* @package DMZ-Included-Extensions
*/
class DMZ_CSV {
/**
* Convert a DataMapper model into an associative array.
*
* @param DataMapper $object The DataMapper Object to export
* @param mixed filename The filename to export to, or a file pointer. If this is a file pointer, it will not be closed.
* @param array $fields Array of fields to include. If empty, includes all database columns.
* @param bool $include_header If FALSE the header is not exported with the CSV. Not recommended if planning to import this data.
* @return bool TRUE on success, or FALSE on failure.
*/
function csv_export($object, $filename, $fields = '', $include_header = TRUE)
{
// determine the correct field set.
if(empty($fields))
{
$fields = $object->fields;
}
$success = TRUE;
// determine if we need to open the file or not.
if(is_string($filename))
{
// open the file, if possible.
$fp = fopen($filename, 'w');
if($fp === FALSE)
{
log_message('error', 'CSV Extension: Unable to open file ' . $filename);
return FALSE;
}
}
else
{
// assume file pointer.
$fp = $filename;
}
if($include_header)
{
// Print out header line
$success = fputcsv($fp, $fields);
}
if($success)
{
foreach($object as $o)
{
// convert each object into an array
$result = array();
foreach($fields as $f)
{
$result[] = $o->{$f};
}
// output CSV-formatted line
$success = fputcsv($fp, $result);
if(!$success)
{
// stop on first failure.
break;
}
}
}
if(is_string($filename))
{
fclose($fp);
}
return $success;
}
/**
* Import objects from a CSV file.
*
* Completely empty rows are automatically skipped, as are rows that
* start with a # sign (assumed to be comments).
*
* @param DataMapper $object The type of DataMapper Object to import
* @param mixed $filename Name of CSV file, or a file pointer.
* @param array $fields If empty, the database fields are used. Otherwise used to limit what fields are saved.
* @param boolean $header_row If true, the first line is assumed to be a header row. Defaults to true.
* @param mixed $callback A callback method for each row. Can return FALSE on failure to save, or 'stop' to stop the import.
* @return array Array of imported objects, or FALSE if unable to import.
*/
function csv_import($object, $filename, $fields = '', $header_row = TRUE, $callback = NULL)
{
$class = get_class($object);
if(empty($fields))
{
$fields = $object->fields;
}
// determine if we need to open the file or not.
if(is_string($filename))
{
// open the file, if possible.
$fp = fopen($filename, 'r');
if($fp === FALSE)
{
log_message('error', 'CSV Extension: Unable to open file ' . $filename);
return FALSE;
}
}
else
{
// assume file pointer.
$fp = $filename;
}
if(empty($callback))
{
$result = array();
}
else
{
$result = 0;
}
$columns = NULL;
while(($data = fgetcsv($fp)) !== FALSE)
{
// get column names
if(is_null($columns))
{
if($header_row)
{
// store header row for column names
$columns = $data;
// only include columns in $fields
foreach($columns as $index => $name)
{
if( ! in_array($name, $fields))
{
// mark column as false to skip
$columns[$index] = FALSE;
}
}
continue;
}
else
{
$columns = $fields;
}
}
// skip on comments and empty rows
if(empty($data) || $data[0][0] == '#' || implode('', $data) == '')
{
continue;
}
// create the object to save
$o = new $class();
foreach($columns as $index => $key)
{
if(count($data) <= $index)
{
// more header columns than data columns
break;
}
// skip columns that were determined to not be needed above.
if($key === FALSE)
{
continue;
}
// finally, it's OK to save the data column.
$o->{$key} = $data[$index];
}
if( empty($callback))
{
$result[] = $o;
}
else
{
$test = call_user_func($callback, $o);
if($test === 'stop')
{
break;
}
if($test !== FALSE)
{
$result++;
}
}
}
if(is_string($filename))
{
fclose($fp);
}
return $result;
}
}
/* End of file csv.php */
/* Location: ./application/datamapper/csv.php */
| 0x6a | trunk/application/datamapper/csv.php | PHP | asf20 | 4,886 |
<?php
/**
* HTMLForm Extension for DataMapper classes.
*
* A powerful extension that allows one to quickly
* generate standardized forms off a DMZ object.
*
* @license MIT License
* @package DMZ-Included-Extensions
* @category DMZ
* @author Phil DeJarnett
* @link http://www.overzealous.com/dmz/pages/extensions/htmlform.html
* @version 1.0
*/
// --------------------------------------------------------------------------
/**
* DMZ_HTMLForm Class
*
* @package DMZ-Included-Extensions
*/
class DMZ_HTMLForm {
// this is the default template (view) to use for the overall form
var $form_template = 'dmz_htmlform/form';
// this is the default template (view) to use for the individual rows
var $row_template = 'dmz_htmlform/row';
// this is the default template (view) to use for the individual rows
var $section_template = 'dmz_htmlform/section';
var $auto_rule_classes = array(
'integer' => 'integer',
'numeric' => 'numeric',
'is_natural' => 'natural',
'is_natural_no_zero' => 'positive_int',
'valid_email' => 'email',
'valid_ip' => 'ip',
'valid_base64' => 'base64',
'valid_date' => 'date',
'alpha_dash_dot' => 'alpha_dash_dot',
'alpha_slash_dot' => 'alpha_slash_dot',
'alpha' => 'alpha',
'alpha_numeric' => 'alpha_numeric',
'alpha_dash' => 'alpha_dash',
'required' => 'required'
);
function __construct($options = array(), $object = NULL) {
if (is_array($options) )
{
foreach($options as $k => $v)
{
$this->{$k} = $v;
}
}
$this->CI =& get_instance();
$this->load = $this->CI->load;
}
// --------------------------------------------------------------------------
/**
* Render a single field. Can be used to chain together multiple fields in a column.
*
* @param object $object The DataMapper Object to use.
* @param string $field The field to render.
* @param string $type The type of field to render.
* @param array $options Various options to modify the output.
* @return Rendered String.
*/
function render_field($object, $field, $type = NULL, $options = NULL)
{
$value = '';
if(array_key_exists($field, $object->has_one) || array_key_exists($field, $object->has_many))
{
// Create a relationship field
$one = array_key_exists($field, $object->has_one);
// attempt to look up the current value(s)
if( ! isset($options['value']))
{
if($this->CI->input->post($field))
{
$value = $this->CI->input->post($field);
}
else
{
// load the related object(s)
$sel = $object->{$field}->select('id')->get();
if($one)
{
// only a single value is allowed
$value = $sel->id;
}
else
{
// save what might be multiple values
$value = array();
foreach($sel as $s)
{
$value[] = $s->id;
}
}
}
}
else
{
// value was already set in the options
$value = $options['value'];
unset($options['value']);
}
// Attempt to get a list of possible values
if( ! isset($options['list']) || is_object($options['list']))
{
if( ! isset($options['list']))
{
// look up all of the related values
$c = get_class($object->{$field});
$total_items = new $c;
// See if the custom method is defined
if(method_exists($total_items, 'get_htmlform_list'))
{
// Get customized list
$total_items->get_htmlform_list($object, $field);
}
else
{
// Get all items
$total_items->get_iterated();
}
}
else
{
// process a passed-in DataMapper object
$total_items = $options['list'];
}
$list = array();
foreach($total_items as $item)
{
// use the __toString value of the item for the label
$list[$item->id] = (string)$item;
}
$options['list'] = $list;
}
// By if there can be multiple items, use a dropdown for large lists,
// and a set of checkboxes for a small one.
if($one || count($options['list']) > 6)
{
$default_type = 'dropdown';
if( ! $one && ! isset($options['size']))
{
// limit to no more than 8 items high.
$options['size'] = min(count($options['list']), 8);
}
}
else
{
$default_type = 'checkbox';
}
}
else
{
// attempt to look up the current value(s)
if( ! isset($options['value']))
{
if($this->CI->input->post($field))
{
$value = $this->CI->input->post($field);
// clear default if set
unset($options['default_value']);
}
else
{
if(isset($options['default_value']))
{
$value = $options['default_value'];
unset($options['default_value']);
}
else
{
// the field IS the value.
$value = $object->{$field};
}
}
}
else
{
// value was already set in the options
$value = $options['value'];
unset($options['value']);
}
// default to text
$default_type = ($field == 'id') ? 'hidden' : 'text';
// determine default attributes
$a = array();
// such as the size of the field.
$max = $this->_get_validation_rule($object, $field, 'max_length');
if($max === FALSE)
{
$max = $this->_get_validation_rule($object, $field, 'exact_length');
}
if($max !== FALSE)
{
$a['maxlength'] = $max;
$a['size'] = min($max, 30);
}
$list = $this->_get_validation_info($object, $field, 'values', FALSE);
if($list !== FALSE)
{
$a['list'] = $list;
}
$options = $options + $a;
$extra_class = array();
// Add any of the known rules as classes (for JS processing)
foreach($this->auto_rule_classes as $rule => $c)
{
if($this->_get_validation_rule($object, $field, $rule) !== FALSE)
{
$extra_class[] = $c;
}
}
// add or set the class on the field.
if( ! empty($extra_class))
{
$extra_class = implode(' ', $extra_class);
if(isset($options['class']))
{
$options['class'] .= ' ' . $extra_class;
}
else
{
$options['class'] = $extra_class;
}
}
}
// determine the renderer type
$type = $this->_get_type($object, $field, $type);
if(empty($type))
{
$type = $default_type;
}
// attempt to find the renderer function
if(method_exists($this, '_input_' . $type))
{
return $this->{'_input_' . $type}($object, $field, $value, $options);
}
else if(function_exists('input_' . $type))
{
return call_user_func('input_' . $type, $object, $field, $value, $options);
}
else
{
log_message('error', 'FormMaker: Unable to find a renderer for '.$type);
return '<span style="color: Maroon; background-color: White; font-weight: bold">FormMaker: UNABLE TO FIND A RENDERER FOR '.$type.'</span>';
}
}
// --------------------------------------------------------------------------
/**
* Render a row with a single field. If $field does not exist on
* $object->validation, then $field is output as-is.
*
* @param object $object The DataMapper Object to use.
* @param string $field The field to render (or content)
* @param string $type The type of field to render.
* @param array $options Various options to modify the output.
* @param string $row_template The template to use, or NULL to use the default.
* @return Rendered String.
*/
function render_row($object, $field, $type = NULL, $options = array(), $row_template = NULL)
{
// try to determine type automatically
$type = $this->_get_type($object, $field, $type);
if( ! isset($object->validation[$field]) && (empty($type) || $type == 'section' || $type == 'none'))
{
// this could be a multiple-field row, or just some text.
// if $type is 'section, it will be rendered using the section template.
$error = '';
$label = '';
$content = $field;
$id = NULL;
}
else
{
// use validation information to render the field.
$content = $this->render_field($object, $field, $type, $options);
if(empty($row_template))
{
if($type == 'hidden' || $field == 'id')
{
$row_template = 'none';
}
else
{
$row_template = $this->row_template;
}
}
// determine if there is an existing error
$error = isset($object->error->{$field}) ? $object->error->{$field} : '';
// determine if there is a pre-defined label
$label = $this->_get_validation_info($object, $field, 'label', $field);
// the field IS the id
$id = $field;
}
$required = $this->_get_validation_rule($object, $field, 'required');
// Append these items. Values in $options have priority
$view_data = $options + array(
'object' => $object,
'content' => $content,
'field' => $field,
'label' => $label,
'error' => $error,
'id' => $id,
'required' => $required
);
if(is_null($row_template))
{
if(empty($type))
{
$row_template = 'none';
}
else if($type == 'section')
{
$row_template = $this->section_template;
}
else
{
$row_template = $this->row_template;
}
}
if($row_template == 'none')
{
return $content;
}
else
{
return $this->load->view($row_template, $view_data, TRUE);
}
}
// --------------------------------------------------------------------------
/**
* Renders an entire form.
*
* @param object $object The DataMapper Object to use.
* @param string $fields An associative array that defines the form.
* @param string $template The template to use.
* @param string $row_template The template to use for rows.
* @param array $template_options The template to use for rows.
* @return Rendered String.
*/
function render_form($object, $fields, $url = '', $options = array(), $template = NULL, $row_template = NULL)
{
if(empty($url))
{
// set url to current url
$url =$this->CI->uri->uri_string();
}
if(is_null($template))
{
$template = $this->form_template;
}
$rows = '';
foreach($fields as $field => $field_options)
{
$rows .= $this->_render_row_from_form($object, $field, $field_options, $row_template);
}
$view_data = $options + array(
'object' => $object,
'fields' => $fields,
'url' => $url,
'rows' => $rows
);
return $this->load->view($template, $view_data, TRUE);
}
// --------------------------------------------------------------------------
// Private Methods
// --------------------------------------------------------------------------
// Converts information from render_form into a row of objects.
function _render_row_from_form($object, $field, $options, $row_template, $row = TRUE)
{
if(is_int($field))
{
// simple form, or HTML-content
$field = $options;
$options = NULL;
}
if(is_null($options))
{
// always have an array for options
$options = array();
}
$type = '';
if( ! is_array($options))
{
// if options is a single string, assume it is the type.
$type = $options;
$options = array();
}
if(isset($options['type']))
{
// type was set in options
$type = $options['type'];
unset($options['type']);
}
// see if a different row_template was in the options
$rt = $row_template;
if(isset($options['template']))
{
$rt = $options['template'];
unset($options['template']);
}
// Multiple fields, render them all as one.
if(is_array($field))
{
if(isset($field['row_options']))
{
$options = $field['row_options'];
unset($field['row_options']);
}
$ret = '';
$sep = ' ';
if(isset($field['input_separator']))
{
$sep = $field['input_separator'];
unset($field['input_separator']);
}
foreach($field as $f => $fo)
{
// add each field to a list
if( ! empty($ret))
{
$ret .= $sep;
}
$ret .= $this->_render_row_from_form($object, $f, $fo, $row_template, FALSE);
}
// renders into a row or field below.
$field = $ret;
}
if($row)
{
// if row is set, render the whole row.
return $this->render_row($object, $field, $type, $options, $rt);
}
else
{
// render just the field.
return $this->render_field($object, $field, $type, $options);
}
}
// --------------------------------------------------------------------------
// Attempts to look up the field's type
function _get_type($object, $field, $type)
{
if(empty($type))
{
$type = $this->_get_validation_info($object, $field, 'type', NULL);
}
return $type;
}
// --------------------------------------------------------------------------
// Returns a field from the validation array
function _get_validation_info($object, $field, $val, $default = '')
{
if(isset($object->validation[$field][$val]))
{
return $object->validation[$field][$val];
}
return $default;
}
// --------------------------------------------------------------------------
// Returns the value (or TRUE) of the validation rule, or FALSE if it does not exist.
function _get_validation_rule($object, $field, $rule)
{
$r = $this->_get_validation_info($object, $field, 'rules', FALSE);
if($r !== FALSE)
{
if(isset($r[$rule]))
{
return $r[$rule];
}
else if(in_array($rule, $r, TRUE))
{
return TRUE;
}
}
return FALSE;
}
// --------------------------------------------------------------------------
// Input Types
// --------------------------------------------------------------------------
// Render a hidden input
function _input_hidden($object, $id, $value, $options)
{
return $this->_render_simple_input('hidden', $id, $value, $options);
}
// render a single-line text input
function _input_text($object, $id, $value, $options)
{
return $this->_render_simple_input('text', $id, $value, $options);
}
// render a password input
function _input_password($object, $id, $value, $options)
{
if(isset($options['send_value']))
{
unset($options['send_value']);
}
else
{
$value = '';
}
return $this->_render_simple_input('password', $id, $value, $options);
}
// render a multiline text input
function _input_textarea($object, $id, $value, $options)
{
if(isset($options['value']))
{
$value = $options['value'];
unset($options['value']);
}
$a = $options + array(
'name' => $id,
'id' => $id
);
return $this->_render_node('textarea', $a, htmlspecialchars($value));
}
// render a dropdown
function _input_dropdown($object, $id, $value, $options)
{
$list = $options['list'];
unset($options['list']);
$selected = $value;
if(isset($options['value']))
{
$selected = $options['value'];
unset($options['value']);
}
if( ! is_array($selected))
{
$selected = array($selected);
}
else
{
// force multiple
$options['multiple'] = 'multiple';
}
$l = $this->_options($list, $selected);
$name = $id;
if(isset($options['multiple']))
{
$name .= '[]';
}
$a = $options + array(
'name' => $name,
'id' => $id
);
return $this->_render_node('select', $a, $l);
}
// used to render an options list.
function _options($list, $sel)
{
$l = '';
foreach($list as $opt => $label)
{
if(is_array($label))
{
$l .= '<optgroup label="' . htmlspecialchars($key) . '">';
$l .= $this->_options($label, $sel);
$l .= '</optgroup>';
}
else
{
$a = array('value' => $opt);
if(in_array($opt, $sel))
{
$a['selected'] = 'selected';
}
$l .= $this->_render_node('option', $a, htmlspecialchars($label));
}
}
return $l;
}
// render a checkbox or series of checkboxes
function _input_checkbox($object, $id, $value, $options)
{
return $this->_checkbox('checkbox', $id, $value, $options);
}
// render a series of radio buttons
function _input_radio($object, $id, $value, $options)
{
return $this->_checkbox('radio', $id, $value, $options);
}
// renders one or more checkboxes or radio buttons
function _checkbox($type, $id, $value, $options, $sub_id = '', $label = '')
{
if(isset($options['value']))
{
$value = $options['value'];
unset($options['value']);
}
// if there is a list in options, render our multiple checkboxes.
if(isset($options['list']))
{
$list = $options['list'];
unset($options['list']);
$ret = '';
if( ! is_array($value))
{
if(is_null($value) || $value === FALSE || $value === '')
{
$value = array();
}
else
{
$value = array($value);
}
}
$sep = '<br/>';
if(isset($options['input_separator']))
{
$sep = $options['input_separator'];
unset($options['input_separator']);
}
foreach($list as $k => $v)
{
if( ! empty($ret))
{
// put each node on one line.
$ret .= $sep;
}
$ret .= $this->_checkbox($type, $id, $value, $options, $k, $v);
}
return $ret;
}
else
{
// just render the single checkbox.
$node_id = $id;
if( ! empty($sub_id))
{
// there are multiple nodes with this id, append the sub_id
$node_id .= '_' . $sub_id;
$field_value = $sub_id;
}
else
{
// sub_id is the same as the node's id
$sub_id = $id;
$field_value = '1';
}
$name = $id;
if(is_array($value))
{
// allow for multiple results
$name .= '[]';
}
// node attributes
$a = $options + array(
'type' => $type,
'id' => $node_id,
'name' => $name,
'value' => $field_value
);
// if checked wasn't overridden
if( ! isset($a['checked']))
{
// determine if this is a multiple checkbox or not.
$checked = $value;
if(is_array($checked))
{
$checked = in_array($sub_id, $value);
}
if($checked)
{
$a['checked'] = 'checked';
}
}
$ret = $this->_render_node('input', $a);
if( ! empty($label))
{
$ret .= ' ' . $this->_render_node('label', array('for' => $node_id), $label);
}
return $ret;
}
}
// render a file upload input
function _input_file($object, $id, $value, $options)
{
$a = $options + array(
'type' => 'file',
'name' => $id,
'id' => $id
);
return $this->_render_node('input', $a);
}
// Utility method to render a normal <input>
function _render_simple_input($type, $id, $value, $options)
{
$a = $options + array(
'type' => $type,
'name' => $id,
'id' => $id,
'value' => $value
);
return $this->_render_node('input', $a);
}
// Utility method to render a node.
function _render_node($type, $attributes, $content = FALSE)
{
// generate node
$res = '<' . $type;
foreach($attributes as $att => $v)
{
// the special attribute '_' is rendered directly.
if($att == '_')
{
$res .= ' ' . $v;
}
else
{
if($att != 'label')
{
$res .= ' ' . $att . '="' . htmlspecialchars((string)$v) . '"';
}
}
}
// allow for content-containing nodes
if($content !== FALSE)
{
$res .= '>' . $content . '</' . $type .'>';
}
else
{
$res .= ' />';
}
return $res;
}
}
/* End of file htmlform.php */
/* Location: ./application/datamapper/htmlform.php */
| 0x6a | trunk/application/datamapper/htmlform.php | PHP | asf20 | 18,892 |
<?php
/**
* Translate Extension for DataMapper classes.
*
* Translate DataMapper model fields containing language strings
*
* @license MIT License
* @package DMZ-Included-Extensions
* @category DMZ
* @author WanWizard
* @version 1.0
*/
// --------------------------------------------------------------------------
/**
* DMZ_Translate Class
*
* @package DMZ-Included-Extensions
*/
class DMZ_Translate {
/**
* do language translations of the field list.
*
* @param DataMapper $object The DataMapper Object to convert
* @param array $fields Array of fields to include. If empty, includes all database columns.
* @return object, the Datamapper object
*/
function translate( $object, $fields = array() )
{
// make sure $fields is an array
$fields = (array) $fields;
// assume all database columns if $fields is not provided.
if(empty($fields))
{
$fields = $object->fields;
}
// loop through the fields
foreach($fields as $f)
{
// first, deal with the loaded fields
if ( isset($object->{$f}) )
{
$line = lang($object->{$f});
if ( $line )
{
$object->{$f};
}
}
// then, loop through the all array
foreach($object->all as $key => $all_object)
{
if ( isset($all_object->{$f}) )
{
$line = lang($all_object->{$f});
if ( $line )
{
$object->all[$key]->{$f} = $line;
}
}
}
}
// return the Datamapper object
return $object;
}
}
/* End of file translate.php */
/* Location: ./application/datamapper/translate.php */
| 0x6a | trunk/application/datamapper/translate.php | PHP | asf20 | 1,556 |
<html>
<head>
<title>403 Forbidden</title>
</head>
<body>
<p>Directory access is forbidden.</p>
</body>
</html> | 0x6a | trunk/application/core/index.html | HTML | asf20 | 114 |
<?php
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
class Backend_Model extends CI_Model {
private $configs;
function __construct($table='',$prefix='')
{
parent::__construct();
$this->table=$table;$this->prefix=$prefix;
$this->configs["strWhere"] = "WHERE TRUE";
$this->configs["strGroupBy"]="";
$this->configs["strOrderBy"]="";
$this->configs["usingLimit"] = true;
$this->configs["filterfields"]=array();
$this->configs["fields"]=array();
$this->configs["datefields"]=array();
}
function _get($id){
$query=$this->db
->where($this->prefix.'_id',$id)
->get($this->table);
return $query->row();
}
function _gets(){
$query=$this->db
->from($this->table)
->order_by($this->prefix.'_insert','DESC')
->get();
return $query->result();
}
function _insert($params){
$this->db->set($this->prefix.'_insert', 'NOW()', FALSE);
@$this->db->insert($this->table, $params);
@$count = $this->db->affected_rows(); //should return the number of rows affected by the last query
if($count==1) return true;
return false;
}
function _delete($id){
$this->db->set($this->prefix.'_delete', 'NOW()', FALSE);
$where=array($this->prefix.'_id'=>$id);
$this->db->where($where);
$this->db->update($this->table);
$count = $this->db->affected_rows(); //should return the number of rows affected by the last query
if($count==1) return true;
return false;
}
function _retore($id){
$this->db->set($this->prefix.'_delete', 'NULL', FALSE);
$where=array($this->prefix.'_id'=>$id);
$this->db->where($where);
$this->db->update($this->table);
$count = $this->db->affected_rows(); //should return the number of rows affected by the last query
if($count==1) return true;
return false;
}
function _update($id,$params){
$this->db->set($this->prefix.'_update', 'NOW()', FALSE);
$this->db->where($this->prefix.'_id', $id);
@$this->db->update($this->table, $params);
@$count = $this->db->affected_rows(); //should return the number of rows affected by the last query
if($count==1) return true;
return false;
}
function init($configs) {
if (isset($configs["strQuery"]))
$this->configs["strQuery"] = $configs["strQuery"];
if (isset($configs["strWhere"]))
$this->configs["strWhere"] = $configs["strWhere"];
if (isset($configs["strOrderBy"]))
$this->configs["strOrderBy"] = $configs["strOrderBy"];
if (isset($configs["strGroupBy"]))
$this->configs["strGroupBy"] = $configs["strGroupBy"];
if (isset($configs["fields"]))
$this->configs["fields"] = $configs["fields"];
if (isset($configs["datefields"]))
$this->configs["datefields"] = $configs["datefields"];
if (isset($configs["filterfields"]))
$this->configs["filterfields"] = $configs["filterfields"];
if (isset($configs["usingLimit"]))
$this->configs["usingLimit"] = $configs["usingLimit"];
}
function jqxBinding() {
$FstrSQL = $this->configs["strQuery"];
$select = $this->configs["strQuery"];
$where = $this->configs["strWhere"];
$strgroupby = $this->configs["strGroupBy"];
$orderby = $this->configs["strOrderBy"];
$fields = $this->configs["fields"];
$datefields = $this->configs["datefields"];
$pagenum = isset($_POST['pagenum']) ? $_POST['pagenum'] : 0;
$pagesize = isset($_POST['pagesize']) ? $_POST['pagesize'] : 100;
$start = $pagenum * $pagesize;
$limit = "";
if (isset($this->configs["usingLimit"]) && $this->configs["usingLimit"]) {
$limit = "LIMIT $start, $pagesize";
}
if (isset($_POST['filterscount'])) {
$filterscount = $_POST['filterscount'];
if ($filterscount > 0) {
$where.= " AND (";
$tmpdatafield = "";
$tmpfilteroperator = "";
for ($i = 0; $i < $filterscount; $i++) {
// get the filter's value.
$filtervalue = $_POST["filtervalue" . $i];
// get the filter's condition.
$filtercondition = $_POST["filtercondition" . $i];
// get the filter's column.
$filterdatafield = $_POST["filterdatafield" . $i];
// get the filter's operator.
$filteroperator = $_POST["filteroperator" . $i];
if($filterdatafield[0] === "_" && $filterdatafield[strlen($filterdatafield) - 1] === "_"){
$filterdatafield= substr($filterdatafield, 1, -1);
}
if (count($datefields) > 0 && in_array($filterdatafield, $datefields)) {
$tmp= explode("GMT", $filtervalue);
if(isset($tmp[0])){
$filtervalue=date("Y-m-d H:i:s", strtotime($tmp[0]));
}
}
$filtervalue=$this->db->escape_str($filtervalue);
if (count($fields) > 0 && isset($fields[$filterdatafield])) {
$filterdatafield = $fields[$filterdatafield];
} else {
$filterdatafield = "`$filterdatafield`";
}
//check filterdatafield
if ($tmpdatafield == "") {
$tmpdatafield = $filterdatafield;
} else if ($tmpdatafield <> $filterdatafield) {
$where .= " ) AND ( ";
} else if ($tmpdatafield == $filterdatafield) {
if ($tmpfilteroperator == 0) {
$where .= " AND ";
}
else
$where .= " OR ";
}
// build the "WHERE" clause depending on the filter's condition, value and datafield.
// possible conditions for string filter:
// 'EMPTY', 'NOT_EMPTY', 'CONTAINS', 'CONTAINS_CASE_SENSITIVE',
// 'DOES_NOT_CONTAIN', 'DOES_NOT_CONTAIN_CASE_SENSITIVE',
// 'STARTS_WITH', 'STARTS_WITH_CASE_SENSITIVE',
// 'ENDS_WITH', 'ENDS_WITH_CASE_SENSITIVE', 'EQUAL',
// 'EQUAL_CASE_SENSITIVE', 'NULL', 'NOT_NULL'
//
// possible conditions for numeric filter: 'EQUAL', 'NOT_EQUAL', 'LESS_THAN',
// 'LESS_THAN_OR_EQUAL', 'GREATER_THAN', 'GREATER_THAN_OR_EQUAL',
// 'NULL', 'NOT_NULL'
//
// possible conditions for date filter: 'EQUAL', 'NOT_EQUAL', 'LESS_THAN',
// 'LESS_THAN_OR_EQUAL', 'GREATER_THAN', 'GREATER_THAN_OR_EQUAL', 'NULL',
// 'NOT_NULL'
switch ($filtercondition) {
case "NULL":
$where .= " ($filterdatafield is null)";
break;
case "EMPTY":
$where .= " ($filterdatafield is null) or ($filterdatafield='')";
break;
case "NOT_NULL":
$where .= " ($filterdatafield is not null)";
break;
case "NOT_EMPTY":
$where .= " ($filterdatafield is not null) and ($filterdatafield <>'')";
break;
case "CONTAINS_CASE_SENSITIVE":
case "CONTAINS":
$where .= " $filterdatafield LIKE '%$filtervalue%'";
break;
case "DOES_NOT_CONTAIN_CASE_SENSITIVE":
case "DOES_NOT_CONTAIN":
$where .= " $filterdatafield NOT LIKE '%$filtervalue%'";
break;
case "EQUAL_CASE_SENSITIVE":
case "EQUAL":
$where .= " $filterdatafield = '$filtervalue'";
break;
case "NOT_EQUAL":
$where .= " $filterdatafield <> '$filtervalue'";
break;
case "GREATER_THAN":
$where .= " $filterdatafield > '$filtervalue'";
break;
case "LESS_THAN":
$where .= " $filterdatafield < '$filtervalue'";
break;
case "GREATER_THAN_OR_EQUAL":
$where .= " $filterdatafield >= '$filtervalue'";
break;
case "LESS_THAN_OR_EQUAL":
$where .= " $filterdatafield <= '$filtervalue'";
break;
case "STARTS_WITH_CASE_SENSITIVE":
case "STARTS_WITH":
$where .= " $filterdatafield LIKE '$filtervalue%'";
break;
case "ENDS_WITH_CASE_SENSITIVE":
case "ENDS_WITH":
$where .= " $filterdatafield LIKE '%$filtervalue'";
break;
default:
$where .= " $filterdatafield LIKE '%$filtervalue%'";
}
if ($i == $filterscount - 1) {
$where .= ")";
}
$tmpfilteroperator = $filteroperator;
$tmpdatafield = $filterdatafield;
}
// build the query.
}
}
if (isset($_POST['sortdatafield'])) {
$sortfield = $_POST['sortdatafield'];
//fix sortfield
if($sortfield[0] === "_" && $sortfield[strlen($sortfield) - 1] === "_"){
$sortfield= substr($sortfield, 1, -1);
}
if (count($fields) > 0 && isset($fields[$sortfield])) {
$sortfield = $fields[$sortfield];
} else {
$sortfield = "`$sortfield`";
}
$sortorder = $_POST['sortorder'];
if ($sortorder == "desc") {
$SQLquery = "$FstrSQL $where $strgroupby ORDER BY $sortfield DESC $limit";
} elseif ($sortorder == "asc") {
$SQLquery = "$FstrSQL $where $strgroupby ORDER BY $sortfield ASC $limit";
} else {
$SQLquery = "$FstrSQL $where $strgroupby $orderby $limit";
}
} else {
$SQLquery = "$FstrSQL $where $strgroupby $orderby $limit";
}
$_SESSION["debug"]["SQLquery"]=$SQLquery;
$query = $this->db->query($SQLquery);
$result['rows'] = $query->result();
$sql = "SELECT FOUND_ROWS() AS `found_rows`;";
$query = $this->db->query($sql);
$rows = $query->row_array();
$total_rows = $rows['found_rows'];
$result['totalrecords'] = $total_rows;
return $result;
//$data['total_rows']=$total_rows;
}
} | 0x6a | trunk/application/core/Backend_Model.php | PHP | asf20 | 12,301 |
<?php
class Grid_Model extends CI_Model {
private $configs;
function __construct() {
parent::__construct();
$this->configs["strWhere"] = "WHERE TRUE";
$this->configs["strGroupBy"]="";
$this->configs["strOrderBy"]="";
$this->configs["usingLimit"] = true;
$this->configs["filterfields"]=array();
$this->configs["fields"]=array();
$this->configs["datefields"]=array();
}
function init($configs) {
if (isset($configs["strQuery"]))
$this->configs["strQuery"] = $configs["strQuery"];
if (isset($configs["strWhere"]))
$this->configs["strWhere"] = $configs["strWhere"];
if (isset($configs["strOrderBy"]))
$this->configs["strOrderBy"] = $configs["strOrderBy"];
if (isset($configs["strGroupBy"]))
$this->configs["strGroupBy"] = $configs["strGroupBy"];
if (isset($configs["fields"]))
$this->configs["fields"] = $configs["fields"];
if (isset($configs["datefields"]))
$this->configs["datefields"] = $configs["datefields"];
if (isset($configs["filterfields"]))
$this->configs["filterfields"] = $configs["filterfields"];
if (isset($configs["usingLimit"]))
$this->configs["usingLimit"] = $configs["usingLimit"];
}
function jqxBinding() {
$FstrSQL = $this->configs["strQuery"];
$select = $this->configs["strQuery"];
$where = $this->configs["strWhere"];
$strgroupby = $this->configs["strGroupBy"];
$orderby = $this->configs["strOrderBy"];
$fields = $this->configs["fields"];
$datefields = $this->configs["datefields"];
$pagenum = isset($_POST['pagenum']) ? $_POST['pagenum'] : 0;
$pagesize = isset($_POST['pagesize']) ? $_POST['pagesize'] : 100;
$start = $pagenum * $pagesize;
$limit = "";
if (isset($this->configs["usingLimit"]) && $this->configs["usingLimit"]) {
$limit = "LIMIT $start, $pagesize";
}
if (isset($_POST['filterscount'])) {
$filterscount = $_POST['filterscount'];
if ($filterscount > 0) {
$where.= " AND (";
$tmpdatafield = "";
$tmpfilteroperator = "";
for ($i = 0; $i < $filterscount; $i++) {
// get the filter's value.
$filtervalue = $_POST["filtervalue" . $i];
// get the filter's condition.
$filtercondition = $_POST["filtercondition" . $i];
// get the filter's column.
$filterdatafield = $_POST["filterdatafield" . $i];
// get the filter's operator.
$filteroperator = $_POST["filteroperator" . $i];
if($filterdatafield[0] === "_" && $filterdatafield[strlen($filterdatafield) - 1] === "_"){
$filterdatafield= substr($filterdatafield, 1, -1);
}
if (count($datefields) > 0 && in_array($filterdatafield, $datefields)) {
$tmp= explode("GMT", $filtervalue);
if(isset($tmp[0])){
$filtervalue=date("Y-m-d H:i:s", strtotime($tmp[0]));
}
}
$filtervalue=mysql_real_escape_string($filtervalue);
if (count($fields) > 0 && isset($fields[$filterdatafield])) {
$filterdatafield = $fields[$filterdatafield];
} else {
$filterdatafield = "`$filterdatafield`";
}
//check filterdatafield
if ($tmpdatafield == "") {
$tmpdatafield = $filterdatafield;
} else if ($tmpdatafield <> $filterdatafield) {
$where .= " ) AND ( ";
} else if ($tmpdatafield == $filterdatafield) {
if ($tmpfilteroperator == 0) {
$where .= " AND ";
}
else
$where .= " OR ";
}
// build the "WHERE" clause depending on the filter's condition, value and datafield.
// possible conditions for string filter:
// 'EMPTY', 'NOT_EMPTY', 'CONTAINS', 'CONTAINS_CASE_SENSITIVE',
// 'DOES_NOT_CONTAIN', 'DOES_NOT_CONTAIN_CASE_SENSITIVE',
// 'STARTS_WITH', 'STARTS_WITH_CASE_SENSITIVE',
// 'ENDS_WITH', 'ENDS_WITH_CASE_SENSITIVE', 'EQUAL',
// 'EQUAL_CASE_SENSITIVE', 'NULL', 'NOT_NULL'
//
// possible conditions for numeric filter: 'EQUAL', 'NOT_EQUAL', 'LESS_THAN',
// 'LESS_THAN_OR_EQUAL', 'GREATER_THAN', 'GREATER_THAN_OR_EQUAL',
// 'NULL', 'NOT_NULL'
//
// possible conditions for date filter: 'EQUAL', 'NOT_EQUAL', 'LESS_THAN',
// 'LESS_THAN_OR_EQUAL', 'GREATER_THAN', 'GREATER_THAN_OR_EQUAL', 'NULL',
// 'NOT_NULL'
switch ($filtercondition) {
case "NULL":
$where .= " ($filterdatafield is null)";
break;
case "EMPTY":
$where .= " ($filterdatafield is null) or ($filterdatafield='')";
break;
case "NOT_NULL":
$where .= " ($filterdatafield is not null)";
break;
case "NOT_EMPTY":
$where .= " ($filterdatafield is not null) and ($filterdatafield <>'')";
break;
case "CONTAINS_CASE_SENSITIVE":
case "CONTAINS":
$where .= " $filterdatafield LIKE '%$filtervalue%'";
break;
case "DOES_NOT_CONTAIN_CASE_SENSITIVE":
case "DOES_NOT_CONTAIN":
$where .= " $filterdatafield NOT LIKE '%$filtervalue%'";
break;
case "EQUAL_CASE_SENSITIVE":
case "EQUAL":
$where .= " $filterdatafield = '$filtervalue'";
break;
case "NOT_EQUAL":
$where .= " $filterdatafield <> '$filtervalue'";
break;
case "GREATER_THAN":
$where .= " $filterdatafield > '$filtervalue'";
break;
case "LESS_THAN":
$where .= " $filterdatafield < '$filtervalue'";
break;
case "GREATER_THAN_OR_EQUAL":
$where .= " $filterdatafield >= '$filtervalue'";
break;
case "LESS_THAN_OR_EQUAL":
$where .= " $filterdatafield <= '$filtervalue'";
break;
case "STARTS_WITH_CASE_SENSITIVE":
case "STARTS_WITH":
$where .= " $filterdatafield LIKE '$filtervalue%'";
break;
case "ENDS_WITH_CASE_SENSITIVE":
case "ENDS_WITH":
$where .= " $filterdatafield LIKE '%$filtervalue'";
break;
default:
$where .= " $filterdatafield LIKE '%$filtervalue%'";
}
if ($i == $filterscount - 1) {
$where .= ")";
}
$tmpfilteroperator = $filteroperator;
$tmpdatafield = $filterdatafield;
}
// build the query.
}
}
if (isset($_POST['sortdatafield'])) {
$sortfield = $_POST['sortdatafield'];
//fix sortfield
if($sortfield[0] === "_" && $sortfield[strlen($sortfield) - 1] === "_"){
$sortfield= substr($sortfield, 1, -1);
}
if (count($fields) > 0 && isset($fields[$sortfield])) {
$sortfield = $fields[$sortfield];
} else {
$sortfield = "`$sortfield`";
}
$sortorder = $_POST['sortorder'];
if ($sortorder == "desc") {
$SQLquery = "$FstrSQL $where $strgroupby ORDER BY $sortfield DESC $limit";
} elseif ($sortorder == "asc") {
$SQLquery = "$FstrSQL $where $strgroupby ORDER BY $sortfield ASC $limit";
} else {
$SQLquery = "$FstrSQL $where $strgroupby $orderby $limit";
}
} else {
$SQLquery = "$FstrSQL $where $strgroupby $orderby $limit";
}
$_SESSION["debug"]["SQLquery"]=$SQLquery;
$query = $this->db->query($SQLquery);
$result['rows'] = $query->result();
$sql = "SELECT FOUND_ROWS() AS `found_rows`;";
$query = $this->db->query($sql);
$rows = $query->row_array();
$total_rows = $rows['found_rows'];
$result['total_rows'] = $total_rows;
return $result;
//$data['total_rows']=$total_rows;
}
} | 0x6a | trunk/application/core/grid_Model.php | PHP | asf20 | 9,892 |
<?php
class test extends BACKEND_Controller {
/**
* Index Page for this controller.
*
* Maps to the following URL
* http://example.com/index.php/welcome
* - or -
* http://example.com/index.php/welcome/index
* - or -
* Since this controller is set as the default controller in
* config/routes.php, it's displayed at http://example.com/
*
* So any other public methods not prefixed with an underscore will
* map to /index.php/welcome/<method_name>
* @see http://codeigniter.com/user_guide/general/urls.html
*/
function __construct(){
parent::__construct();
}
function index(){
}
}
?>
| 0x6a | trunk/application/controllers/test.php | PHP | asf20 | 798 |
<?php
class excution extends CI_Controller {
/**
* Index Page for this controller.
*
* Maps to the following URL
* http://example.com/index.php/welcome
* - or -
* http://example.com/index.php/welcome/index
* - or -
* Since this controller is set as the default controller in
* config/routes.php, it's displayed at http://example.com/
*
* So any other public methods not prefixed with an underscore will
* map to /index.php/welcome/<method_name>
* @see http://codeigniter.com/user_guide/general/urls.html
*/
function __construct(){
parent::__construct();
$this->load->helper('url');
$this->load->library('smarty3');
$this->smarty=new CI_Smarty3();
$this->smarty->error_reporting =0;// E_ALL & ~E_NOTICE;
$this->load->model('customer_model');
$this->load->module('frontend');
}
public function index(){
}
function clearcache() {
$this->load->driver('cache');
if($this->cache->file->clean()){
echo '<script type="text/javascript">alert("Success. All caches has been clean.")</script>';
}else{
echo '<script type="text/javascript">alert("Fail")</script>';
}
}
function getalias(){
$text=$this->input->post("text");
$result=1;
$message=convertUrl($text);
echo json_encode(array(
"result"=>$result,
"message"=>$message,
"alias"=>$message
));
}
function addcustomer(){
$R["result"] = -1;
$R["message"] = ascii_to_entities("This function to requires an administrative account.<br/>Please check your authority, and try again.");
if(isset($_SESSION['customerreg'])){
if(time()-$_SESSION['customerreg']>60)$_SESSION['customerreg']=null;
else{
$R["message"]="Thời gian giãn cách giữa 2 yêu cầu là 60s. Vui lòng thao tác chậm lại.";
goto result;
}
}
$params=$this->input->post();
unset($params["re_cust_password"]);
$params['cust_salt']=random_string('alnum', 8);
$params['cust_password']=md5($params['cust_email'].$params['cust_password'].$params['cust_salt']);
$rs = $this->frontend->addCustomer($params);
if ($rs === true) {
$R["result"] = 1;
$R["message"] = ascii_to_entities("Dữ liệu đã được hệ thống ghi nhận.");
$_SESSION['customerreg']=time();
} else {
$R["result"] = -1;
$R["error_number"] = $this->db->_error_number();
$R["error_message"] = $this->db->_error_message();
if(1062==$R["error_number"]){
$R["message"] = "Email đã được đăng ký.";
}else{
$R["message"] = "
Dữ liệu chưa được hệ thống ghi nhận.<br/>
Vui lòng kiểm tra dữ liệu và thử lại.<br/>
";
}
//if ($R["error_number"] != 0)
//$R["message"].=ascii_to_entities("<span class='erc'>[" . $R["error_number"] . "] " . $R["error_message"] . ".</span>");
}
result:
echo json_encode($R);
}
function custlogin(){
$R["result"] = -1;
$R["message"] = ascii_to_entities("Đăng nhập thất bại.");
$e=$this->input->post('login_email');$p=$this->input->post('login_password');
if($this->frontend->checkLogin($e,$p)){
$R["result"] = 1;
$R["message"] = ascii_to_entities("Đăng nhập thành công.");
}
result:
echo json_encode($R);
}
function logout(){
unset($_SESSION['frontend']['customer']);
redirect();
}
function addcontact(){
$this->load->model('frontend_model');
$R["result"] = -1;
$R["message"] = ascii_to_entities("This function to requires an administrative account.<br/>Please check your authority, and try again.");
if(isset($_SESSION['addcontact'])){
if(time()-$_SESSION['addcontact']>60)$_SESSION['addcontact']=null;
else{
$R["message"]="Thời gian giãn cách giữa 2 yêu cầu là 60s. Vui lòng thao tác chậm lại.";
goto result;
}
}
$params=$this->input->post();
$rs = $this->frontend_model->addcontact($params);
if ($rs === true) {
$R["result"] = 1;
$R["message"] = ascii_to_entities("Dữ liệu đã được hệ thống ghi nhận.");
$_SESSION['addcontact']=time();
} else {
$R["result"] = -1;
$R["error_number"] = $this->db->_error_number();
$R["error_message"] = $this->db->_error_message();
$R["message"] = ascii_to_entities("
Dữ liệu chưa được hệ thống ghi nhận.<br/>
Vui lòng kiểm tra dữ liệu và thử lại.<br/>
");
if ($R["error_number"] != 0)
$R["message"].=ascii_to_entities("<span class='erc'>[" . $R["error_number"] . "] " . $R["error_message"] . ".</span>");
}
result:
echo json_encode($R);
}
}
?> | 0x6a | trunk/application/controllers/excution.php | PHP | asf20 | 6,019 |
<?php
class home extends CI_Controller {
/**
* Index Page for this controller.
*
* Maps to the following URL
* http://example.com/index.php/welcome
* - or -
* http://example.com/index.php/welcome/index
* - or -
* Since this controller is set as the default controller in
* config/routes.php, it's displayed at http://example.com/
*
* So any other public methods not prefixed with an underscore will
* map to /index.php/welcome/<method_name>
* @see http://codeigniter.com/user_guide/general/urls.html
*/
function __construct(){
parent::__construct();
$this->load->driver('cache');
$this->load->model('setting_model');
$this->configs=$this->setting_model->hash();
$this->load->model('category_model');
$this->load->model('news_model');
$this->smarty=new CI_Smarty3();
$this->smarty->error_reporting =0;// E_ALL & ~E_NOTICE;
}
public function index(){
$assign=null;$data=null;
$cacheid='home-'.md5(uri_string());
if($this->config->item('enable_cache'))$data = $this->cache->file->get($cacheid);
if (!$data){
$assign['sliders']=$this->category_model->get_by_type('slider');
//$assign['projects']=$this->news_model->get_by_cate_type($this->configs['10010']);
$assign['projects']=$this->category_model->get_by_type($this->configs['10010']);
$assign['customers']=$this->category_model->get_by_type($this->configs['10014']);
$assign['cate_project']=$this->category_model->get(127);
$assign['cate_customer']=$this->category_model->get(139);
$assign['cate_left']=$this->category_model->get(137);
$assign['cate_right']=$this->category_model->get(138);
$assign['news_left']=$this->news_model->get_in_cate_ids(137);
$assign['news_right']=$this->news_model->get_in_cate_ids(138);
$data=$this->smarty
->assign($assign)
->get_contents('frontend/01_home');
$this->cache->file->save($cacheid, $data, 300);
}
echo $data;
}
function about($alias=10008){
$assign=null;$data=null;
$cacheid='about-'.md5(uri_string());
if($this->config->item('enable_cache'))$data = $this->cache->file->get($cacheid);
if (!$data){
$assign['danhmucs']=$this->category_model->get_by_type($this->configs['10005']);
$assign['cate_danhmuc']=$this->category_model->get(10009);
$assign['news_detail']=$this->news_model->get($alias);
$data=$this->smarty
->assign($assign)
->get_contents('frontend/02_about');
$this->cache->file->save($cacheid, $data, 300);
}
echo $data;
}
function service($cat=null,$alias=null){
if($cat) $this->service_detail($cat,$alias);
else $this->service_list($cat);
}
private function service_list($cat=null){
$assign=null;$data=null;
$cacheid='services-'.md5(uri_string());
if($this->config->item('enable_cache'))$data = $this->cache->file->get($cacheid);
if (!$data){
$assign['services']=$this->category_model->get_by_type($this->configs['10009']);
$assign['cate_service']=$this->category_model->get(130);
//$assign['news_detail']=$this->news_model->get($alias);
$data=$this->smarty
->assign($assign)
->get_contents('frontend/03_service');
$this->cache->file->save($cacheid, $data, 300);
}
echo $data;
}
private function service_detail($cat=null,$alias=null){
$assign=null;$data=null;
$cacheid='service-'.md5(uri_string());
if($this->config->item('enable_cache'))$data = $this->cache->file->get($cacheid);
if (!$data){
$assign['cate_service']=$this->category_model->get_cat_by_alias_type($cat,$this->configs['10009']);
if(!$assign['cate_service'])show_404 ();
$assign['services']=$this->news_model->get_in_cate_ids($assign['cate_service']->cate_id);
if($alias)$assign['news_detail']=$this->news_model->get_by_alias_type($alias,$this->configs['10009']);
elseif(isset($assign['services'][0]))$assign['news_detail']=$assign['services'][0];
$data=$this->smarty
->assign($assign)
->get_contents('frontend/04_service_detail');
$this->cache->file->save($cacheid, $data, 300);
}
echo $data;
}
function project($cat=null,$alias=null){
if($alias) $this->project_detail($cat,$alias);
else $this->project_list($cat);
}
private function project_list($cat=null){
$assign=null;$data=null;
$cacheid='project-'.md5(uri_string());
if($this->config->item('enable_cache'))$data = $this->cache->file->get($cacheid);
if (!$data){
$assign['projects']=$this->category_model->get_by_type($this->configs['10010']);
$assign['cate_project']=$assign['projects'][0];
if(!$cat)$cat=$assign['projects'][0]->cate_alias;
else{
foreach ($assign['projects'] as $pr){
if($pr->cate_alias==$cat){
$assign['cate_project']=$pr;
}
}
}
$assign['project_list']=$this->news_model->get_in_cate_aliass_by_type($cat,$this->configs['10010']);
$data=$this->smarty
->assign($assign)
->get_contents('frontend/05_project');
$this->cache->file->save($cacheid, $data, 300);
}
echo $data;
}
private function project_detail($cat=null,$alias=null){
$assign=null;$data=null;
$cacheid='project-'.md5(uri_string());
if($this->config->item('enable_cache'))$data = $this->cache->file->get($cacheid);
if (!$data){
$assign['projects']=$this->category_model->get_by_type($this->configs['10010']);
$assign['news_detail']=$this->news_model->get_by_alias_type($alias,$this->configs['10010']);
$data=$this->smarty
->assign($assign)
->get_contents('frontend/06_project_detail');
$this->cache->file->save($cacheid, $data, 300);
}
echo $data;
}
function contact(){
$assign=null;$data=null;
$cacheid='project-'.md5(uri_string());
if($this->config->item('enable_cache'))$data = $this->cache->file->get($cacheid);
if (!$data){
$data=$this->smarty
->assign($assign)
->get_contents('frontend/07_contact');
$this->cache->file->save($cacheid, $data, 300);
}
echo $data;
}
}
?> | 0x6a | trunk/application/controllers/home.php | PHP | asf20 | 7,694 |
<?php
class notice extends CI_Controller {
/**
* Index Page for this controller.
*
* Maps to the following URL
* http://example.com/index.php/welcome
* - or -
* http://example.com/index.php/welcome/index
* - or -
* Since this controller is set as the default controller in
* config/routes.php, it's displayed at http://example.com/
*
* So any other public methods not prefixed with an underscore will
* map to /index.php/welcome/<method_name>
* @see http://codeigniter.com/user_guide/general/urls.html
*/
function __construct(){
parent::__construct();
}
function index(){
}
function busy(){
echo $c=$this->load->view('notice/01_busy','',true);
}
} | 0x6a | trunk/application/controllers/notice.php | PHP | asf20 | 889 |
<?php
define('AUTH_TIMEOUT','300');
define('AUTH_SECRETKEY','daylapassword!@#');
define('AUTH_KEY','teaser_chandai');
define('AUTH_URL','http://id.mgo.vn/');
if(!isset($_SESSION)) session_start();
if (!defined('BASEPATH'))
exit('No direct script access allowed');
/**
* @property api $api
* @property User_model $user_model
*/
class Auth extends CI_Controller {
function __construct() {
parent::__construct();
$this->load->helper('url');
//$this->load->model('user_model');
}
private function queryString($params, $name = null) {
$ret = '';
foreach ($params as $key => $val) {
if (is_array($val)) {
if ($name == null)
$ret .= queryString($val, $key);
else
$ret .= queryString($val, $name . "[$key]");
} else {
if ($name != null)
$ret.=$name . "[$key]" . "=$val&";
else
$ret.= "$key=$val&";
}
}
return $ret;
}
public function index() {
$username = $this->session->userdata('username');
if (empty($username) === true) {
$this->load->library('crypt');
$session_id = $this->session->userdata('session_id');
$params = $_REQUEST;
$params = $this->security->xss_clean($params);
if ($params['act'] === 'verify' && $params['data'] && $params['signature']) {
if (md5($params['data'] . AUTH_SECRETKEY) != $params['signature'])
die('Invalid data');
$data_decrypt = $this->crypt->Decrypt($params['data'], AUTH_SECRETKEY);
parse_str($data_decrypt, $data_decrypt);
if (strlen($data_decrypt['token']) === 32) {
if ($data_decrypt['data']['time'] + AUTH_TIMEOUT < time()) {
$msg = 'Timeout, login again';
$url_return = $data_decrypt['data']['return'] ? $data_decrypt['data']['return'] : base_url() . 'auth';
} else {
if ($data_decrypt['data']['sessionid'] === $session_id) {
$username = $data_decrypt['data']['username'];
$this->session->set_userdata(
array(
'sessionid' => $session_id,
'username' => $username,
)
);
$_SESSION['USERNAME']=$username;
$msg = 'redirect...';
//$url_return = base_url();
$url_return = $data_decrypt['data']['return'] ? $data_decrypt['data']['return'] : base_url() . 'auth';
}
}
redirect($url_return);//'<meta HTTP-EQUIV="REFRESH" content="2; url=' . $url_return . '">';
}
} else {
$data['sessionid'] = $session_id;
$data['time'] = time();
$data['return'] = $_SERVER['HTTP_REFERER'];
if(isset($_GET['unit']) && $_GET['unit']=='gift') $data['return'] = base_url('swap').'?unit=gift';
$data_querystring = $this->crypt->Encrypt($this->queryString($data), AUTH_SECRETKEY);
header('Location: ' . AUTH_URL . 'auth?auth=' . urlencode($data_querystring) . '&key=' . AUTH_KEY . '&signature=' . md5($data_querystring . AUTH_SECRETKEY));
}
}
else {
header('Location: ' . base_url());
}
}
public function logout() {
$this->session->sess_destroy();
redirect('home');
}
function getgiftcode(){
$_SESSION['USERNAME']='icarus12345';
if(isset($_SESSION['USERNAME'])){
$this->load->model('events/gift_model');
$username=$_SESSION['USERNAME'];
$tmp=$this->gift_model->getByUser($username);
if(isset($tmp[0])){
$MyInfo=$tmp[0];
if(isset($MyInfo->UserName) && $MyInfo->UserName==$username){
$gift=$MyInfo->Giftcode;
$code=1;
$msg="$gift";
}else{
$params=array(
"UserName"=>"$username"
);
if($this->gift_model->update($MyInfo->ID, $params)){
$gift=$MyInfo->Giftcode;
$code=1;
$msg="Gift code của bạn là <br/><div class='btngift'>$gift</div>";
}else{
$code=-1;
$msg="Lỗi hệ thống. Vui lòng thử lại sau ít phút.";
}
}
}else{
$code=-1;
$msg="Đã hết mã Nhận thưởng. Vui lòng quay lại vào thời gian khác.";
}
}else{
$msg='Bạn chưa đăng nhập.';
}
echo json_encode(array('code'=> $msg));
}
} | 0x6a | trunk/application/controllers/auth.php | PHP | asf20 | 4,879 |
<?php
class plugin extends CI_Controller {
/**
* Index Page for this controller.
*
* Maps to the following URL
* http://example.com/index.php/welcome
* - or -
* http://example.com/index.php/welcome/index
* - or -
* Since this controller is set as the default controller in
* config/routes.php, it's displayed at http://example.com/
*
* So any other public methods not prefixed with an underscore will
* map to /index.php/welcome/<method_name>
* @see http://codeigniter.com/user_guide/general/urls.html
*/
function __construct(){
parent::__construct();
$this->smarty=new CI_Smarty3();
$this->smarty->error_reporting =0;// E_ALL & ~E_NOTICE;
//$this->user=new u_model();
}
public function index(){
}
function gallery(){
$this->smarty->display('backend/template/03_galleries');
}
function choosealbum(){
$assigns=null;
$this->smarty
->assign($assigns)
->display("plugin/01_choosealbum");
}
} | 0x6a | trunk/application/controllers/backend/plugin.php | PHP | asf20 | 1,211 |
<?php
class excution extends CI_Controller {
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
function __construct(){
parent::__construct();
$this->smarty=new CI_Smarty3();
$this->smarty->error_reporting = E_ALL & ~E_NOTICE;
}
function getalias(){
$text=$this->input->post("text");
$result=1;
$message=convertUrl($text);
echo json_encode(array(
"result"=>$result,
"message"=>$message,
"alias"=>$message
));
}
function index(){
echo "index";
}
function choosealbum(){
$assigns=null;
$this->smarty
->assign($assigns)
->display("plugin/01_choosealbum");
}
function update_backend($func='',$table='',$prefix='null',$id=''){
$R["result"] = -1;
$R["message"] = ascii_to_entities("This function to requires an administrative account.<br/>Please check your authority, and try again.");
$this->load->model('backend/base_model');
if($prefix=='null')$prefix='';
$model=new base_model($table,$prefix);
$params=$this->input->post();
unset($params['ajaxtype']);
$rs=$model->_update($id,$params);
if ($rs === true) {
$R["result"] = 1;
$R["message"] = ascii_to_entities("Success. Record have been updated.");
} else {
$R["result"] = -1;
$R["error_number"] = $this->db->_error_number();
$R["error_message"] = $this->db->_error_message();
$R["message"] = ascii_to_entities("
Fail. Please check data input and try again.<br/>
");
if ($R["error_number"] != 0)
$R["message"].=ascii_to_entities("<span class='erc'>[" . $R["error_number"] . "] " . $R["error_message"] . ".</span>");
}
echo json_encode($R);
}
}
?>
| 0x6a | trunk/application/controllers/backend/excution.php | PHP | asf20 | 2,400 |
<?php
class home extends CI_Controller {
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
function __construct(){
parent::__construct();
$this->smarty=new CI_Smarty3();
$this->smarty->error_reporting = E_ALL & ~E_NOTICE;
}
function index(){
$assigns['menuactive']='menu-system';
$assigns['caches']=array(
'home'=>''
);
$this->smarty
->assign($assigns)
->display("backend/other/01_clearcache");return;
$this->lang->load();
//echo '<pre>',print_r($this->lang->language,true);
//echo $this->parser->parse('a',$this->lang->language,true);
//$data['content']=$content;
echo $c=$this->load->view('backend/other/01_clearcache','',true);
}
function layout(){
$this->smarty->display("backend/template/layout");
}
function temp(){
$this->smarty->display("backend/template/layout");
}
function layout2(){
echo $c=$this->load->view('views_backend/pages/01_home','',true);
}
function treemaps(){
echo $c=$this->load->view('views_backend/tree_maps/01_treemap','',true);
}
}
?>
| 0x6a | trunk/application/controllers/backend/home.php | PHP | asf20 | 1,593 |
<?php
class system extends BACKEND_Controller {
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
function __construct() {
parent::__construct();
$this->load->model('backend/setting_model');
$this->smarty = new CI_Smarty3();
$this->smarty->error_reporting = E_ALL & ~E_NOTICE;
}
function index() {
}
function lang($lang='en'){
$this->load->model('backend/lang_model');
$colModel = $this->lang_model->colmod();
foreach ($colModel as $col) {
$datafields[] = array(
'name' => $col['datafield'],
'type' => isset($col['type']) ? $col['type'] : 'string'
);
$column = $col;
$column['editable'] = isset($col['editable']) ? $col['editable'] : false;
$column['filterable'] = isset($col['filterable']) ? $col['filterable'] : true;
$column['sortable'] = isset($col['sortable']) ? $col['sortable'] : true;
$column['minwidth'] = isset($col['minwidth']) ? $col['minwidth'] : (isset($col['width']) ? $col['width'] : 100);
$columns[$col['datafield']] = $column;
$list[] = array(
'label' => $col['text'],
'value' => $col['datafield'],
'checked' => isset($col["hidden"]) ? !$col["hidden"] : true
);
}
$assigns['datafields']= $datafields;
$assigns['columns']= $columns;
$assigns['list']= $list;
$assigns['lang']=$lang;
$lang=isset($_GET['lang'])?$_GET['lang']:$lang;
$assigns['bindingsource']="/admincp/backend/system/lang_binding/$lang";
echo $c=$this->load->view('backend/05_setting/03_gridlang',$assigns,true);
}
function lang_binding($lang='en') {
$this->load->model('backend/lang_model');
$result = $this->lang_model->binding($lang);
$this->output->set_header('Content-type: application/json');
$this->output->set_output(json_encode($result));
}
function setting(){
$assigns['menuactive']='menu-system';
$assigns['conf_list'] = $this->setting_model->gets();
$colModel = $this->setting_model->colmod();
foreach ($colModel as $col) {
$datafields[] = array(
'name' => $col['datafield'],
'type' => isset($col['type']) ? $col['type'] : 'string'
);
$column = $col;
$column['editable'] = isset($col['editable']) ? $col['editable'] : false;
$column['filterable'] = isset($col['filterable']) ? $col['filterable'] : true;
$column['sortable'] = isset($col['sortable']) ? $col['sortable'] : true;
$column['minwidth'] = isset($col['minwidth']) ? $col['minwidth'] : (isset($col['width']) ? $col['width'] : 100);
$columns[$col['datafield']] = $column;
$list[] = array(
'label' => $col['text'],
'value' => $col['datafield'],
'checked' => isset($col["hidden"]) ? !$col["hidden"] : true
);
}
$assigns['datafields']= $datafields;
$assigns['columns']= $columns;
$assigns['list']= $list;
$assigns['bindingsource']='/backend/system/binding';
$this->smarty
->assign($assigns)
->display("backend/05_setting/01_list");
}
function config_editor($id = "") {
$assigns = null;
if ($id !== "")
$assigns['config'] = $this->setting_model->get($id);
$this->smarty
->assign($assigns)
->display("backend/05_setting/02_editor");
}
function lang_editor($id = "") {
$assigns = null;
if ($id !== ""){
$this->load->model('backend/lang_model');
$assigns['item'] = $this->lang_model->getbykey($id);
}
$this->smarty
->assign($assigns)
->display("backend/05_setting/04_langeditor");
}
function lang_save(){
$R["result"] = -1;$rs=false;
$R["message"] = ascii_to_entities("This function to requires an administrative account.<br/>Please check your authority, and try again.");
if($this->privilege->aupr_permission!=777)goto result;
$params=$this->input->post();
$key=$params['lang_key'];
$en=$params['lang_en'];
$vi=$params['lang_vi'];
if(!empty($key)){
$this->load->model('backend/lang_model');
if(!empty($en)){
$ai=array(
'lang_key'=>$key,'lang_language'=>'en','lang_text'=>$en
);
$this->lang_model->insert_on_duplicate($ai,array('lang_text'));
}
if(!empty($vi)){
$ai=array(
'lang_key'=>$key,'lang_language'=>'vi','lang_text'=>$vi
);
$this->lang_model->insert_on_duplicate($ai,array('lang_text'));
}
}else{
$R["result"] = -1;
$R["message"] = ascii_to_entities("Data is invalid.");
}
$R["result"] = 1;
$R["message"] = ascii_to_entities("Dữ liệu đã được hệ thống ghi nhận.");
result:
echo json_encode($R);
}
function config_save() {
$R["result"] = -1;
$R["message"] = ascii_to_entities("This function to requires an administrative account.<br/>Please check your authority, and try again.");
if($this->privilege->aupr_permission!=777)goto result;
$params=$this->input->post();
$id = (int)$params["conf_id"];unset($params["conf_id"]);
if ($id == 0)unset($params["conf_id"]);
$updates=array('conf_name','conf_value','conf_desc');
$rs = @$this->setting_model->insert_onduplicate_update_apri($params,$updates);
if ($rs === true) {
$R["result"] = 1;
$R["message"] = ascii_to_entities("Dữ liệu đã được hệ thống ghi nhận.");
} else {
$R["result"] = -1;
$R["error_number"] = $this->db->_error_number();
$R["error_message"] = $this->db->_error_message();
$R["message"] = ascii_to_entities("
Dữ liệu chưa được hệ thống ghi nhận.<br/>
Vui lòng kiểm tra dữ liệu và thử lại.<br/>
");
if ($R["error_number"] != 0)
$R["message"].=ascii_to_entities("<span class='erc'>[" . $R["error_number"] . "] " . $R["error_message"] . ".</span>");
}
result:
echo json_encode($R);
}
function dblog(){
$this->smarty
->display("backend/06_dblog/01_dblog");
}
function reloadpermission(){
if(!isset($_SESSION['auth'])) echo '<script type="text/javascript">alert("Fail")</script>';
$this->load->model("backend/auth_model");
$tmp = @$this->auth_model->getprivileges($_SESSION['auth']['user']->ause_id);
$privileges = array();
if ($tmp !== null)
foreach ($tmp as $pve) {
$privileges[$pve->apri_key] = $pve;
}
$_SESSION["auth"]["privileges"] = $privileges;
@$this->auth_backend->fileverify();
echo '<script type="text/javascript">alert("Success")</script>';
}
function binding($type=null) {
$result = $this->setting_model->binding($type);
$this->output->set_header('Content-type: application/json');
$this->output->set_output(json_encode($result));
}
function clearcache() {
$assigns['menuactive']='menu-system';
$assigns['caches']=array(
'home'=>''
);
$this->smarty
->assign($assigns)
->display("backend/other/01_clearcache");
}
}
?>
| 0x6a | trunk/application/controllers/backend/system.php | PHP | asf20 | 8,256 |
<?php
define("CCTRL", "permission");
define("CCTRLNAME", "permission");
define("TOKEN", "bb6222905ef8419183b5437779497596");
class permission extends BACKEND_Controller {
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
function __construct() {
parent::__construct();
$this->load->model("backend/user_model");
$this->smarty = new CI_Smarty3();
$this->smarty->error_reporting = E_ALL & ~E_NOTICE;
if (!isset($_SESSION["ADP"][CCTRL]["display"]))
$_SESSION["ADP"][CCTRL]["display"] = 0;
}
function index() {
$assigns['menuactive']='menu-permission';
$colModel = $this->user_model->colmod();
foreach ($colModel as $col) {
$datafields[] = array(
'name' => $col['datafield'],
'type' => isset($col['type']) ? $col['type'] : 'string'
);
$column = $col;
$column['editable'] = isset($col['editable']) ? $col['editable'] : false;
$column['filterable'] = isset($col['filterable']) ? $col['filterable'] : true;
$column['sortable'] = isset($col['sortable']) ? $col['sortable'] : true;
$column['minwidth'] = isset($col['minwidth']) ? $col['minwidth'] : (isset($col['width']) ? $col['width'] : 100);
$columns[$col['datafield']] = $column;
$list[] = array(
'label' => $col['text'],
'value' => $col['datafield'],
'checked' => isset($col["hidden"]) ? !$col["hidden"] : true
);
}
$assign = array(
'datafields' => $datafields,
'columns' => $columns,
'list' => $list
);
$this->smarty
->assign($assign)
->display("backend/permission/01_auth_user");
}
function binding() {
//$_POST=$_SESSION["tmp"];
//$_SESSION["tmp"]=$_POST;
$result = $this->user_model->binding();
$data[] = array(
'TotalRows' => $result['total_rows'],
'Rows' => $result['rows']
);
$this->output->set_header('Content-type: application/json');
$this->output->set_output(json_encode($data));
}
function setprivilege() {
$R["result"] = -1;
$R["message"] = ascii_to_entities("This function to requires an administrative account.<br/>Please check your authority, and try again.");
if($this->privilege->aupr_permission!=777)goto result;
$R["result"] = -998;
$rOk = 0;
$R["message"] = ascii_to_entities("Access is denied - Request invalid.");
$salt = $_SESSION['auth']['user']->ause_salt;
$aupr_user = $this->input->post('user_id');
$aupr_privilege = $this->input->post('privilege_id');
$aupr_permission = $this->input->post('permission');
$secretkey = $this->input->post('secretkey');
$signature = $this->input->post('signature');
if ($this->privilege->aupr_permission !== '777') {
$R["result"] = -997;
$R["message"] = ascii_to_entities("Permission denied to access the function.");
goto result;
}
//if( $signature!==md5("$aupr_privilege$secretkey$salt") ){
// $R["result"]=-991;
// $R["message"]=ascii_to_entities("Signature invalid.");
// goto result;
//}
$aParamsi = array(
'aupr_user' => $aupr_user,
'aupr_privilege' => $aupr_privilege,
'aupr_permission' => $aupr_permission,
'aupr_insert' => date('Y-m-d H:i:s'),
'aupr_status' => 'true',
);
$aUpdate = array('aupr_permission', 'aupr_insert');
//$aParamsi=objectToArray( json_decode('{"aupr_user":"10001","aupr_privilege":"10010","aupr_permission":"755","aupr_insert":"'.date('Y-m-d H:i:s').'","aupr_status":"true"}'));
//die(json_encode($aParamsi,true));
$rOk = $this->user_model->insert_onduplicate_update_aupr($aParamsi, $aUpdate);
if ($rOk > 0) {
$R["result"] = 1;
$R["message"] = ascii_to_entities("Set permission success.");
} else {
$R["result"] = -1;
$R["message"] = ascii_to_entities("Set permission fail.");
}
result:
$this->output->set_header('Content-type: application/json');
$this->output->set_output(json_encode($R));
}
function detail($id = "") {
//$id=$this->input->get('id');
$user = $this->user_model->get($id);
if ($user === null)
show_404();
$privileges = $this->user_model->getprivileges($id);
//echo $this->db->last_query();
$time = time();
$salt = $_SESSION['auth']['user']->ause_salt;
$this->smarty
->assign(array(
'user' => $user,
'privileges' => $privileges,
'time' => $time,
'salt' => $salt
))
->display("backend/" . CCTRL . "/01_detail");
}
}
?> | 0x6a | trunk/application/controllers/backend/permission.php | PHP | asf20 | 5,388 |
<?php
class content extends BACKEND_Controller {
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
function __construct() {
parent::__construct();
$this->load->model('backend/category_model');
$this->types = $this->category_model->get_by_type('system');
$this->load->model('backend/news_model');
$this->smarty = new CI_Smarty3();
$this->smarty->error_reporting = E_ALL & ~E_NOTICE;
}
function index_() {
$assigns['menuactive']='menu-content';
$type=isset($_GET['type'])?$_GET['type']:'about';
$assigns['news_list'] = $this->news_model->get_by_cate_type($type);
$assigns['types']=$this->types;
$this->smarty
->assign($assigns)
->display("backend/04_content/01_list");
}
function index($type=null){
$assigns['types']=$this->types;
$assigns['menuactive']='menu-content';
$colModel = $this->news_model->colmod();
foreach ($colModel as $col) {
$datafields[] = array(
'name' => $col['datafield'],
'type' => isset($col['type']) ? $col['type'] : 'string'
);
$column = $col;
$column['editable'] = isset($col['editable']) ? $col['editable'] : false;
$column['filterable'] = isset($col['filterable']) ? $col['filterable'] : true;
$column['sortable'] = isset($col['sortable']) ? $col['sortable'] : true;
$column['minwidth'] = isset($col['minwidth']) ? $col['minwidth'] : (isset($col['width']) ? $col['width'] : 100);
$columns[$col['datafield']] = $column;
$list[] = array(
'label' => $col['text'],
'value' => $col['datafield'],
'checked' => isset($col["hidden"]) ? !$col["hidden"] : true
);
}
$assigns['datafields']= $datafields;
$assigns['columns']= $columns;
$assigns['list']= $list;
$assigns['type']=$type;
$type=isset($_GET['type'])?$_GET['type']:$type;
$assigns['bindingsource']='/admincp/backend/content/binding/'.$type;
$this->smarty
->assign($assigns)
->display("backend/04_content/03_grid");
}
function editor($id = "") {
$assigns = null;
if ($id !== "")
$assigns['item'] = $this->news_model->_get($id);
$type=isset($_GET['type'])?$_GET['type']:'news';
$this->category_model = new category_basemodel($type);
$assigns['categories'] = $this->category_model->catetory_list;
$assigns['types']=$this->types;
$assigns['type']=$type;
$this->smarty
->assign($assigns)
->display("backend/04_content/02_editor_full");
}
function save() {
$R["result"] = -1;
$R["message"] = ascii_to_entities("This function to requires an administrative account.<br/>Please check your authority, and try again.");
if($this->privilege->aupr_permission!=777)goto result;
$params=$this->input->post();
$params["news_content"] = $_REQUEST['news_content'];
$params["news_category"] = (int) $params["news_category"];
$id = (int)$params["news_id"];unset($params["news_id"]);
if ($id != 0) {
$rs = @$this->news_model->_update($id, $params);
} else {
$rs = @$this->news_model->_insert($params);
}
if ($rs === true) {
$R["result"] = 1;
$R["message"] = ascii_to_entities("Dữ liệu đã được hệ thống ghi nhận.");
} else {
$R["result"] = -1;
$R["error_number"] = $this->db->_error_number();
$R["error_message"] = $this->db->_error_message();
$R["message"] = ascii_to_entities("
Dữ liệu chưa được hệ thống ghi nhận.<br/>
Vui lòng kiểm tra dữ liệu và thử lại.<br/>
");
if ($R["error_number"] != 0)
$R["message"].=ascii_to_entities("<span class='erc'>[" . $R["error_number"] . "] " . $R["error_message"] . ".</span>");
}
result:
echo json_encode($R);
}
function binding($type=null) {
$result = $this->news_model->binding($type);
$this->output->set_header('Content-type: application/json');
$this->output->set_output(json_encode($result));
}
}
?> | 0x6a | trunk/application/controllers/backend/content.php | PHP | asf20 | 4,781 |
<?php
class auth extends CI_Controller {
/*
Project : 48c6c450f1a4a0cc53d9585dc0fee742
Created on : Mar 16, 2013, 11:29:15 PM
Author : Truong Khuong - khuongxuantruong@gmail.com
Description :
Purpose of the stylesheet follows.
*/
function __construct() {
parent::__construct();
$this->smarty = new CI_Smarty3();
$this->smarty->error_reporting = E_ALL & ~E_NOTICE;
}
function index() {
$_SESSION["auth"]["privileges"] = array(
"guide" => array("name" => "category")
);
echo "auth form";
}
function location() {
$state = '';
if (isset($_GET["state"]))
$state = $_GET["state"];
redirect($state);
}
function denied() {
//echo "Access denied .";
$this->smarty->display("backend/auth/02_access_denied");
}
function login() {
$state = (isset($_GET["state"]) and $_GET["state"] != "") ? $_GET["state"] : "backend/";
if (isset($_SESSION["auth"]["user"])) {
redirect("$state");
}
if (!isset($_SESSION['auth']['oauth'])) {
//redirect(base_url('OAuth')."?state=$state");
}
$this->smarty->display("backend/auth/01_login");
}
function logout() {
unset($_SESSION["auth"]);
$state = (isset($_GET["state"]) and $_GET["state"] != "") ? $_GET["state"] : "backend/auth/login";
redirect("$state");
}
function exc_login() {
//$_POST["username"]="icarus12345";
//$_POST["password"]="V9ZXr6Uw";
$this->load->module("backend/auth_backend");
$R = $this->auth_backend->check_login();
//$R['message']=$_POST['username'];
$this->output->set_header('Content-type: application/json');
$this->output->set_output(json_encode($R));
}
}
?> | 0x6a | trunk/application/controllers/backend/auth.php | PHP | asf20 | 1,944 |