我在rails3中创建了一个结算应用程序,在创建帐单时我感到很困惑。
一个账单可以有一个或多个项目
'bill' has many 'items'
'item' belongs to 'bill'
我的要求如下
我应该能够创建一个新帐单并向其添加项目(可以添加任意数量的项目)
我的问题是
1 - 要获取要保存在bill_details表中的项目,我应该首先生成bill_id,生成此帐单ID的最佳方法是什么。
2 - 实现这样的场景的最佳方法是什么
3 - 我可以从rails嵌套表单获得任何帮助
感谢
欢呼声 sameera
答案 0 :(得分:0)
在这种情况下,您应该使用多态关联。在这里你可以做些什么来实现这个目标:
在bill.rb#model文件中:
class Bill < ActiveRecord::Base
has_many :items # establish association with items!
# to save items in bill only if they are there!
accepts_nested_attributes_for :items, :allow_destroy => :true,
:reject_if => proc { |attrs| attrs.all? { |k, v| v.blank? } }
end
在item.rb#model文件中:
class Item < ActiveRecord::Base
belongs_to :bill # establish association with bill!
end
在bills_controller.rb中创建正常操作:index, new, create, show, edit, update, delete
更新操作:
def update
@bill = Bill.find(params[:id])
respond_to do |format|
if @bill.update_attributes(params[:bill])
format.html { redirect_to(@bill, :notice => 'Bill was successfully updated.') }
format.xml { head :ok }
else
format.html { render :action => "edit" }
format.xml { render :xml => @bill.errors, :status => :unprocessable_entity }
end
end
end
并且您不必费心在items_controller.rb中创建任何操作/方法,只需在view / Items / _form.html.erb中创建部分_form.html.erb并将其放入:
<%= form.fields_for :items do |item_form| %>
<div class="field">
<%= tag_form.label :name, 'Item:' %>
<%= tag_form.text_field :name %>
</div>
<div class="field">
<%= tag_form.label :quantity, 'Quantity:' %>
<%= tag_form.text_field :quantity %>
</div>
<% unless item_form.object.nil? || item_form.object.new_record? %>
<div class="field">
<%= tag_form.label :_destroy, 'Remove:' %>
<%= tag_form.check_box :_destroy %>
</div>
<% end %>
<% end %>
现在你必须从你的view / bills / _form.html.erb中调用它:
<% @bill.tags.build %>
<%= form_for(@bill) do |bill_form| %>
<% if @bill.errors.any? %>
<div id="errorExplanation">
<h2><%= pluralize(@bill.errors.count, "error") %> prohibited this bill from being saved:</h2>
<ul>
<% @bill.errors.full_messages.each do |msg| %>
<li><%= msg %></li>
<% end %>
</ul>
</div>
<% end %>
<div class="field">
<%= bill_form.label :name %><br />
<%= bill_form.text_field :name %>
</div>
<h2>Items</h2>
<%= render :partial => 'items/form',
:locals => {:form => bill_form} %>
<div class="actions">
<%= bill_form.submit %>
</div>
<% end %>
查看/票据/ new.html.erb:
<h1>New Bill</h1>
<%= render 'form' %>
<%= link_to 'Back', bills_path %>
查看/票据/ edit.html.erb:
<h1>Editing Bill</h1>
<%= render 'form' %>
<%= link_to 'Show', @bill %> |
<%= link_to 'Back', bills_path %>
此致 苏里亚