Submitting form elements with the same name - asp.net-mvc

I have a form which allows the user to create extra "rows" using JQuery (using .clone) so that they can decide how many of the same information they need to submit. My issue is that I cannot work out how to access these form items within my controller.
the form that is being submitted may look like this
<input type="text" name="Amount" id="Amount">
<select name="Item">
<option value="1">Item 1"</option>
<option value="2">Item 2"</option>
<option value="3">Item 3"</option>
</select>
<input type="text" name="Amount" id="Amount">
<select name="Item">
<option value="1">Item 1"</option>
<option value="2">Item 2"</option>
<option value="3">Item 3"</option>
</select>
<input type="text" name="Amount" id="Amount">
<select name="Item">
<option value="1">Item 1"</option>
<option value="2">Item 2"</option>
<option value="3">Item 3"</option>
</select>
Basically, the block between input and the select could be repeated an infinite number of times. When I submit to the controller I am then using FormCollection form to access the form elements. from there I am unsure how I can access the items that have been submitted. I thought of using a for loop and then accessing them via something like form["Amount"][i] but obviously that is not going to work.
Am I going about this the right way and if so, does anyone have any suggestions about how this might work?
Thanks in advance.

Old question, but still...
You can get the posted values as an array by calling Request.Form.GetValues, or Request.QueryString.GetValues. For example:
string[] amounts = Request.Form.GetValues("Amount");
And the amounts array will contain the correct values, so you can post values containing comas, dots, whatever, and don't worry about splitting/parsing it.
Of course if you are running MVC, use the modelbinder to do it. But you can use this if you are using webforms, a generic handler, etc...

Check out Model Binding To A List. Your Action method should be:
public ActionResult MyAction(string[] Amount, int[] Item){
// ...
}
However this will make you need to "link" the items. Alternatively create a "Item" class:
public class Item {
public string Amount { get; set; }
public int Item { get; set; }
}
And
public ActionResult MyAction(IList<Item> items){
// ...
}
And your markup should be:
<input type="hidden" name="items.Index" value="0" />
<input type="text" name="items[0].Amount" id="items[0].Amount">
<select name="items[0].Item">
<option value="1">Item 1"</option>
<option value="2">Item 2"</option>
<option value="3">Item 3"</option>
</select>
<input type="hidden" name="items.Index" value="1" />
<input type="text" name="items[1].Amount" id="items[1].Amount">
<select name="items[1].Item">
<option value="1">Item 1"</option>
<option value="2">Item 2"</option>
<option value="3">Item 3"</option>
</select>
Etc...

I believe if you have multiple fields named Amount the values will be comma delimited.
To access each one just try:
string[] amounts = Request.Form["Amount"].Split(new char[] { ',' });
Keep in mind though, the inputs are not cleaned on submission so if someone enters a comma into the text box it's going to cause issues.
Hence I'd recommend numbering them.

I ended up realising that (blush) the mechanism which JQuery uses to find the string within the cloned row (to replace) is basically regex. Thus I just needed to escape the square brackets and period. Once I did this I was able use JQuery to create form as Phil Haack's blog suggested.
Onto my next issue...!

I would number them Amount1, Amount2, Amount3 etc.

You can change the id and name attribute of the input to something like this "Amount[1]","Amount[2]","Amount[3]" (yes, the id and name attribute can contain the special chars "[" or "]"). Then in the controller, write a http request parameter parser to get back the Amounts as collections.

Related

how to set selected value in drop down menu depending on conditions

I have code with drop down menu. The object for this menu has few fields. Two of them are playerPosition and isFirstSquadPlayer.
If isFirstSquadPlayer is TRUE I need to display in menu player.playerPosition.
Trying on few ways but failed.
My controller:
public String players(#PathVariable long clubId, Model model) {
Club club = this.clubRepository.findByClubId(clubId);
model.addAttribute("players", this.playerRepository.findAllByPlayerClub(club));
return "players";
}
My HTML:
<select name="playerposition"
id="createnewplayerposition" th:value="${player.playerPosition}" required>
<option value="0">Select position for player</option>
<!--HERE NEED PROPER REQUEST -->
<option th:selected="${player.playerPosition}" th:text="${player.playerPosition}"></option>
<option value="GK">Goalkeeper</option>
<option value="RWB">Right Wingback</option>
<option value="RCB">Right Centreback</option>
(...)
</select>
as per kindly advice:
ok, tried and found such request with thymeleaf conditional:
<option th:if="${player.playerPosition!=null}" th:selected="${player.playerPosition}" th:text="${player.playerPosition}"></option>
it's not excactly how I expected but gives some solution –

