Перейти к содержанию
Официальный форум поддержки Simpla

Рекомендуемые сообщения

Подскажите, искал на форуме, есть похожие, но так и не получилось сделать.

Если кто знает, плиз подскажите как реализовать отдельный поиск по названию варианта? (simpla 2.1)

п.с. заранее благодарен.

Ссылка на сообщение
Поделиться на другие сайты

Очень по разному можно понимать и реализовывать:

1. смотря как понимать "отдельный поиск" - то в отдельной форме, то ли на отдельной странице...

2. непонятно, нужно ли  в админке или на сайте

3. по-разному можно выводить результаты (например, найдено 5 вариантов ОДНОГО товара)

 

Скорее всего, индивидуальным программированием...

Ссылка на сообщение
Поделиться на другие сайты

Очень по разному можно понимать и реализовывать:

1. смотря как понимать "отдельный поиск" - то в отдельной форме, то ли на отдельной странице...

2. непонятно, нужно ли  в админке или на сайте

3. по-разному можно выводить результаты (например, найдено 5 вариантов ОДНОГО товара)

 

Скорее всего, индивидуальным программированием...

1.отдельный поиск в плане не в ?keyword а в ?size

2.на сайте (на фронтенде)

3.вывести нужно товары в которых есть вариант с таким именем.

Ссылка на сообщение
Поделиться на другие сайты

1.отдельный поиск в плане не в ?keyword а в ?size

2.на сайте (на фронтенде)

3.вывести нужно товары в которых есть вариант с таким именем.

 

а зачем это делать отдельно? можно добавить поиск по названию варианта в стандартный поиск. будет искать по названию товара, кл.словам, артикулу варианта и названию варианта еще 

или вы хотите выделить поиск по размерам?

Ссылка на сообщение
Поделиться на другие сайты

а зачем это делать отдельно? можно добавить поиск по названию варианта в стандартный поиск. будет искать по названию товара, кл.словам, артикулу варианта и названию варианта еще 

или вы хотите выделить поиск по размерам?

нужен отдельно именно по размеру. если не сложно напишите решение.заранее благодарен.

Ссылка на сообщение
Поделиться на другие сайты

нужен отдельно именно по размеру. если не сложно напишите решение.заранее благодарен.

 

на самом деле это не 5 минут писать, будет время, напишу.

Ссылка на сообщение
Поделиться на другие сайты

на самом деле это не 5 минут писать, будет время, напишу.

Ну я не программист, немного пошаманил и за 20 мин сделал. Думаю такому специалисту как вы, как раз и хватило бы 5 мин. =)

Ссылка на сообщение
Поделиться на другие сайты

Кому понадобится:

Правил файл api/Products

Вот он полный

<?php

/**
 * Работа с товарами
 *
 * @copyright     2011 Denis Pikusov
 * @link         http://simplacms.ru
 * @author         Denis Pikusov
 *
 */

require_once('Simpla.php');

