Giter Club home page Giter Club logo

codeigniter-template's People

Contributors

barrymieny avatar dfreerksen avatar imarkcampbell avatar janosrusiczki avatar qu1rk3y avatar ruthlessfish avatar

Stargazers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

Watchers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

codeigniter-template's Issues

[request] Title Chaining throughout controllers

the Template library currently supports title chaining within the same function.

$this->template->title( 'title1', 'title2', 'title3' );

This works great, but what happens if you have a controller that extends another controller and you want to define a title at each level but not have to pass each title parameter every time. e.g';

<?php defined('BASEPATH') OR exit('No direct script access allowed');

class Auth extends AUTH_Controller {

This is where i began editing code.. I'm sure theres a cleaner way of doing it, if not.. let me know and ill submit a pull request for the change.

i modified the Template.php library for my own use, and it works..

Template.php

New Function: site_title
This function is responsible for compiling the title from an array, just like title( 'title1', 'title2', 'title3' ) normally would. Except this will check if the class object $this->_titles has more than one item, if it does then it will implode them all, otherwise it will just return back the first element(0).

    public function set_title(){

        $compiled_title = ( count( $this->_titles ) > 1 ) ? implode($this->_titles, $this->_title_separator) : $this->_titles[0];

        return $compiled_title;

    }

Modified function: title
I modified this function to actually push the passed $title to the class object $this->_titles. This way the code in your controllers, does not have to be changed.

    public function title( $title ){

        array_push($this->_titles, $title);

        return $this;

    }

Modified function: build
I then modified the build function to set the title to the set_title() function, which returns either the imploded array of titles, or the single title.

    // Output template variables to the template
    $template['title']  = $this->set_title();

Like i said, i modified this for my own use. However i would be more than happy to submit a Pull Request if Phil decides to merge it into his library.


Full Code of Template.php

<?php defined('BASEPATH') OR exit('No direct script access allowed');

/**
 * CodeIgniter Template Class
 *
 * Build your CodeIgniter pages much easier with partials, breadcrumbs, layouts and themes
 *
 * @package         CodeIgniter
 * @subpackage      Libraries
 * @category        Libraries
 * @author          Philip Sturgeon
 * @license         http://philsturgeon.co.uk/code/dbad-license
 * @link            http://getsparks.org/packages/template/show
 */
class Template
{
    private $_module = '';
    private $_controller = '';
    private $_method = '';

    private $_theme = NULL;
    private $_theme_path = NULL;
    private $_layout = FALSE; // By default, dont wrap the view with anything
    private $_layout_subdir = ''; // Layouts and partials will exist in views/layouts
    // but can be set to views/foo/layouts with a subdirectory

    private $_title = '';
    private $_titles = array();
    private $_metadata = array();

    private $_partials = array();

    private $_breadcrumbs = array();

    private $_title_separator = ' | ';

    private $_parser_enabled = TRUE;
    private $_parser_body_enabled = TRUE;

    private $_theme_locations = array();

    private $_is_mobile = FALSE;

    // Minutes that cache will be alive for
    private $cache_lifetime = 0;

    private $_ci;

    private $_data = array();

    /**
     * Constructor - Sets Preferences
     *
     * The constructor can be passed an array of config values
     */
    function __construct($config = array())
    {
        $this->_ci =& get_instance();

        if ( ! empty($config))
        {
            $this->initialize($config);
        }

        log_message('debug', 'Template class Initialized');
    }

    // --------------------------------------------------------------------

