Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to submit multiple NEW items via Rails 3.2 mass-assignment

I have a pretty standard use-case. I have a parent object and a list of child objects. I want to have a tabular form where I can edit all the children at once, as rows in the table. I also want to be able to insert one or more new rows, and on submit have them be created as new records.

When I use a fields_for to render a series of sub-forms for nested records related by has-many, rails generates field names e.g. parent[children_attributes][0][fieldname], parent[children_attributes][1][fieldname] and so on.

This causes Rack to parse a params hash that looks like:

{ "parent" => {      "children" => {       "0" => { ... },       "1" => { ... } } } 

When passed a new (un-persisted) object, the same fields_for will generate a field name that looks like:

parent[children_attributes][][fieldname] 

Note the [] with no index in it.

This cannot be posted in the same form with the fields containing [0], [1], etc. because Rack gets confused and raises

TypeError: expected Array (got Rack::Utils::KeySpaceConstrainedParams) 

"OK", thinks I. "I'll just make sure all the fields use the [] form instead of the [index] form. But I can't figure out how to convince fields_for to do this consistently. Even if I give it an explicit field name prefix and object:

fields_for 'parent[children_attributes][]', child do |f| ... 

So long as child is persisted, it will automatically modify the fieldnames so that they become e.g. parent[children_attributes][0][fieldname], while leaving fieldnames for new records as parent[children_attributes][][fieldname]. Once again, Rack barfs.

I'm at a loss. How the heck do I use standard Rails helpers like fields_for to submit multiple new records, along with existing records, have them be parsed as an array in the params, and have all the records lacking IDs be created as new records in the DB? Am I out of luck and I just have to generate all the field names manually?

like image 555
Avdi Avatar asked Jul 12 '12 06:07

Avdi


2 Answers

So, I was not happy with the solution I saw most often, which was to generate a pseudo-index for new elements, either on the server or in client-side JS. This feels like a kludge, especially in light of the fact that Rails/Rack is perfectly capable of parsing lists of items so long as they all use empty brackets ([]) as the index. Here's an approximation of the code I wound up with:

# note that this is NOT f.fields_for. fields_for 'parent[children_attributes][]', child, index: nil do |f|   f.label :name   f.text_field :name   # ... end 

Ending the field name prefix with [], coupled with the index: nil option, disables the index generation Rails so helpfully tries to provide for persisted objects. This snippet works for both new and saved objects. The resulting form parameters, since they consistently use [], are parsed into an array in the params:

params[:parent][:children_attributes] # => [{"name" => "..."}, {...}] 

The Parent#children_attributes= method generated by accepts_nested_attributes_for :children deals with this array just fine, updating changed records, adding new ones (ones lacking an "id" key), and removing the ones with the "_destroy" key set.

I'm still bothered that Rails makes this so difficult, and that I had to revert to a hardcoded field name prefix string instead of using e.g. f.fields_for :children, index: nil. For the record, even doing the following:

f.fields_for :children, index: nil, child_index: nil do |f| ... 

...fails to disable field index generation.

I'm considering writing a Rails patch to make this easier, but I don't know if enough people care or if it would even be accepted.

EDIT: User @Macario has clued me in to why Rails prefers explicit indices in field names: once you get into three layers of nested models, there needs to be a way to discriminate which second-level model a third-level attribute belongs to.

like image 21
Avdi Avatar answered Sep 22 '22 04:09

Avdi


As others have mentioned, the [] should contain a key for new records because otherwise it is mixing a hash with an array type. You can set this with the child_index option on fields_for.

f.fields_for :items, Item.new, child_index: "NEW_ITEM" # ... 

I usually do this using the object_id instead to ensure it is unique in case there are multiple new items.

item = Item.new f.fields_for :items, item, child_index: item.object_id # ... 

Here's an abstract helper method that does this. This assumes there is a partial with the name of item_fields which it will render.

def link_to_add_fields(name, f, association)   new_object = f.object.send(association).klass.new   id = new_object.object_id   fields = f.fields_for(association, new_object, child_index: id) do |builder|     render(association.to_s.singularize + "_fields", f: builder)   end   link_to(name, '#', class: "add_fields", data: {id: id, fields: fields.gsub("\n", "")}) end 

You can use it like this. The arguments are: the name of the link, the parent's form builder, and the name of the association on the parent model.

<%= link_to_add_fields "Add Item", f, :items %> 

And here is some CoffeeScript to listen to the click event of that link, insert the fields, and update the object id with the current time to give it a unique key.

jQuery ->   $('form').on 'click', '.add_fields', (event) ->     time = new Date().getTime()     regexp = new RegExp($(this).data('id'), 'g')     $(this).before($(this).data('fields').replace(regexp, time))     event.preventDefault() 

That code is taken from this RailsCasts Pro episode which requires a paid subscription. However, there is a full working example freely available on GitHub.

Update: I want to point out that inserting a child_index placeholder is not always necessary. If you do not want to use JavaScript to insert new records dynamically, you can build them up ahead of time:

def new   @project = Project.new   3.times { @project.items.build } end  <%= f.fields_for :items do |builder| %> 

Rails will automatically insert an index for the new records so it should just work.

like image 135
ryanb Avatar answered Sep 23 '22 04:09

ryanb