3

我正在使用administrate gem。我有一组用户,并has_many在该用户仪表板中显示了一种关系。

现在,我的 user_dashboard 看起来像

class UserDashboard < Administrate::BaseDashboard
  # ATTRIBUTE_TYPES
  # a hash that describes the type of each of the model's fields.
  #
  # Each different type represents an Administrate::Field object,
  # which determines how the attribute is displayed
  # on pages throughout the dashboard.
  ATTRIBUTE_TYPES = {
    ...
    sub_items: Field::HasMany.with_options(limit: 10)
  }

现在,默认情况下这是有效的,但问题是它显示了用户的所有内容,sub_items这通常会很好,但我试图显示has_many具有某种类型的关系。例如,默认情况下我不想显示所有user.sub_items,我只想显示user.sub_items.where(category: [arr_of_options], sub_category: [arr_of_options])

目前,我已经尝试过

  • 传递此处显示的选项https://github.com/thoughtbot/administrate/blob/master/docs/customizing_dashboards.md但没有集合/条件选项Field::HasMany
  • 仅在视图中显示某个 has_many 集合,在本例中为admin/users/show.html.erb. 这可能是可能的,但在这里这样做似乎真的很乱
  • 尝试在 admin/users_controller 中过滤,但我相信控制器只给我requested_resource而不是该资源上的子对象

有谁知道我如何只能在管理仪表板中显示某些has_many 对象?

4

1 回答 1

3

要仅显示 has_many 关系的特定范围,请执行以下操作。

首先,在模型类上,创建一个新的 has_many 关系,与原始关系平行,但名称不同,具有所需的范围。例如,在与 Administrate 源代码捆绑在一起的示例应用程序中,我向模型添加了一个new_england_orders关联Customer

 class Customer < ApplicationRecord
   has_many :orders, dependent: :destroy
+  has_many :new_england_orders, ->{ where(address_state: %w{VT NH MA CT ME RI}) }, class_name: "Order"
   belongs_to :country, foreign_key: :country_code, primary_key: :code
   has_many :log_entries, as: :logeable

其次,将此关系添加到您的仪表板(可能替换原来的),并确保添加class_name选项,以便管理员知道要使用哪个仪表板:

     lifetime_value: Field::Number.with_options(prefix: "$", decimals: 2),
     name: Field::String,
     orders: Field::HasMany.with_options(limit: 2, sort_by: :id),
+    new_england_orders: Field::HasMany.with_options(limit: 2, sort_by: :id, class_name: 'Order'),
     log_entries: Field::HasManyVariant.with_options(limit: 2, sort_by: :id),
     updated_at: Field::DateTime,
     kind: Field::Select.with_options(collection: Customer::KINDS),

您的新范围关联现在应该出现在您的仪表板上。

于 2019-12-23T18:28:42.363 回答