    /**
     * Initialize preferences
     *
     * @access  public
     * @param   array
     * @return  void
     */
    function initialize($config = array())
    {
        foreach ($config as $key => $val)
        {
            if ($key == 'theme' AND $val != '')
            {
                $this->set_theme($val);
                continue;
            }

            $this->{'_'.$key} = $val;
        }

        // No locations set in config?
        if ($this->_theme_locations === array())
        {
            // Let's use this obvious default
            $this->_theme_locations = array(APPPATH . 'themes/');
        }

        // Theme was set
        if ($this->_theme)
        {
            $this->set_theme($this->_theme);
        }

        // If the parse is going to be used, best make sure it's loaded
        if ($this->_parser_enabled === TRUE)
        {
            class_exists('CI_Parser') OR $this->_ci->load->library('parser');
        }

        // Modular Separation / Modular Extensions has been detected
        if (method_exists( $this->_ci->router, 'fetch_module' ))
        {
            $this->_module  = $this->_ci->router->fetch_module();
        }

        // What controllers or methods are in use
        $this->_controller  = $this->_ci->router->fetch_class();
        $this->_method      = $this->_ci->router->fetch_method();

        // Load user agent library if not loaded
        class_exists('CI_User_agent') OR $this->_ci->load->library('user_agent');

        // We'll want to know this later
        $this->_is_mobile   = $this->_ci->agent->is_mobile();
    }

    // --------------------------------------------------------------------

    /**
     * Magic Get function to get data
     *
     * @access  public
     * @param     string
     * @return  mixed
     */
    public function __get($name)
    {
        return isset($this->_data[$name]) ? $this->_data[$name] : NULL;
    }

    // --------------------------------------------------------------------

    /**
     * Magic Set function to set data
     *
     * @access  public
     * @param     string
     * @return  mixed
     */
    public function __set($name, $value)
    {
        $this->_data[$name] = $value;
    }

    // --------------------------------------------------------------------

    /**
     * Set data using a chainable metod. Provide two strings or an array of data.
     *
     * @access  public
     * @param     string
     * @return  mixed
     */
    public function set($name, $value = NULL)
    {
        // Lots of things! Set them all
        if (is_array($name) OR is_object($name))
        {
            foreach ($name as $item => $value)
            {
                $this->_data[$item] = $value;
            }
        }

        // Just one thing, set that
        else
        {
            $this->_data[$name] = $value;
        }

        return $this;
    }

    // --------------------------------------------------------------------

    /**
     * Build the entire HTML output combining partials, layouts and views.
     *
     * @access  public
     * @param   string
     * @return  void
     */
    public function build($view, $data = array(), $return = FALSE)
    {
        // Set whatever values are given. These will be available to all view files
        is_array($data) OR $data = (array) $data;

        // Merge in what we already have with the specific data
        $this->_data = array_merge($this->_data, $data);

        // We don't need you any more buddy
        unset($data);

        if (empty($this->_title))
        {
            $this->_title = $this->_guess_title();
        }

        // Output template variables to the template
        $template['title']  = $this->set_title();
        $template['breadcrumbs'] = $this->_breadcrumbs;
        $template['metadata']   = implode("\n\t\t", $this->_metadata);
        $template['partials']   = array();

        // Assign by reference, as all loaded views will need access to partials
        $this->_data['template'] =& $template;

        foreach ($this->_partials as $name => $partial)
        {
            // We can only work with data arrays
            is_array($partial['data']) OR $partial['data'] = (array) $partial['data'];

            // If it uses a view, load it
            if (isset($partial['view']))
            {
                $template['partials'][$name] = $this->_find_view($partial['view'], $partial['data']);
            }

            // Otherwise the partial must be a string
            else
            {
                if ($this->_parser_enabled === TRUE)
                {
                    $partial['string'] = $this->_ci->parser->parse_string($partial['string'], $this->_data + $partial['data'], TRUE, TRUE);
                }

                $template['partials'][$name] = $partial['string'];
            }
        }

        // Disable sodding IE7's constant cacheing!!
        $this->_ci->output->set_header('Expires: Sat, 01 Jan 2000 00:00:01 GMT');
        $this->_ci->output->set_header('Cache-Control: no-store, no-cache, must-revalidate');
        $this->_ci->output->set_header('Cache-Control: post-check=0, pre-check=0, max-age=0');
        $this->_ci->output->set_header('Last-Modified: ' . gmdate( 'D, d M Y H:i:s' ) . ' GMT' );
        $this->_ci->output->set_header('Pragma: no-cache');

        // Let CI do the caching instead of the browser
        $this->_ci->output->cache($this->cache_lifetime);

        // Test to see if this file
        $this->_body = $this->_find_view($view, array(), $this->_parser_body_enabled);

        // Want this file wrapped with a layout file?
        if ($this->_layout)
        {
            // Added to $this->_data['template'] by refference
            $template['body'] = $this->_body;

            // Find the main body and 3rd param means parse if its a theme view (only if parser is enabled)
            $this->_body =  self::_load_view('_layout/'.$this->_layout, $this->_data, TRUE, self::_find_view_folder());
        }

        // Want it returned or output to browser?
        if ( ! $return)
        {
            $this->_ci->output->set_output($this->_body);
        }

        return $this->_body;
    }

