SilverStripe 3:如何通过祖父页面对已排序的数组进行分组

时间:2015-05-26 17:33:35

标签: php sorting grouping silverstripe

我试图循环遍历所有ProductPage,同时按祖父母的标题对其进行分组(因为这是产品类别)。我还想按照ProductReleaseDate降序对每个组下的产品页面进行排序。最后,如果可能的话,任何没有ProductReleaseDate的东西都要先列出。

我的页面控制器中有此功能可以抓取所有产品页面:

function ProductPages() {
    $productPages = ProductPage::get();
    return $productPages ? $productPages : false;
}

然后在我的模板中:

<% loop $ProductPages.Sort(ProductReleaseDate, DESC) %>
    $Title
<% end_loop %>

这将按照给定的ProductReleaseDate按降序显示我的所有产品页面标题。他们现在需要分组。

我一直在努力寻找并且无法找到正确的文档或示例来实现这一目标。也许我需要groupBy?我不确定它是否需要在控制器或模板中。

这可能有所帮助,但我需要帮助:http://docs.silverstripe.org/en/developer_guides/model/how_tos/grouping_dataobject_sets/

1 个答案:

答案 0 :(得分:3)

在SilverStripe 3.1中,我们可以使用您在问题中链接到的GroupedList来执行此操作。

要进行设置,我们首先需要对项目进行分组。变量或返回值的函数。

在您的情况下,我们将设置一个返回祖父标题的get函数。

<强> ProductPage.php

class ProductPage extends SiteTree {

    public function getGrandParentTitle() {
        $parent = $this->Parent();
        if ($parent->Exists()) {
            $grandParent = $parent->Parent();
            if ($grandParent->Exists()){
                return $grandParent->Title;
            }
        }
        return '';
    }
}

然后我们需要添加一个返回GroupedList

的函数

<强> page.php文件

class Page extends SiteTree {

    public function getGroupedProducts() {
        return GroupedList::create(ProductPage::get()->sort('ProductReleaseDate', 'DESC'));
    }

}

最后,在我们的模板中,我们调用了GroupedList函数并告诉它将项目分组的内容。

您的模板

<% loop $GroupedProducts.GroupedBy(GrandParentTitle) %>
    <h3>$GrandParentTitle</h3>
    <ul>
        <% loop $Children %>
            <li>$Title</li>
        <% end_loop %>
    </ul>
<% end_loop %>

按父标题分组

或者,如果您想首先按父页面标题排序,我们将设置一个返回父标题的get函数。

<强> ProductPage.php

class ProductPage extends SiteTree {

    public function getParentTitle() {
        $parent = $this->Parent();
        if ($parent->Exists()) {
            return $parent->Title;
        }
        return '';
    }
}

然后在我们的模板中,我们调用了之前创建的GroupedList函数,但这次将GroupedBy设置为ParentTitle

您的模板

<% loop $GroupedProducts.GroupedBy(ParentTitle) %>
    <h3>$ParentTitle</h3>
    <ul>
        <% loop $Children %>
            <li>$Title</li>
        <% end_loop %>
    </ul>
<% end_loop %>