strange behaviour when populating a select list in razor

I'm populating a select list using razor and its giving me some strange results. The items in the list contain spaces, the text created is ok, but the value has been split into sections for each word in the text description. Here's my razor code
<select name="fromReport[]" id="multiselectReport" class="form-control" size="15" multiple="multiple">
#foreach (var item in Model.AvailableReports)
{
<option value=#item>#item</option>
}
</select>
and the resulting HTML
<select id="multiselect_toRpt" class="form-control" name="toReport[]" size="15" multiple="multiple">
<option value="All" trades="" activity="" last="" week="">All Trades Activity Last Week</option>
<option value="All" trades="" for="" delivery="" last="" month="">All Trades For Delivery Last Month</option>
<option value="Energy" costs="" report="">Energy Costs Report</option>
</select>
so its created a section in the definition for each word in the text, why is this ?
Wrap the value attribute value in quotes. Single quotes or double quotes will work.
<option value="#item">#item</option>
figured it out
#foreach (var item in Model.AvailableReports)
{
<option value="#item">#item</option>
}

With Rails 5, how to think about naming a form field to later be used be a Rails Controller#create method

In Rails 5, I have the following model:
Talents.rb
id | Title
1 | Jumping
2 | Skipping
3 | Running
My API, returns Talents#Index like so:
[
{"id":1,"title":"Jumping"},
{"id":2,"title":"Skipping Rope"},
{"id":3,"title":"Running"},
{"id":4,"title":"Something Else"}
]
I then want to use the respond to build a form:
<div>
<label>Jumping</label>
<select name="Jumping">
<option></option>
<option value="1">XXX</option>
<option value="2">YYY</option>
</select>
</div>
....
My question is how should I be thinking about NAMING the talents in the form so that I can properly post the form to Rails to then record the user's response?
Do I need another field from the API with some type of Key? Or for select name, should I be using the ID?
I will do something like this:
<form name="my-form" method="post" action="/create">
<div>
<label>Jumping</label>
<input type="hidden" name="ratings[]talent_id" value="1"></input>
<select name="ratings[]rating">
<option></option>
<option value="1">Rating 1</option>
<option value="2">Rating 2</option>
</select>
</div>
<div>
<label>Skipping</label>
<input type="hidden" name="ratings[]talent_id" value="2"></input>
<select name="ratings[]rating">
<option></option>
<option value="1">Rating 1</option>
<option value="2">Rating 2</option>
</select>
</div>
<div>
<label>Running</label>
<input type="hidden" name="ratings[]talent_id" value="3"></input>
<select name="ratings[]rating">
<option></option>
<option value="1">Rating 1</option>
<option value="2">Rating 2</option>
</select>
</div>
<input type="submit" name="submit" value="Send">
</form>
Using ratings[] will create an array, which enables you tu use the same name for each select.
Adding an input with type hidden, will allow to specify which talent is being rated (the value of each input is the talent_id to be rated in that select).
For example, if a user selects the following:
Rating 2 for Jumper
Rating 1 for Jumping
Rating 1 for Skipping
Then the following parameters will be sent to your controller:
Parameters: {
"ratings"=>[
{"talent_id"=>"1", "rating"=>"2"},
{"talent_id"=>"2", "rating"=>"1"},
{"talent_id"=>"3", "rating"=>"1"}
]
}
Now, in your controller you could just iterate over params[:ratings] to create each object, maybe something like this:
params[:ratings].each do |rating|
rating_attributes = {
user_id: user, # use the appropriate `user_id`
rated_by: rater, # use the appropriate `rated_by`
talent_id: rating[:talent_id],
rating: rating[:rating]
}
Rating.create!(rating_attributes)
end
Of course you should optimize this method by, for example, handling errors instead of raising an exception (as create! does); but this will get you going.