    /**
     * Set the title of the page
     *
     * used in build() to compile the title
     * into a string from array, or display a
     * single title.
     *
     * @access  public
     * @param   string
     * @return  void
     */
    public function set_title(){

        $compiled_title = ( count( $this->_titles ) > 1 ) ? implode($this->_titles, $this->_title_separator) : $this->_titles[0];

        return $compiled_title;

    }

    public function title( $title ){

        array_push($this->_titles, $title);

        return $this;

    }

    /**
     * Put extra javascipt, css, meta tags, etc before all other head data
     *
     * @access  public
     * @param    string $line   The line being added to head
     * @return  void
     */
    public function prepend_metadata($line)
    {
        array_unshift($this->_metadata, $line);
        return $this;
    }


    /**
     * Put extra javascipt, css, meta tags, etc after other head data
     *
     * @access  public
     * @param    string $line   The line being added to head
     * @return  void
     */
    public function append_metadata($line)
    {
        $this->_metadata[] = $line;
        return $this;
    }


    /**
     * Set metadata for output later
     *
     * @access  public
     * @param     string    $name       keywords, description, etc
     * @param     string    $content    The content of meta data
     * @param     string    $type       Meta-data comes in a few types, links for example
     * @return  void
     */
    public function set_metadata($name, $content, $type = 'meta')
    {
        $name = htmlspecialchars(strip_tags($name));
        $content = htmlspecialchars(strip_tags($content));

        // Keywords with no comments? ARG! comment them
        if ($name == 'keywords' AND ! strpos($content, ','))
        {
            $content = preg_replace('/[\s]+/', ', ', trim($content));
        }

        switch($type)
        {
            case 'meta':
                $this->_metadata[$name] = '<meta name="'.$name.'" content="'.$content.'" />';
            break;

            case 'link':
                $this->_metadata[$content] = '<link rel="'.$name.'" href="'.$content.'" />';
            break;
        }

        return $this;
    }


    /**
     * Which theme are we using here?
     *
     * @access  public
     * @param   string  $theme  Set a theme for the template library to use
     * @return  void
     */
    public function set_theme($theme = NULL)
    {
        $this->_theme = $theme;
        foreach ($this->_theme_locations as $location)
        {
            if ($this->_theme AND file_exists($location.$this->_theme))
            {
                $this->_theme_path = rtrim($location.$this->_theme.'/');
                break;
            }
        }

        return $this;
    }

    /**
     * Get the current theme path
     *
     * @access  public
     * @return  string The current theme path
     */
    public function get_theme_path()
    {
        return $this->_theme_path;
    }


    /**
     * Which theme layout should we using here?
     *
     * @access  public
     * @param   string  $view
     * @return  void
     */
    public function set_layout($view, $_layout_subdir = '')
    {
        $this->_layout = $view;

        $_layout_subdir AND $this->_layout_subdir = $_layout_subdir;

        return $this;
    }

    /**
     * Set a view partial
     *
     * @access  public
     * @param   string
     * @param   string
     * @param   boolean
     * @return  void
     */
    public function set_partial($name, $view, $data = array())
    {
        $this->_partials[$name] = array('view' => $view, 'data' => $data);
        return $this;
    }

    /**
     * Set a view partial
     *
     * @access  public
     * @param   string
     * @param   string
     * @param   boolean
     * @return  void
     */
    public function inject_partial($name, $string, $data = array())
    {
        $this->_partials[$name] = array('string' => $string, 'data' => $data);
        return $this;
    }


