0

我正在 Rails 中创建一个简单的讨论板。每一个新Topic的创造也Reply包括内容的第一个。这是我当前的架构。

Topic
> title:string
> user_id: integer
has_many :replies
accepts_nested_attributes_for :replies

Reply
> topic_id: integer
> user_id: integer 
> content: text
belongs_to :topic

电流topics/_form.html.haml是这样的

= form_for @topic fo |f|
  = f.text_field :title
  = f.fields_for :replies 
    = reply.text_area :content

问题是在尝试编辑主题时,我看到所有回复列表都是可编辑的,因为它fields_for :replies在部分表单中迭代字段。我应该只看到第一个。

如果主题是新的,那么将这种迭代限制为当前的第一个可用回复,同时构建一个新的回复,有什么方便的方法?

我最终得到了这样的东西,但我想应该有更好的方法。

# Topic model
has_one :owner_reply, class_name: 'Reply'
accepts_nested_attributes_for :owner_reply

# Form partial view
= form_for @topic fo |f|
  - reply_resource = (@topic.new_record? ? :replies : :owner_reply)
  = f.text_field :title
  = f.fields_for :replies 
    = reply.text_area :content

这些是完整的TopicsController#createupdate行动。

  def create
    @board = Board.find(params[:board_id])
    @topic = @board.topics.new(topic_params)
    @topic.user_id = current_user.id
    @topic.replies.each { |reply| reply.user_id = current_user.id }
    if @topic.save
      respond_to do |format|
        format.html { redirect_to topic_path(@topic) }
      end
    else
      render :new 
    end
  end

  def update
    @topic = Topic.find(params[:id])
    if @topic.update_attributes(topic_params)
      respond_to do |format|
        format.html { redirect_to topic_path(@topic) }
      end
    else
      render :edit
    end
  end
4

2 回答 2

1

我会使用范围关联,与您使用的方式相同,:owner_reply但添加范围以限制第一条记录,order如果需要,您也可以添加一个

class Topic
has_many :replies
has_many :first_replies, -> { first }, class_name: 'Reply'
accepts_nested_attributes_for :replies
accepts_nested_attributes_for :first_replies

在你看来

= form_for @topic fo |f|
  ...
  = f.fields_for :first_replies
    = reply.text_area :content
于 2013-07-23T03:23:45.900 回答
1

创建一个Topic返回第一个的类方法Reply

class Topic
  accepts_nested_attributes_for :first_reply

  def self.first_reply
    self.replies.first
  end
  # ...
end

然后调用中的类方法fields_for

于 2013-07-23T03:31:37.143 回答