2

我想使用“改革”宝石来创建具有嵌套属性的对象。我有模型:

class Dish < ActiveRecord::Base
  belongs_to :lunch_set
end

class Side < ActiveRecord::Base
  belongs_to :lunch_set
end

class LunchSet < ActiveRecord::Base
  belongs_to :restaurant
  belongs_to :day
  has_one :dish
  has_many :sides
end

午餐控制器“新”方法:

def new
    @lunch_set = @restaurant.lunch_sets.build
    @form = LunchSetForm.new(dish: Dish.new, side: Side.new)

    respond_to do |format|
      format.html # new.html.erb
      format.json { render json: @lunch_set }
    end
end

路线文件:

  namespace :admin do
    resources :restaurants do
      resources :lunch_sets
      resources :days do
        resources :lunch_sets
      end
    end
  end

和LunchSetForm

class LunchSetForm < Reform:Form
    include DSL
    include Reform::Form::ActiveRecord

    property :name, on: :dish
    property :name, on: :side
end

我的问题是如何构建 views/admin/lunch_sets/_form.html ,尤其是考虑到这些路线?当我尝试

= simple_form_for @form do |f|
  = f.input :name
  = f.input :name

  .actions
    = f.submit "Save"

但它给了我错误

undefined method `first' for nil:NilClass

并指向直线

= simple_form_for @form do |f|
4

1 回答 1

2

form_for(以及simple_form_for)期望表单对象具有像model_name这样的ActiveModel方法来确定如何命名您的表单及其输入并解析表单的操作url。通过包含 Reform::Form::ActiveRecord,您已接近正确,但您还需要做几件事:

require 'reform/rails'

class LunchSetForm < Reform:Form
  include DSL
  include Reform::Form::ActiveRecord

  property :name, on: :dish
  property :name, on: :side

  model :dish
end

model :dish行告诉 Reform,您希望表单的“主模型”成为 Dish 实例。这意味着它将使您的表单响应 ActiveModel 通常为普通 Rails 模型提供的方法,使用“主模型”为这些方法提供值。您的表单输入名称将类似于dish[name]etc,它将发布到您的 discours_url。您可以将您设置model为您喜欢的任何内容,但是您选择的任何实例都需要传递到表单构造函数中。

于 2013-07-17T16:07:05.247 回答