    /**
     * Helps build custom breadcrumb trails
     *
     * @access  public
     * @param   string  $name       What will appear as the link text
     * @param   string  $url_ref    The URL segment
     * @return  void
     */
    public function set_breadcrumb($name, $uri = '')
    {
        $this->_breadcrumbs[] = array('name' => $name, 'uri' => $uri );
        return $this;
    }

    /**
     * Set a the cache lifetime
     *
     * @access  public
     * @param   string
     * @param   string
     * @param   boolean
     * @return  void
     */
    public function set_cache($minutes = 0)
    {
        $this->cache_lifetime = $minutes;
        return $this;
    }


    /**
     * enable_parser
     * Should be parser be used or the view files just loaded normally?
     *
     * @access  public
     * @param    string $view
     * @return  void
     */
    public function enable_parser($bool)
    {
        $this->_parser_enabled = $bool;
        return $this;
    }

    /**
     * enable_parser_body
     * Should be parser be used or the body view files just loaded normally?
     *
     * @access  public
     * @param    string $view
     * @return  void
     */
    public function enable_parser_body($bool)
    {
        $this->_parser_body_enabled = $bool;
        return $this;
    }

    /**
     * theme_locations
     * List the locations where themes may be stored
     *
     * @access  public
     * @param    string $view
     * @return  array
     */
    public function theme_locations()
    {
        return $this->_theme_locations;
    }

    /**
     * add_theme_location
     * Set another location for themes to be looked in
     *
     * @access  public
     * @param    string $view
     * @return  array
     */
    public function add_theme_location($location)
    {
        $this->_theme_locations[] = $location;
    }

    /**
     * theme_exists
     * Check if a theme exists
     *
     * @access  public
     * @param    string $view
     * @return  array
     */
    public function theme_exists($theme = NULL)
    {
        $theme OR $theme = $this->_theme;

        foreach ($this->_theme_locations as $location)
        {
            if (is_dir($location.$theme))
            {
                return TRUE;
            }
        }

        return FALSE;
    }

    /**
     * get_layouts
     * Get all current layouts (if using a theme you'll get a list of theme layouts)
     *
     * @access  public
     * @param    string $view
     * @return  array
     */
    public function get_layouts()
    {
        $layouts = array();

        foreach(glob(self::_find_view_folder().'layouts/*.*') as $layout)
        {
            $layouts[] = pathinfo($layout, PATHINFO_BASENAME);
        }

        return $layouts;
    }


    /**
     * get_layouts
     * Get all current layouts (if using a theme you'll get a list of theme layouts)
     *
     * @access  public
     * @param    string $view
     * @return  array
     */
    public function get_theme_layouts($theme = NULL)
    {
        $theme OR $theme = $this->_theme;

        $layouts = array();

        foreach ($this->_theme_locations as $location)
        {
            // Get special web layouts
            if( is_dir($location.$theme.'/views/web/layouts/') )
            {
                foreach(glob($location.$theme . '/views/web/layouts/*.*') as $layout)
                {
                    $layouts[] = pathinfo($layout, PATHINFO_BASENAME);
                }
                break;
            }

            // So there are no web layouts, assume all layouts are web layouts
            if(is_dir($location.$theme.'/views/layouts/'))
            {
                foreach(glob($location.$theme . '/views/layouts/*.*') as $layout)
                {
                    $layouts[] = pathinfo($layout, PATHINFO_BASENAME);
                }
                break;
            }
        }

        return $layouts;
    }

    /**
     * layout_exists
     * Check if a theme layout exists
     *
     * @access  public
     * @param    string $view
     * @return  array
     */
    public function layout_exists($layout)
    {
        // If there is a theme, check it exists in there
        if ( ! empty($this->_theme) AND in_array($layout, self::get_theme_layouts()))
        {
            return TRUE;
        }

        // Otherwise look in the normal places
        return file_exists(self::_find_view_folder().'layouts/' . $layout . self::_ext($layout));
    }