class Products extends Simpla
{
    /**
    * Функция возвращает товары
    * Возможные значения фильтра:
    * id - id товара или их массив
    * category_id - id категории или их массив
    * brand_id - id бренда или их массив
    * page - текущая страница, integer
    * limit - количество товаров на странице, integer
    * sort - порядок товаров, возможные значения: position(по умолчанию), name, price
    * keyword - ключевое слово для поиска
    * features - фильтр по свойствам товара, массив (id свойства => значение свойства)
    */
    public function get_products($filter = array())
    {        
        // По умолчанию
        $limit = 100;
        $page = 1;
        $category_id_filter = '';
        $brand_id_filter = '';
        $product_id_filter = '';
        $features_filter = '';
        $keyword_filter = '';
        $size_filter = '';
        $visible_filter = '';
        $visible_filter = '';
        $is_featured_filter = '';
        $discounted_filter = '';
        $in_stock_filter = '';
        $group_by = '';
        $order = 'p.position DESC';

        if(isset($filter['limit']))
            $limit = max(1, intval($filter['limit']));

        if(isset($filter['page']))
            $page = max(1, intval($filter['page']));

        $sql_limit = $this->db->placehold(' LIMIT ?, ? ', ($page-1)*$limit, $limit);

        if(!empty($filter['id']))
            $product_id_filter = $this->db->placehold('AND p.id in(?@)', (array)$filter['id']);

        if(!empty($filter['category_id']))
        {
            $category_id_filter = $this->db->placehold('INNER JOIN __products_categories pc ON pc.product_id = p.id AND pc.category_id in(?@)', (array)$filter['category_id']);
            $group_by = "GROUP BY p.id";
        }

        if(!empty($filter['brand_id']))
            $brand_id_filter = $this->db->placehold('AND p.brand_id in(?@)', (array)$filter['brand_id']);

        if(!empty($filter['featured']))
            $is_featured_filter = $this->db->placehold('AND p.featured=?', intval($filter['featured']));

        if(!empty($filter['discounted']))
            $discounted_filter = $this->db->placehold('AND (SELECT 1 FROM __variants pv WHERE pv.product_id=p.id AND pv.compare_price>0 LIMIT 1) = ?', intval($filter['discounted']));

        if(!empty($filter['in_stock']))
            $in_stock_filter = $this->db->placehold('AND (SELECT 1 FROM __variants pv WHERE pv.product_id=p.id AND pv.price>0 AND (pv.stock IS NULL OR pv.stock>0) LIMIT 1) = ?', intval($filter['in_stock']));

        if(!empty($filter['visible']))
            $visible_filter = $this->db->placehold('AND p.visible=?', intval($filter['visible']));

         if(!empty($filter['sort']))
            switch ($filter['sort'])
            {
                case 'position':
                $order = 'p.position DESC';
                break;
                case 'name':
                $order = 'p.name';
                break;
                case 'created':
                $order = 'p.created DESC';
                break;
                case 'price':
                //$order = 'pv.price IS NULL, pv.price=0, pv.price';
                $order = '(SELECT pv.price FROM __variants pv WHERE (pv.stock IS NULL OR pv.stock>0) AND p.id = pv.product_id AND pv.position=(SELECT MIN(position) FROM __variants WHERE (stock>0 OR stock IS NULL) AND product_id=p.id LIMIT 1) LIMIT 1)';
                break;
            }

        if(!empty($filter['keyword']))
        {
            $keywords = explode(' ', $filter['keyword']);
            foreach($keywords as $keyword)
                $keyword_filter .= $this->db->placehold('AND (p.name LIKE "%'.mysql_real_escape_string(trim($keyword)).'%" OR p.meta_keywords LIKE "%'.mysql_real_escape_string(trim($keyword)).'%") ');
        }
        
        if(!empty($filter['size']))
        {
            $sizes = explode(' ', $filter['size']);
            foreach($sizes as $size)
            $size_filter .= $this->db->placehold('AND pv.name LIKE "%'.mysql_real_escape_string(trim($size)).'%"
        ');
        }

        if(!empty($filter['features']) && !empty($filter['features']))
            foreach($filter['features'] as $feature=>$value)
                $features_filter .= $this->db->placehold('AND p.id in (SELECT product_id FROM __options WHERE feature_id=? AND value=? ) ', $feature, $value);

        $query = "SELECT  
                    p.id,
                    p.url,
                    p.brand_id,
                    p.name,
                    p.annotation,
                    p.body,
                    p.position,
                    p.created as created,
                    p.visible,
                    p.featured,
                    p.meta_title,
                    p.meta_keywords,
                    p.meta_description,
                    b.name as brand,
                    b.url as brand_url
                FROM __products p        
                $category_id_filter
                LEFT JOIN __brands b ON p.brand_id = b.id
                LEFT JOIN __variants pv ON pv.product_id = p.id
                WHERE
                    1
                    $product_id_filter
                    $brand_id_filter
                    $features_filter
                    $keyword_filter
                    $size_filter
                    $is_featured_filter
                    $discounted_filter
                    $in_stock_filter
                    $visible_filter
                $group_by
                ORDER BY $order
                    $sql_limit";

        $query = $this->db->placehold($query);
        $this->db->query($query);

        return $this->db->results();
    }

    /**
    * Функция возвращает количество товаров
    * Возможные значения фильтра:
    * category_id - id категории или их массив
    * brand_id - id бренда или их массив
    * keyword - ключевое слово для поиска
    * features - фильтр по свойствам товара, массив (id свойства => значение свойства)
    */
    public function count_products($filter = array())
    {        
        $category_id_filter = '';
        $brand_id_filter = '';
        $keyword_filter = '';
        $size_filter = '';
        $visible_filter = '';
        $is_featured_filter = '';
        $in_stock_filter = '';
        $discounted_filter = '';
        $features_filter = '';
        
        if(!empty($filter['category_id']))
            $category_id_filter = $this->db->placehold('INNER JOIN __products_categories pc ON pc.product_id = p.id AND pc.category_id in(?@)', (array)$filter['category_id']);

        if(!empty($filter['brand_id']))
            $brand_id_filter = $this->db->placehold('AND p.brand_id in(?@)', (array)$filter['brand_id']);
        
        if(isset($filter['keyword']))
        {
            $keywords = explode(' ', $filter['keyword']);
            foreach($keywords as $keyword)
                $keyword_filter .= $this->db->placehold('AND (p.name LIKE "%'.mysql_real_escape_string(trim($keyword)).'%" OR p.meta_keywords LIKE "%'.mysql_real_escape_string(trim($keyword)).'%") ');
        }
        
        if(!empty($filter['size']))
        {
            $sizes = explode(' ', $filter['size']);
            foreach($sizes as $size)
            $size_filter .= $this->db->placehold('INNER JOIN __variants pv ON pv.product_id = p.id AND pv.name LIKE "%'.mysql_real_escape_string(trim($size)).'%")
        ');
        }
        

        if(!empty($filter['featured']))
            $is_featured_filter = $this->db->placehold('AND p.featured=?', intval($filter['featured']));

        if(!empty($filter['in_stock']))
            $in_stock_filter = $this->db->placehold('AND (SELECT 1 FROM __variants pv WHERE pv.product_id=p.id AND pv.price>0 AND (pv.stock IS NULL OR pv.stock>0) LIMIT 1) = ?', intval($filter['in_stock']));

        if(!empty($filter['discounted']))
            $discounted_filter = $this->db->placehold('AND (SELECT 1 FROM __variants pv WHERE pv.product_id=p.id AND pv.compare_price>0 LIMIT 1) = ?', intval($filter['discounted']));

        if(!empty($filter['visible']))
            $visible_filter = $this->db->placehold('AND p.visible=?', intval($filter['visible']));
        
        
        if(!empty($filter['features']) && !empty($filter['features']))
            foreach($filter['features'] as $feature=>$value)
                $features_filter .= $this->db->placehold('AND p.id in (SELECT product_id FROM __options WHERE feature_id=? AND value=? ) ', $feature, $value);
        
        $query = "SELECT count(distinct p.id) as count
                FROM __products AS p
                $category_id_filter
                WHERE 1
                    $brand_id_filter
                    $keyword_filter
                    $size_filter
                    $is_featured_filter
                    $in_stock_filter
                    $discounted_filter
                    $visible_filter
                    $features_filter ";

        $this->db->query($query);    
        return $this->db->result('count');
    }


    /**
    * Функция возвращает товар по id
    * @param    $id
    * @retval    object
    */
    public function get_product($id)
    {
        if(is_int($id))
            $filter = $this->db->placehold('p.id = ?', $id);
        else
            $filter = $this->db->placehold('p.url = ?', $id);
            
        $query = "SELECT DISTINCT
                    p.id,
                    p.url,
                    p.brand_id,
                    p.name,
                    p.annotation,
                    p.body,
                    p.position,
                    p.created as created,
                    p.visible,
                    p.featured,
                    p.meta_title,
                    p.meta_keywords,
                    p.meta_description
                FROM __products AS p
                LEFT JOIN __brands b ON p.brand_id = b.id
                WHERE $filter
                GROUP BY p.id
                LIMIT 1";
        $this->db->query($query);
        $product = $this->db->result();
        return $product;
    }

    public function update_product($id, $product)
    {
        $query = $this->db->placehold("UPDATE __products SET ?% WHERE id in (?@) LIMIT ?", $product, (array)$id, count((array)$id));
        if($this->db->query($query))
            return $id;
        else
            return false;
    }
    
    public function add_product($product)
    {    
        $product = (array) $product;
        
        if(empty($product['url']))
        {
            $product['url'] = preg_replace("/[\s]+/ui", '-', $product['name']);
            $product['url'] = strtolower(preg_replace("/[^0-9a-zа-я\-]+/ui", '', $product['url']));
        }

        // Если есть товар с таким URL, добавляем к нему число
        while($this->get_product((string)$product['url']))
        {
            if(preg_match('/(.+)_([0-9]+)$/', $product['url'], $parts))
                $product['url'] = $parts[1].'_'.($parts[2]+1);
            else
                $product['url'] = $product['url'].'_2';
        }

        if($this->db->query("INSERT INTO __products SET ?%", $product))
        {
            $id = $this->db->insert_id();
            $this->db->query("UPDATE __products SET position=id WHERE id=?", $id);        
            return $id;
        }
        else
            return false;
    }
    
    
    /*
    *
    * Удалить товар
    *
    */    
    public function delete_product($id)
    {
        if(!empty($id))
        {
            // Удаляем варианты
            $variants = $this->variants->get_variants(array('product_id'=>$id));
            foreach($variants as $v)
                $this->variants->delete_variant($v->id);
            
            // Удаляем изображения
            $images = $this->get_images(array('product_id'=>$id));
            foreach($images as $i)
                $this->delete_image($i->id);
            
            // Удаляем категории
            $categories = $this->categories->get_categories(array('product_id'=>$id));
            foreach($categories as $c)
                $this->categories->delete_product_category($id, $c->id);

            // Удаляем свойства
            $options = $this->features->get_options(array('product_id'=>$id));
            foreach($options as $o)
                $this->features->delete_option($id, $o->feature_id);
            
            // Удаляем связанные товары
            $related = $this->get_related_products($id);
            foreach($related as $r)
                $this->delete_related_product($id, $r->related_id);
            
            // Удаляем отзывы
            $comments = $this->comments->get_comments(array('object_id'=>$id, 'type'=>'product'));
            foreach($comments as $c)
                $this->comments->delete_comment($c->id);
            
            // Удаляем из покупок
            $this->db->query('UPDATE __purchases SET product_id=NULL WHERE product_id=?', intval($id));
            
            // Удаляем товар
            $query = $this->db->placehold("DELETE FROM __products WHERE id=? LIMIT 1", intval($id));
            if($this->db->query($query))
                return true;            
        }
        return false;
    }    
    
    public function duplicate_product($id)
    {
        $product = $this->get_product($id);
        $product->id = null;
        $product->created = null;

        // Сдвигаем товары вперед и вставляем копию на соседнюю позицию
        $this->db->query('UPDATE __products SET position=position+1 WHERE position>?', $product->position);
        $new_id = $this->products->add_product($product);
        $this->db->query('UPDATE __products SET position=? WHERE id=?', $product->position+1, $new_id);
        
        // Очищаем url
        $this->db->query('UPDATE __products SET url="" WHERE id=?', $new_id);
        
        // Дублируем категории
        $categories = $this->categories->get_product_categories($id);
        foreach($categories as $c)
            $this->categories->add_product_category($new_id, $c->category_id);
        
        // Дублируем изображения
        $images = $this->get_images(array('product_id'=>$id));
        foreach($images as $image)
            $this->add_image($new_id, $image->filename);
            
        // Дублируем варианты
        $variants = $this->variants->get_variants(array('product_id'=>$id));
        foreach($variants as $variant)
        {
            $variant->product_id = $new_id;
            unset($variant->id);
            if($variant->infinity)
                $variant->stock = null;
            unset($variant->infinity);
            $this->variants->add_variant($variant);
        }
        
        // Дублируем свойства
        $options = $this->features->get_options(array('product_id'=>$id));
        foreach($options as $o)
            $this->features->update_option($new_id, $o->feature_id, $o->value);
            
        // Дублируем связанные товары
        $related = $this->get_related_products($id);
        foreach($related as $r)
            $this->add_related_product($new_id, $r->related_id);
            
            
        return $new_id;
    }
    

    
    function get_related_products($product_id = array())
    {
        if(empty($product_id))
            return array();

        $product_id_filter = $this->db->placehold('AND product_id in(?@)', (array)$product_id);
                
        $query = $this->db->placehold("SELECT product_id, related_id, position
                    FROM __related_products
                    WHERE
                    1
                    $product_id_filter   
                    ORDER BY position       
                    ");
        
        $this->db->query($query);
        return $this->db->results();
    }
    
    // Функция возвращает связанные товары
    public function add_related_product($product_id, $related_id, $position=0)
    {
        $query = $this->db->placehold("INSERT IGNORE INTO __related_products SET product_id=?, related_id=?, position=?", $product_id, $related_id, $position);
        $this->db->query($query);
        return $related_id;
    }
    
    // Удаление связанного товара
    public function delete_related_product($product_id, $related_id)
    {
        $query = $this->db->placehold("DELETE FROM __related_products WHERE product_id=? AND related_id=? LIMIT 1", intval($product_id), intval($related_id));
        $this->db->query($query);
    }
    
    
    function get_images($filter = array())
    {        
        $product_id_filter = '';
        $group_by = '';

        if(!empty($filter['product_id']))
            $product_id_filter = $this->db->placehold('AND i.product_id in(?@)', (array)$filter['product_id']);

        // images
        $query = $this->db->placehold("SELECT i.id, i.product_id, i.name, i.filename, i.position
                                    FROM __images AS i WHERE 1 $product_id_filter $group_by ORDER BY i.product_id, i.position");
        $this->db->query($query);
        return $this->db->results();
    }
    
    public function add_image($product_id, $filename, $name = '')
    {
        $query = $this->db->placehold("SELECT id FROM __images WHERE product_id=? AND filename=?", $product_id, $filename);
        $this->db->query($query);
        $id = $this->db->result('id');
        if(empty($id))
        {
            $query = $this->db->placehold("INSERT INTO __images SET product_id=?, filename=?", $product_id, $filename);
            $this->db->query($query);
            $id = $this->db->insert_id();
            $query = $this->db->placehold("UPDATE __images SET position=id WHERE id=?", $id);
            $this->db->query($query);
        }
        return($id);
    }
    
    public function update_image($id, $image)
    {
    
        $query = $this->db->placehold("UPDATE __images SET ?% WHERE id=?", $image, $id);
        $this->db->query($query);
        
        return($id);
    }
    
    public function delete_image($id)
    {
        $query = $this->db->placehold("SELECT filename FROM __images WHERE id=?", $id);
        $this->db->query($query);
        $filename = $this->db->result('filename');
        $query = $this->db->placehold("DELETE FROM __images WHERE id=? LIMIT 1", $id);
        $this->db->query($query);
        $query = $this->db->placehold("SELECT count(*) as count FROM __images WHERE filename=? LIMIT 1", $filename);
        $this->db->query($query);
        $count = $this->db->result('count');
        if($count == 0)
        {            
            $file = pathinfo($filename, PATHINFO_FILENAME);
            $ext = pathinfo($filename, PATHINFO_EXTENSION);
            
            // Удалить все ресайзы
            $rezised_images = glob($this->config->root_dir.$this->config->resized_images_dir.$file."*.".$ext);
            if(is_array($rezised_images))
            foreach (glob($this->config->root_dir.$this->config->resized_images_dir.$file."*.".$ext) as $f)
                @unlink($f);

            @unlink($this->config->root_dir.$this->config->original_images_dir.$filename);        
        }
    }
        
    /*
    *
    * Следующий товар
    *
    */    
    public function get_next_product($id)
    {
        $this->db->query("SELECT position FROM __products WHERE id=? LIMIT 1", $id);
        $position = $this->db->result('position');
        
        $this->db->query("SELECT pc.category_id FROM __products_categories pc WHERE product_id=? ORDER BY position LIMIT 1", $id);
        $category_id = $this->db->result('category_id');

        $query = $this->db->placehold("SELECT id FROM __products p, __products_categories pc
                                        WHERE pc.product_id=p.id AND p.position>?
                                        AND pc.position=(SELECT MIN(pc2.position) FROM __products_categories pc2 WHERE pc.product_id=pc2.product_id)
                                        AND pc.category_id=?
                                        AND p.visible ORDER BY p.position limit 1", $position, $category_id);
        $this->db->query($query);
 
        return $this->get_product((integer)$this->db->result('id'));
    }
    
    /*
    *
    * Предыдущий товар
    *
    */    
    public function get_prev_product($id)
    {
        $this->db->query("SELECT position FROM __products WHERE id=? LIMIT 1", $id);
        $position = $this->db->result('position');
        
        $this->db->query("SELECT pc.category_id FROM __products_categories pc WHERE product_id=? ORDER BY position LIMIT 1", $id);
        $category_id = $this->db->result('category_id');

        $query = $this->db->placehold("SELECT id FROM __products p, __products_categories pc
                                        WHERE pc.product_id=p.id AND p.position<?
                                        AND pc.position=(SELECT MIN(pc2.position) FROM __products_categories pc2 WHERE pc.product_id=pc2.product_id)
                                        AND pc.category_id=?
                                        AND p.visible ORDER BY p.position DESC limit 1", $position, $category_id);
        $this->db->query($query);
 
        return $this->get_product((integer)$this->db->result('id'));    }
    
        
}

 

 

 

Далее в файле view/ProductsView

 

<?PHP

/**
 * Simpla CMS
 *
 * @copyright     2011 Denis Pikusov
 * @link         http://simplacms.ru
 * @author         Denis Pikusov
 *
 * Этот класс использует шаблон products.tpl
 *
 */
 
require_once('View.php');

class ProductsView extends View
{
     /**
     *
     * Отображение списка товаров
     *
     */    
    function fetch()
    {
        // GET-Параметры
        $category_url = $this->request->get('category', 'string');
        $brand_url    = $this->request->get('brand', 'string');
        
        $filter = array();
        $filter['visible'] = 1;    

        // Если задан бренд, выберем его из базы
        if (!empty($brand_url))
        {
            $brand = $this->brands->get_brand((string)$brand_url);
            if (empty($brand))
                return false;
            $this->design->assign('brand', $brand);
            $filter['brand_id'] = $brand->id;
        }
        
        // Выберем текущую категорию
        if (!empty($category_url))
        {
            $category = $this->categories->get_category((string)$category_url);
            if (empty($category) || (!$category->visible && empty($_SESSION['admin'])))
                return false;
            $this->design->assign('category', $category);
            $filter['category_id'] = $category->children;
        }

        // Если задано ключевое слово
        $keyword = $this->request->get('keyword');
        if (!empty($keyword))
        {
            $this->design->assign('keyword', $keyword);
            $filter['keyword'] = $keyword;
        }
        
        // Если задан size
        $size = $this->request->get('size');
        if (!empty($size))
        {
            $this->design->assign('size', $size);
            $filter['size'] = $size;
        }

        // Сортировка товаров, сохраняем в сесси, чтобы текущая сортировка оставалась для всего сайта
        if($sort = $this->request->get('sort', 'string'))
            $_SESSION['sort'] = $sort;        
        if (!empty($_SESSION['sort']))
            $filter['sort'] = $_SESSION['sort'];            
        else
            $filter['sort'] = 'position';            
        $this->design->assign('sort', $filter['sort']);
        
        // Свойства товаров
        if(!empty($category))
        {
            $features = array();
            foreach($this->features->get_features(array('category_id'=>$category->id, 'in_filter'=>1)) as $feature)
            {
                $features[$feature->id] = $feature;
                if(($val = strval($this->request->get($feature->id)))!='')
                    $filter['features'][$feature->id] = $val;    
            }
            
            $options_filter['visible'] = 1;
            
            $features_ids = array_keys($features);
            if(!empty($features_ids))
                $options_filter['feature_id'] = $features_ids;
            $options_filter['category_id'] = $category->children;
            if(isset($filter['features']))
                $options_filter['features'] = $filter['features'];
            if(!empty($brand))
                $options_filter['brand_id'] = $brand->id;
            
            $options = $this->features->get_options($options_filter);

            foreach($options as $option)
            {
                if(isset($features[$option->feature_id]))
                    $features[$option->feature_id]->options[] = $option;
            }
            
            foreach($features as $i=>&$feature)
            {
                if(empty($feature->options))
                    unset($features[$i]);
            }

            $this->design->assign('features', $features);
         }

        // Постраничная навигация
        $items_per_page = $this->settings->products_num;        
        // Текущая страница в постраничном выводе
        $current_page = $this->request->get('page', 'int');    
        // Если не задана, то равна 1
        $current_page = max(1, $current_page);
        $this->design->assign('current_page_num', $current_page);
        // Вычисляем количество страниц
        $products_count = $this->products->count_products($filter);
        
        // Показать все страницы сразу
        if($this->request->get('page') == 'all')
            $items_per_page = $products_count;    
        
        $pages_num = ceil($products_count/$items_per_page);
        $this->design->assign('total_pages_num', $pages_num);

        $filter['page'] = $current_page;
        $filter['limit'] = $items_per_page;
        
        ///////////////////////////////////////////////
        // Постраничная навигация END
        ///////////////////////////////////////////////
        

        $discount = 0;
        if(isset($_SESSION['user_id']) && $user = $this->users->get_user(intval($_SESSION['user_id'])))
            $discount = $user->discount;
            
        // Товары
        $products = array();
        foreach($this->products->get_products($filter) as $p)
            $products[$p->id] = $p;
            
        // Если искали товар и найден ровно один - перенаправляем на него
        if(!empty($keyword) && $products_count == 1)
            header('Location: '.$this->config->root_url.'/products/'.$p->url);
        
        if(!empty($products))
        {
            $products_ids = array_keys($products);
            foreach($products as &$product)
            {
                $product->variants = array();
                $product->images = array();
                $product->properties = array();
            }
    
            $variants = $this->variants->get_variants(array('product_id'=>$products_ids, 'in_stock'=>true));
            
            foreach($variants as &$variant)
            {
                //$variant->price *= (100-$discount)/100;
                $products[$variant->product_id]->variants[] = $variant;
            }
    
            $images = $this->products->get_images(array('product_id'=>$products_ids));
            foreach($images as $image)
                $products[$image->product_id]->images[] = $image;

            foreach($products as &$product)
            {
                if(isset($product->variants[0]))
                    $product->variant = $product->variants[0];
                if(isset($product->images[0]))
                    $product->image = $product->images[0];
            }
                
    
            /*
            $properties = $this->features->get_options(array('product_id'=>$products_ids));
            foreach($properties as $property)
                $products[$property->product_id]->options[] = $property;
            */
    
            $this->design->assign('products', $products);
         }
        
        // Выбираем бренды, они нужны нам в шаблоне    
        if(!empty($category))
        {
            $brands = $this->brands->get_brands(array('category_id'=>$category->children));
            $category->brands = $brands;        
        }
        
        // Устанавливаем мета-теги в зависимости от запроса
        if($this->page)
        {
            $this->design->assign('meta_title', $this->page->meta_title);
            $this->design->assign('meta_keywords', $this->page->meta_keywords);
            $this->design->assign('meta_description', $this->page->meta_description);
        }
        elseif(isset($category))
        {
            $this->design->assign('meta_title', $category->meta_title);
            $this->design->assign('meta_keywords', $category->meta_keywords);
            $this->design->assign('meta_description', $category->meta_description);
        }
        elseif(isset($brand))
        {
            $this->design->assign('meta_title', $brand->meta_title);
            $this->design->assign('meta_keywords', $brand->meta_keywords);
            $this->design->assign('meta_description', $brand->meta_description);
        }
        elseif(isset($keyword))
        {
            $this->design->assign('meta_title', $keyword);
        }
        elseif(isset($searchsize))
        {
            $this->design->assign('meta_title', $searchsize);
        }
        
            
        $this->body = $this->design->fetch('products.tpl');
        return $this->body;
    }
    
    

}
 

Ссылка на сообщение
Поделиться на другие сайты

Я бы на Вашем месте не был так уверен. При применении Вашего нового фильтра:

1. В функциях get_products и count_products  переменная $size_filter у Вас определяется по-разному, это совсем неправильно.

2. В функции  count_products запрос выходит с ошибкой.

3. В  результате общее кол-во найденных товаров всегда нулевое.

4. В итоге показывается только страница с первой порцией результатов, а пагинация вообще никогда не выводится.

 

Поэтому правильно работает лишь когда при поиске находится немного результатов, иначе неверно...

Ссылка на сообщение
Поделиться на другие сайты

Присоединяйтесь к обсуждению

Вы можете написать сейчас и зарегистрироваться позже. Если у вас есть аккаунт, авторизуйтесь, чтобы опубликовать от имени своего аккаунта.

Гость
Ответить в этой теме...

×   Вставлено с форматированием.   Вставить как обычный текст

  Разрешено использовать не более 75 эмодзи.

×   Ваша ссылка была автоматически встроена.   Отображать как обычную ссылку

×   Ваш предыдущий контент был восстановлен.   Очистить редактор

×   Вы не можете вставлять изображения напрямую. Загружайте или вставляйте изображения по ссылке.

Загрузка...
×
×
  • Создать...