我有一个类型为Vehicle的元素列表,我用Sonata Admin显示这些元素。我允许通过"status"字段过滤这些元素,但我希望在显示列表时,只显示活跃的车辆,如果有人想查看不活跃的车辆,则使用过滤器并选择不活跃的状态。我想知道如果有人知道使用Sonata管理的元素列表默认应用过滤器的方式。
下面是我的代码:public function configureListFields(ListMapper $listMapper)
{
$listMapper
->addIdentifier('name')
->add('status')
;
}
protected function configureDatagridFilters(DatagridMapper $mapper)
{
$mapper
->add('name')
->add('status')
;
}
是否有任何选项可以添加到configureDatagridFilters()中的状态字段来实现此目标?其他选项吗?
您必须重写$datagridValues
属性如下(对于status > 0
,如果它是一个整数):
/**
* Default Datagrid values
*
* @var array
*/
protected $datagridValues = array (
'status' => array ('type' => 2, 'value' => 0), // type 2 : >
'_page' => 1, // Display the first page (default = 1)
'_sort_order' => 'DESC', // Descendant ordering (default = 'ASC')
'_sort_by' => 'id' // name of the ordered field (default = the model id field, if any)
// the '_sort_by' key can be of the form 'mySubModel.mySubSubModel.myField'.
);
source:在列表视图中配置默认页面和排序
您也可以使用这个方法
public function getFilterParameters()
{
$this->datagridValues = array_merge(
array(
'status' => array (
'type' => 1,
'value' => 0
),
// exemple with date range
'updatedAt' => array(
'type' => 1,
'value' => array(
'start' => array(
'day' => date('j'),
'month' => date('m'),
'year' => date('Y')
),
'end' => array(
'day' => date('j'),
'month' => date('m'),
'year' => date('Y')
)
),
)
),
$this->datagridValues
);
return parent::getFilterParameters();
}
使用上述两种建议的方法将破坏过滤器的"重置"行为,因为我们总是强制过滤器使用默认值进行过滤。对我来说,我认为最好的方法是使用getFilterParameters函数(因为我们可以在那里添加逻辑,而不是静态地添加值),并检查用户是否点击了"重置按钮"
/**
* {@inheritdoc}
*/
public function getFilterParameters()
{
// build the values array
if ($this->hasRequest()) {
$reset = $this->request->query->get('filters') === 'reset';
if (!$reset) {
$this->datagridValues = array_merge(array(
'status' => array (
'type' => 1,
'value' => 0
),
),
$this->datagridValues
);
}
}
return parent::getFilterParameters();
}
自从sonata-admin 4.0,功能getFilterParameters()
被标记为final和$datagridValues不再存在。
所以你需要重写configureDefaultFilterValues()
函数
protected function configureDefaultFilterValues(array &$filterValues): void
{
$filterValues['foo'] = [
'type' => ContainsOperatorType::TYPE_CONTAINS,
'value' => 'bar',
];
}
详细信息:https://symfony.com/bundles/SonataAdminBundle/current/reference/action_list.html#default-filters
另一种方法是使用createQuery和getPersistentParameters来执行不可见筛选。这种方法最好具有完全可定制的过滤器。请看我的文章:
http://www.theodo.fr/blog/2016/09/sonata-for-symfony-hide-your-filters/