    // find layout files, they could be mobile or web
    private function _find_view_folder()
    {
        if ($this->_ci->load->get_var('template_views'))
        {
            return $this->_ci->load->get_var('template_views');
        }

        // Base view folder
        $view_folder = APPPATH.'views/';

        // Using a theme? Put the theme path in before the view folder
        if ( ! empty($this->_theme))
        {
            $view_folder = $this->_theme_path.'views/';
        }

        // Would they like the mobile version?
        if ($this->_is_mobile === TRUE AND is_dir($view_folder.'mobile/'))
        {
            // Use mobile as the base location for views
            $view_folder .= 'mobile/';
        }

        // Use the web version
        else if (is_dir($view_folder.'web/'))
        {
            $view_folder .= 'web/';
        }

        // Things like views/admin/web/view admin = subdir
        if ($this->_layout_subdir)
        {
            $view_folder .= $this->_layout_subdir.'/';
        }

        // If using themes store this for later, available to all views
        $this->_ci->load->vars('template_views', $view_folder);

        return $view_folder;
    }

    // A module view file can be overriden in a theme
    private function _find_view($view, array $data, $parse_view = TRUE)
    {
        // Only bother looking in themes if there is a theme
        if ( ! empty($this->_theme))
        {
            foreach ($this->_theme_locations as $location)
            {
                $theme_views = array(
                    $this->_theme . '/views/modules/' . $this->_module . '/' . $view,
                    $this->_theme . '/views/' . $view
                );

                foreach ($theme_views as $theme_view)
                {
                    if (file_exists($location . $theme_view . self::_ext($theme_view)))
                    {
                        return self::_load_view($theme_view, $this->_data + $data, $parse_view, $location);
                    }
                }
            }
        }

        // Not found it yet? Just load, its either in the module or root view
        return self::_load_view($view, $this->_data + $data, $parse_view);
    }

    private function _load_view($view, array $data, $parse_view = TRUE, $override_view_path = NULL)
    {
        // Sevear hackery to load views from custom places AND maintain compatibility with Modular Extensions
        if ($override_view_path !== NULL)
        {
            if ($this->_parser_enabled === TRUE AND $parse_view === TRUE)
            {
                // Load content and pass through the parser
                $content = $this->_ci->parser->parse_string($this->_ci->load->file(
                    $override_view_path.$view.self::_ext($view), 
                    TRUE
                ), $data);
            }

            else
            {
                $this->_ci->load->vars($data);

                // Load it directly, bypassing $this->load->view() as ME resets _ci_view
                $content = $this->_ci->load->file(
                    $override_view_path.$view.self::_ext($view),
                    TRUE
                );
            }
        }

        // Can just run as usual
        else
        {
            // Grab the content of the view (parsed or loaded)
            $content = ($this->_parser_enabled === TRUE AND $parse_view === TRUE)

                // Parse that bad boy
                ? $this->_ci->parser->parse($view, $data, TRUE)

                // None of that fancy stuff for me!
                : $this->_ci->load->view($view, $data, TRUE);
        }

        return $content;
    }

    private function _guess_title()
    {
        $this->_ci->load->helper('inflector');

        // Obviously no title, lets get making one
        $title_parts = array();

        // If the method is something other than index, use that
        if ($this->_method != 'index')
        {
            $title_parts[] = $this->_method;
        }

        // Make sure controller name is not the same as the method name
        if ( ! in_array($this->_controller, $title_parts))
        {
            $title_parts[] = $this->_controller;
        }

        // Is there a module? Make sure it is not named the same as the method or controller
        if ( ! empty($this->_module) AND ! in_array($this->_module, $title_parts))
        {
            $title_parts[] = $this->_module;
        }

        // Glue the title pieces together using the title separator setting
        $title = humanize(implode($this->_title_separator, $title_parts));

        return $title;
    }

