Reputation: 2870
my regForm.jsp is:
<form:form action="save.html">
form:label path="name">Name *</form:label>
<form:input path="name" />
<form:label path="hobbies">Hobbies *<br />use (ctrl) botton to multiple select </form:label>
<form:select path="hobbies" id="hobbies" multiple="true"
items="${hobList}" itemValue="id" itemLabel="hobbyName">
</form:select>
<input type="submit" value="Submit" onclick="addFormValidate()" />
</form>
My Beans
public class User {
private int id;
priavte List<Hobby> hobbies;
//setter getter
}
public class Hobby {
private int id;
private String hobbyName;
//setter getter
}
myController.java
@RequestMapping(value = "/save.html", method = RequestMethod.POST)
public ModelAndView addEmployee(
@ModelAttribute("user") User user BindingResult result) {
System.out.println("name"+user.getName() );
System.out.println(employee.getHobbies()); // getting null
// usrDao.saveUser(user);
return new ModelAndView("redirect:add.html", model);
}
How could i get the value for List from my form so that i could get the value? **What is wrong in my code? **
Upvotes: 2
Views: 196
Reputation: 120871
You need an converter that converts the Hobby id
, into an hobby
.
@See: Spring Reference, chapter 7.5 Spring 3 Type Conversion
package org.springframework.core.convert.converter;
public class StringToHobbyConverter implements Converter<String, Hobby> {
Hobby convert(String source) {
return loadHobbyById(Integer.valueOf(source));
}
}
Upvotes: 1
Reputation: 1755
You need to change the User model from:
public class User {
private int id;
priavte List<Hobby> hobbies;
//setter getter
}
to:
public class User {
private int id;
priavte List<Integer> hobbies;
//setter getter
}
Then you will get the list of hobby ids and you can loop through the list and create a new Hobby object for each id if required. Hope it helps!!
Upvotes: 1
Reputation: 217
Here is the code----
package com.programsji.converter;
import org.springframework.core.convert.converter.Converter;
import com.programsji.bo.Hobby;
public class StringToHobbyConverter implements Converter<String, Hobby> {
@Override
public Hobby convert(String str) {
// I Am Using Fix Hobbies Here, You Can Add Your Own Method to Get
// Hobbies By ID
Hobby hobby = null;
if (str.equals("1")) {
hobby = new Hobby(1, "First Hobby");
} else if (str.equals("2")) {
hobby = new Hobby(2, "Second Hobby");
}
return hobby;
}
}
To Register...
<annotation-driven conversion-service="conversionService" />
<beans:bean id="conversionService"
class="org.springframework.context.support.ConversionServiceFactoryBean">
<beans:property name="converters">
<beans:list>
<beans:bean class="com.programsji.converter.StringToHobbyConverter" />
</beans:list>
</beans:property>
</beans:bean>
It is working on my pc. if you need, I can send you source code. About conversionService registration, you can view this example:
http://www.programsji.com/spring/converter
Upvotes: 1