thymeleaf multiple selected on edit

I am totally changing this question, as part of it was answered here with great help of Avnish!
Tom sent me to the right direction so thank you Tom!
My problem is that I do not know how to tell Thymeleaf to preselect object elements when editing it.
Let me show you:
This solution works:
<select class="form-control" id="parts" name="parts" multiple="multiple">
<option th:each="part : ${partsAtribute}"
th:selected="${servisAttribute.parts.contains(part)}"
th:value="${part.id}"
th:text="${part.name}">Part name</option>
</select>
I have tried this:
<select class="form-control" th:field="*{parts}" multiple="multiple">
<option th:each="part : ${partsAtribute}"
th:field="*{parts}"
th:value="${part.id}"
th:text="${part.name}">Part name</option>
</select>
did not work. I also tried this:
<select class="form-control" th:field="*{{parts}}" multiple="multiple">
<option th:each="part : ${partsAtribute}"
th:field="*{parts}"
th:value="${part.id}"
th:text="${part.name}">Part name</option>
</select>
did not work either. I have tried removing th:field="*{parts}" from the option tag, same result..
If I change th:value to ${part} it works, but then it does not send back string of ids like [2,4,5,6,...], but Part instances like [Part#43b45j, Part#we43y7,...]...
UPDATE: I just noticed that this works if only one part is selected:
<select class="form-control" th:field="*{parts}" multiple="multiple">
<option th:each="part : ${partsAtribute}"
th:field="*{parts}"
th:value="${part.id}"
th:text="${part.name}">Part name</option>
</select>
If multiple parts are selected, it does not work.
After discussion on the Thymeleaf forum, I implemented a full working example at
https://github.com/jmiguelsamper/thymeleafexamples-selectmultiple
I think that the only problem with your final code is that you have to use double bracket syntax to invoke the conversionService:
th:value="${{part}}"
It is also important to implement proper equals() and hashcode() methods in your Part class to assure proper comparison.
I hope my example helps other users with similar problems in the future.
You don't need th:selected when using th:field normally. Thymeleaf will automatically check the values of each <option> in the <select>, even if it is multiple
The problem lies in the value. You are iterating over parts, but the value of each option is part.id. Thus you are comparing instances of part to the id of part (as far as I can see).
However, Thymeleaf also takes into account instances of PropertyEditor (it reuses org.springframework.web.servlet.tags.form.SelectedValueComparator).
This will be used when comparing the objects to the values of the options. It will convert the objects to their text value (their id) and compare this to the value.
<select class="form-control" th:field="*{parts}" multiple="multiple" >
<option th:each="part : ${partsAttribute}"
<!--
Enable the SpringOptionFieldAttrProcessor .
th:field value of option must be equal to that of the select tag
-->
th:field="*{parts}"
th:value="${part.id}"
th:text="${part.name} + ${part.serial}">Part name and serial No.
</option>
</select>
Property Editor
Define a PropertyEditor for the parts. The PropertyEditor will be called when comparing the values, and when binding the parts back to the form.
#Controller
public class PartsController {
#Autowired
private VehicleService vehicleService;
#InitBinder(value="parts")
protected void initBinder(final WebDataBinder binder) {
binder.registerCustomEditor(Part.class, new PartPropertyEditor ());
}
private static class PartPropertyEditor extends PropertyEditorSupport {
#Override
public void setAsText(String partId) {
final Part part = ...; // Get part based on the id
setValue(part);
}
/**
* This is called when checking if an option is selected
*/
#Override
public String getAsText() {
return ((Part)getValue()).getId(); // don't forget null checking
}
}
}
Also take a look at ConvertingPropertyEditorAdapter. Converter instances that are registered in the conversionService are more preferred in Spring nowadays.
This works for me:
A vet has many specialties.
Controller:
#RequestMapping(value = "/vets/{vetId}/edit", method = RequestMethod.GET)
public ModelAndView editVet(#PathVariable("vetId") int ownerId/*, Model model*/) {
ModelAndView mav = new ModelAndView("vets/vetEdit");
mav.addObject("vet", this.vets.findById(ownerId));
mav.addObject("allSpecialties", this.specialities.findAll());
return mav;
}
View (using th:selected):
<select id="specialities" class="form-control" multiple>
<option th:each="s : ${allSpecialties}"
th:value="${s.id}"
th:text="${s.name}"
th:selected="${vet.specialties.contains(s)}">
</option>
</select>
View (using th:field):
<form th:object="${vet}" class="form-horizontal" id="add-vet-form" method="post">
<div class="form-group has-feedback">
<select th:field="*{specialties}" class="form-control" multiple>
<option th:each="s : ${allSpecialties}"
th:value="${s.id}"
th:text="${s.name}"
>
</option>
</select>
</div>
And I have to define Specialty findOne(#Param("id") Integer id) throws DataAccessException; in the SpecialtyRepository, otherwise the following exception is thrown : "java.lang.IllegalStateException: Repository doesn't have a find-one-method declared!"
package org.springframework.samples.petclinic.vet;
import java.util.Collection;
import org.springframework.dao.DataAccessException;
import org.springframework.data.repository.Repository;
import org.springframework.data.repository.query.Param;
import org.springframework.transaction.annotation.Transactional;
public interface SpecialtyRepository extends Repository<Specialty, Integer> {
#Transactional(readOnly = true)
Collection<Specialty> findAll() throws DataAccessException;
Specialty findOne(#Param("id") Integer id) throws DataAccessException;
}
Here's how I did it:
<select th:field="*{influenceIds}" ID="txtCategoryName" class="m-wrap large" multiple="multiple">
<option th:each="influence : ${influences}" th:value="${influence.get('id')}" th:text="${influence.get('influence')}" ></option>
</select>
My DTO contains:
private List<String> influenceIds;
<select id="produtos" name="selectedItens" style="width: 100%;" multiple="multiple" required="">
<option th:value="${p.id}" th:text="${p}" th:each="p : ${slideShowForm.itens}" th:selected="${#lists.contains(slideShowForm.selectedItens,p)}"></option>
</select>
<select th:field="*{groupId}" >
<option th:each="group :${grouptype}"
th:value="${{group.groupId}}"
th:text="${group.Desc}">
</option>
</select>
Simple select example

Sending select back to controller

I am trying to send a listbox back to my controller from my view. I dynamically add items to it with a text box and button, and I want to be able to send all of these items back to my view in some kind of array. How would I go about doing this?
I had the following modelcode:
[HttpPost]
public ActionResult BasicIdentificationIndex(MyObject returndata, List<int> ints)
And then some input boxes:
<input type="text" name="ints" value="1" />
<input type="text" name="ints" value="4" />
<input type="text" name="ints" value="2" />
<input type="text" name="ints" value="8" />
This code works and is returned to my controller(not null).
EDIT:
My issue is that I cannot get a select list to post back to my controller. I would like to send the following back to my controller:
<select name="selectfrom" id="select-from" multiple size="5">
<option value="String1">Item 1</option>
<option value="String2">Item 2</option>
<option value="String3">Item 3</option>
<option value="String4">Item 4</option>
</select>
How would I go about doing this so that I can send a list of all the options( String1,String2,etc.) back to my controller? I have tried the following:
Controller:
public ActionResult BasicIdentificationIndex(BasicIdentificationModel returndata,ICollection<String> AerialItems)
Model:
public String AerialItems { get; set; }
View:
<select name="AerialItems" id="select-to" multiple size="5">
<option value="5">Item 5</option>
<option value="6">Item 6</option>
<option value="7">Item 7</option>
</select>
But The item returned back to the controller is always null.
You should be able to just model bind back to a collection of ints...
I'm somewhat confused because this seemed to be copied from Haack's blog post on the subject... What you have listed should work, but if it's not could you include the rest of your code?
http://haacked.com/archive/2008/10/23/model-binding-to-a-list.aspx
Figured it out. I need to use Javascript to select all the items in the list. This will post them all back in the collection.

Resources