在我的应用中,有关于文章的评论部分。我希望用户能够使用3种不同的选项进行评论。要激活它,我使用的是Active Record Enum。请注意,评论部分嵌套在文章下。
resources :articles, only: [:index, :show] do
resources :comments
end
迁移:
class AddEnumToCommentModel < ActiveRecord::Migration
def change
add_column :comments, :post_as, :integer, default: 0
end
end
评论模型:
enum post_as: %w(username, oneliner, anonymous)
我尝试将其添加到内容视图中,但丢失了。我猜我也必须在我的控制器中做一些事但不确定。
尝试的观点:
<%= form_for([@article, @comment]) do |f| %>
<% if @comment.errors.any? %>
<div id="error_explanation">
<h2><%= pluralize(@comment.errors.count, "error") %> prohibited this comment from being saved:</h2>
<ul>
<% @comment.errors.full_messages.each do |message| %>
<li><%= message %></li>
<% end %>
</ul>
</div>
<% end %>
<div class="field">
<h3>Fill in your comment</h3>
<%= f.label :content %><br>
<%= f.text_area :content %>
</div>
<div class="post_as">
<h3> Choose how you want to post your comment :</h3>
<%= f.input :content, post_as: ???, as: :radio %>
</div>
<br>
<div class="actions">
<%= f.submit %>
</div>
<br>
<% end %>
答案 0 :(得分:18)
当您使用枚举时,Rails使用复数属性名创建一个类方法。该方法返回您定义的键值键对以及它们映射到的整数。所以,你可以这样做:
<% Comment.post_as.keys.each do |post_as| %>
<%= f.radio_button :post_as, post_as %>
<%= f.label post_as.to_sym %>
<% end %>
答案 1 :(得分:4)
在视图中而不是
<%= f.input :content, post_as: ???, as: :radio %>
你可以
<%= f.radio_button(:post_as, "username") %>
<%= label(:post_as, "Username") %>
<%= f.radio_button(:post_as, "oneliner") %>
<%= label(:post_as, "Oneline") %>
<%= f.radio_button(:post_as, "anonymous") %>
<%= label(:post_as, "Anonymous") %>
来源:http://guides.rubyonrails.org/form_helpers.html#radio-buttons
答案 2 :(得分:3)
xxyyxx's答案的补充,如果您希望标签也可点击:
<% Comment.post_as.keys.each do |post_as| %>
<%= f.radio_button :post_as, post_as %>
<%= f.label "#{:post_as}_#{post_as.parameterize.underscore}", post_as %>
<% end %>
答案 3 :(得分:3)
还有collection_radio_buttons,它比其他选项更简洁。
<%= f.collection_radio_buttons :post_as, Comment.post_as, :second, :first %>
最后两个参数指定了如何获取输入的值和标签文本。在您的示例中,Comment.post_as
会为基础整数生成枚举键名称的哈希,因此我们可以使用:second
获取整数,:first
获取名称 - 简单!
这是产生的:
<input type="radio" value="0" name="comment[post_as]" id="comment_post_as_0">
<label for="comment_post_as_0">username</label>
# Etc.
您还可以通过传递一个块来自定义HTML,这是我创建带有可点击标签的枚举单选按钮的首选方式:
<%= f.collection_radio_buttons :post_as, Comment.post_as, :second, :first do |b|
b.label { b.radio_button + b.text }
end %>