spring学习教程之@ModelAttribute注解运用详解
本文主要给大家介绍了关于java中@modelattribute使用的相关资料,分享出来供大家参考学习,下面来一起看看详细的介绍:
一、@modelattribute注释方法
例子(1),(2),(3)类似,被@modelattribute注释的方法会在此controller每个方法执行前被执行,因此对于一个controller映射多个url的用法来说,要谨慎使用。
(1)@modelattribute注释void返回值的方法
@controller public class helloworldcontroller { @modelattribute public void populatemodel(@requestparam string abc, model model) { model.addattribute("attributename", abc); } @requestmapping(value = "/helloworld") public string helloworld() { return "helloworld"; } }
这个例子,在获得请求/helloworld 后,populatemodel方法在helloworld方法之前先被调用,它把请求参数(/helloworld?abc=text)加入到一个名为attributename的model属性中,在它执行后helloworld被调用,返回视图名helloworld和model已由@modelattribute方法生产好了。
这个例子中model属性名称和model属性对象有model.addattribute()实现,不过前提是要在方法中加入一个model类型的参数。
当url或者post中不包含次参数时,会报错,其实不需要这个方法,完全可以把请求的方法写成,这样缺少此参数也不会出错
@requestmapping(value = "/helloworld") public string helloworld(string abc) { return "helloworld"; }
(2)@modelattribute注释返回具体类的方法
@modelattribute public account addaccount(@requestparam string number) { return accountmanager.findaccount(number); }
这种情况,model属性的名称没有指定,它由返回类型隐含表示,如这个方法返回account类型,那么这个model属性的名称是account。
这个例子中model属性名称有返回对象类型隐含表示,model属性对象就是方法的返回值。它无须要特定的参数。
(3)@modelattribute(value="")注释返回具体类的方法
@controller public class helloworldcontroller { @modelattribute("attributename") public string addaccount(@requestparam string abc) { return abc; } @requestmapping(value = "/helloworld") public string helloworld() { return "helloworld"; } }
这个例子中使用@modelattribute注释的value属性,来指定model属性的名称。model属性对象就是方法的返回值。它无须要特定的参数。
(4)@modelattribute和@requestmapping同时注释一个方法
@controller public class helloworldcontroller { @requestmapping(value = "/helloworld.do") @modelattribute("attributename") public string helloworld() { return "hi"; } }
这时这个方法的返回值并不是表示一个视图名称,而是model属性的值,视图名称由requesttoviewnametranslator根据请求"/helloworld.do"转换为逻辑视图helloworld。
model属性名称有@modelattribute(value=””)指定,相当于在request中封装了key=attributename,value=hi。
二、@modelattribute注释一个方法的参数
(1)从model中获取
@controller public class helloworldcontroller { @modelattribute("user") public user addaccount() { return new user("jz","123"); } @requestmapping(value = "/helloworld") public string helloworld(@modelattribute("user") user user) { user.setusername("jizhou"); return "helloworld"; } }
在这个例子里, @modelattribute("user") user user
注释方法参数,参数user的值来源于addaccount()
方法中的model属性。
此时如果方法体没有标注@sessionattributes("user")
,那么scope为request,如果标注了,那么scope为session
(2)从form表单或url参数中获取(实际上,不做此注释也能拿到user对象)
@controller public class helloworldcontroller { @requestmapping(value = "/helloworld") public string helloworld(@modelattribute user user) { return "helloworld"; } }
注意这时候这个user类一定要有没有参数的构造函数。
总结
以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作能带来一定的帮助,如果有疑问大家可以留言交流,谢谢大家对的支持。