    private function _ext($file)
    {
        return pathinfo($file, PATHINFO_EXTENSION) ? '' : '.php';
    }
}

// END Template class

Cannot access protected property MY_Loader::$_ci_cached_vars

Hi,
when I try to run the dwoo_test I get this error:

PHP Fatal error: Cannot access protected property MY_Loader::$_ci_cached_vars in /home/carlo/public_html/website/application/libraries/MY_Parser.php on line 146

I'm using the last CodeIgniter version downloaded from github.

Any ideas?

Undefined method error

I tried following the tutorial from the CodeIgniter wiki. I also tried using the examples from the user guide. Whatever I do, when I use the set_layout method I get the following error when using the build method later:

Fatal error: Call to undefined method CI_Loader::get_var() in D:\xampp\htdocs\project\application\libraries\Template.php on line 638

I would really like to use the library, but I can't get past this bump.

Any help appreciated.

Layout Not Loading

Hello,

I've put all of the codeigniter-template files in the proper place, but layouts just...aren't loading.

Layout:

<!DOCTYPE HTML>
<html lang="en-US">
<head>
    <meta charset="UTF-8">
    <title>{$template.title}</title>
</head>
<body>
    {$template.body}
</body>
</html>

Controller:

template ->title('Groups Index') ->set_layout('default') ->build('groups/index'); } ``` } /\* End of file index.php _/ /_ Location: ./application/controllers/groups.php */

how to include theme assets

I have all of my theme static assets within my theme folder.

/application/themes/
    | default
    | assets
        | css
            - style.css
        | js
        | images
    | views

I would like to know how can I include my theme assets like css, js, images on my layouts or view files?

Found a bug in template library, when set theme is not call might cause error

when it's not call $this->template->set_theme($theme) on controller,

and the configuration default theme is set to
$config['theme'] = $theme;

libraries/Template.php#L80
at line 80 will cause the problem, due to for-loop ascending nature

foreach ($config as $key => $val)
{
if ($key == 'theme' AND $val != '')
{
$this->set_theme($val); // executed at first because $config['theme'] first
continue;
}

$this->{'_'.$key} = $val; //then $config['theme_locations'] is the last statement
}

sorry for my bad english. ;-)

undefine get_var

i used template library with HMVC but in template library at line 625 you have used get_var which is missing in loader

 if ($this->_ci->load->get_var('template_views'))
        {
            return $this->_ci->load->get_var('template_views');
        } 

problem with Template and the new CI 3.0-dev

hi,
i have just downloaded the new CI-3.0-dev ( 24/05/2012 )
and when i run my application i got this error :

A PHP Error was encountered
Severity: Runtime Notice

Message: Only variables should be assigned by reference

Filename: libraries/Template.php

Line Number: 281

which is

$title_segments =& func_get_args();

and remove it will cause the title to show the only title which we have passed inside the function controller, not even the one inside the constructor ..

wrong time type

Template.php line #44 and line #458 - CI's output caching accepts minutes not seconds.

Problem when added single object to be passed to a view

When you try to pass a single object to a view you get the following error:

Object of class stdClass could not be converted to string

But as soon you wrap the object in to an array everything work fine.

The problem is present when you use
$data[single_obj] = $this->a_model->get_single();
$this->template->build('some_view', $data);
or

$this->template->set('single_obj', $this->a_model->get_single() );
$this->template->buil('some_view');

Thank you.

This library is great-

template with asset library

I need help on the correct way to link my css and js files when using a template.

template is working using the below structure, but I'm not clear on how to specify a theme for the asset.
asset is also working when not using template

/application
-/themes
--/default
---/views
----/css
-----style.css
----/layouts
-----default.php

default.php contents

<title></title>

config/asset.php contains

$config['theme_asset_dir'] = APPPATH_URI . 'themes/';
$config['theme_asset_url'] = BASE_URL.APPPATH.'themes/';

Modules::run() loading views

When using the Modules::run() for dynamically loading views such as:

$this->load->module('module_name');
$this->module_name->index();

or

echo modules::run($module->module);

The problem is that you are using the:

$this->_module = $this->_ci->router->fetch_module();

The problem is this is NULL when using the run() or load->module() methods.

Is there a fix for this.

Call to a member function is_mobile() on a non-object

i'm getting the following error.

PHP Fatal error: Call to a member function is_mobile() on a non-object in /home/sevenpix/public_html/application/libraries/Template.php on line 122

The site loads fine and everything seems to work. So I'm not sure what's up.

Set Breadcrumb

I had a problem for rename a existing breadcrumb, so we can do it easier with this.

    public function set_breadcrumb($name, $uri = '', $index = NULL)
{
    if(is_null($index)) {
        $this->_breadcrumbs[] = array('name' => $name, 'uri' => $uri );
    } else {
        $this->_breadcrumbs[$index] = array('name' => $name, 'uri' => $uri );
    }
    return $this;
}

Error Message when using the themes directory --> libraries/Template.php

Hi,

i tested a bit with the template library and HMVC and all works fine as long the views are ONLY in the module directory.

After moving the module views to the theme directory i got always the following error message

A PHP Error was encountered

Severity: Notice

Message: Undefined index: body

Filename: layouts/default.php

Line Number: 3

After some debugging, I found the bad line in the libraries/Template.php in line 263

$this->_body =  self::_load_view('layouts/'.$this->_layout, $this->_data, TRUE, self::_find_view_folder());

The parameter TRUE is hardcoded.
I checked the other function which execute the _load_view() function and there are always variables at the third position.

After changing the line to:

$this->_body =  self::_load_view('layouts/'.$this->_layout, $this->_data, $this->_parser_body_enabled, self::_find_view_folder());

It works fine.

template with asset library

I need help on the correct way to link my css and js files when using a template.

template is working using the below structure, but I'm not clear on how to specify a theme for the asset.
asset is also working when not using template

/application
-/themes
--/default
---/views
----/css
-----style.css
----/layouts
-----default.php

default.php contents

config/asset.php contains

$config['theme_asset_dir'] = APPPATH_URI . 'themes/';
$config['theme_asset_url'] = BASE_URL.APPPATH.'themes/';

set not working(?)

Hi,
In this code the set and the second param in build are not working for me

$this->template
            ->title('Blog', 'xxx')
            ->set('table', 'table')
            ->set_partial('top-bar', 'partials/top-bar')
            ->build('home',  array('message' => 'Hi there!'));

a var dump for the above returns

array(4) { ["title"]=> string(10) "Blog | xxx" ["breadcrumbs"]=> array(0) { } ["metadata"]=> string(0) "" ["partials"]=> array(0) { } } 

So message and table values are not being set. The rest seems to work fine.

Thank you

Can set_partial set the third param(data) for the partial view?

I can't set the third param "data" for the partial view

I have a view named :test.php to used for partial.
--------------------test.php-------------------

--------------------test.php-------------------

I write the controller to use
$data["show_param"]="hello the world";
$this->template->set_partial('test','test',$data);
$this->template->set_layout('default');
$this->template->build('aaa');
But the result I couldn't get the $show_param to echo.

How can I use the set_partial?

Exhance set_metadata() for additional elements

Slight modification to set_metadata method:

public function set_metadata($name, $content, $type = 'meta', $extra = FALSE)
{
    $name = htmlspecialchars(strip_tags($name));
    $content = htmlspecialchars(strip_tags($content));

    // Keywords with no comments? ARG! comment them
    if ($name == 'keywords' AND ! strpos($content, ','))
    {
        $content = preg_replace('/[\s]+/', ', ', trim($content));
    }

    $add = '';
    $key = '';
    if ($extra)
    {
        foreach ($extra as $k => $v)
        {
            $add .= $k.'="'.$v.'" ';
            $key = '_'.$k.$v;
        }
    }

    switch($type)
    {
        case 'meta':
            $this->_metadata[$name.$key] = '<meta name="'.$name.'" content="'.$content.'" '.$add.' />';
        break;

        case 'link':
            $this->_metadata[$content.$key] = '<link rel="'.$name.'" href="'.$content.'" '.$add.' />';
        break;
    }

    return $this;
}

Usage:
$this->template->set_metadata('apple-touch-icon-precomposed', site_url('/images/apple-touch-icon-precomposed.png'), 'link', array('sizes' => '114x114'));

Sorry, no time to add git and do pull :-/

Breadcrumbs docs are missing.

Title pretty much says it all.

The linked documentation for this library seems to be missing instructions on how to use the set_breadcrumbs method effectively.

Can't find functions.php if parsing view

Hi folks,

I'm using Template with Dwoo, and when parsing the view, I get this error:

Error:

  • require_once(/var/www/system/../themes//lib/function.php) [function.require-once]: failed to open stream: No such file or directory
  • File: /var/www/themes/basic/views/partials/default/header.php

(notice how the theme 'basic' is missing from the header.php require)

However, I can fix it by adding the following $this->_ci->load->vars($data); in the _load_view() as below:

Is this ok? I don't know enough about the code to evaluate if this will break something.

private function _load_view($view, array $data, $parse_view = TRUE, $override_view_path = NULL)
{
    // Sevear hackery to load views from custom places AND maintain compatibility with Modular Extensions
    if ($override_view_path !== NULL)
    {
        if ($this->_parser_enabled === TRUE AND $parse_view === TRUE)
        {
            $this->_ci->load->vars($data);
            // Load content and pass through the parser
            $content = $this->_ci->parser->parse_string($this->_ci->load->file(
                $override_view_path.$view.self::_ext($view), 
                TRUE
            ), $data);
        }
(snip)

TIA
Mike

Problem with template.php file in CI3.0

Hey, I have just upgraded my CI 2.2.0 to the latest CI 3.0.0 when the problem started to occur. After the upgrade everything was working perfectly except when this error showed up:

A PHP Error was encountered
Severity: Runtime Notice

Message: Only variables should be assigned by reference

Filename: libraries/Template.php

Line Number: 281

I also read other issues that were opened by other on the same problem and also tried their solution like this one:

public function title()
{
if (func_num_args() >= 1)
{
$title_segments = func_get_args();
$this->_title = implode($this->_title_separator, $title_segments);
}

return $this;

}

But none of the worked correctly. The above one was worked to an extent except when it destroyed the layout of my website application, from full width it changed the layout to boxed (when I didn't even configured anything like such anywhere in my website). The whole website uses the same layout i.e. full width and not even a single page uses boxed. The above one did worked hiding the error.

I also did a test to check if this was a css problem or a php one. I used the orignal code that you used and it gave the same error. Then I changed environment to production in the index.php. The errors were also gone and the layout was perfect too, but the thing here is I don't want to hide the problem but want to finish it. So please help me doing the same.

Thanks for such a nice library! ;)

Error pages

It would be a great help if this also handled error pages in CI. Any suggestions on a method to incorporate it?

Problem with codeigniter version 2.0.3

In codeigniter v 2.0.3 the Class loader change protected attributes.

In Template library try access the attribute $_ci_cached_vars in the line #625

if (isset($this->_ci->load->_ci_cached_vars['template_views']))
{
return $this->_ci->load->_ci_cached_vars['template_views'];
}

problem with Modules HMVC ( mx library ) and the static method run()

i have this testing code which am working with ..
i have a module called ms and and another one called test
the test controller code is :

<?php
class Test extends MX_Controller {

    public function __construct()
    {
        parent::__construct();
        $this->template->title($this->config->item('site_name','app'));
    }

    public function index()
    {
        $this->template->build('index');
    }
}

and the code inside ms is :

<?php
//ms module
class Msrofi extends MX_Controller {

    public function __construct()
    {
        parent::__construct();
        $this->template->title($this->config->item('site_name','app'));
    }

    public function index()
    {
        $t = Modules::run('test/test/index');
        var_dump($t);
        $this->template->build('index_message');
    }
}

the problem is that the build function inside test is trying to find the index view file inside the ms views folder not the test views folder ..
i checked the $this->_module and it gave me the ms module name ..

Modules::run in view

I have a view that load content from another module, this just seems to load the page without using the templating functionality, any idea of a way to get around this?

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    ๐Ÿ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. ๐Ÿ“Š๐Ÿ“ˆ๐ŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google โค๏ธ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.