一、HttpServletRequset获取参数
第一部分转载自http://www.itcast.cn/news/20160629/16481735281.shtml
1 HttpServletRequest获取参数方法
可以使用HttpServletRequest获取客户端的请求参数,相关方法如下:
- String getParameter(String name):通过指定名称获取参数值;
- String[] getParameterValues(String name):通过指定名称获取参数值数组,有可能一个名字对应多个值,例如表单中的多个复选框使用相同的name时;
- Enumeration getParameterNames():获取所有参数的名字;
- Map getParameterMap():获取所有参数对应的Map,其中key为参数名,value为参数值。
2 传递参数的方式
传递参数的方式:GET和POST。
GET:
- 地址栏中直接给出参数:http://localhost/param/ParamServlet?p1=v1&p2=v2;
- 超链接中给出参数:<a href=” http://localhost/param/ParamServlet?p1=v1&p2=v2”>???</a>
- 表单中给出参数:<form method=”GET” action=”ParamServlet”>…</form>
POST:
- 表单中给出参数:<form method=”POST” action=”ParamServlet”>…</form>
无论是GET还是POST,获取参数的方法是相同的。
String s1 = request.getParameter(“p1”);//返回v1
String s2 = request.getParameter(“p2”);//返回v2
3 多值参数
例如在注册表单中,如果让用户填写爱好,那么爱好可能就是多个。那么hobby参数就会对应多个值:
image image4 获取所有参数,并封装到Map中
request.getParameterMap()方法返回Map类型,对应所有参数。其中Map的key对应参数的名字;Map的value对应参数的值。
image5 BeanUtils:使用Map创建Bean实例
我们知道,可以使用Map来创建Bean实例,我们也知道,可以把表单数据封装到Map中返回。这样我们就可以通过BeanUtils把表单数据封装成Bean实例了。但要注意的是,必须要创建表单中参数的名称<name>与Bean的属性名相同!!!
image单值参数,也可以使用request.getParameterValues(String)获取
其实当参数的值是单个的时候,同样可以使用request.getParameterValues(String)方法来获取参数值,不过这个参数返回的值为String[],这时我们需要再去获取数组下标0的元素。
image二、HttpServletRequest获取请求路径
- request.getRequestURL()
返回的是完整的url,包括Http协议,端口号,servlet名字和映射路径,但它不包含请求参数。 - request.getRequestURI()
得到的是request URL的部分值,并且web容器没有decode过的 - request.getContextPath()
返回 the context of the request. - request.getServletPath()
返回调用servlet的部分url. - request.getQueryString()
返回url路径后面的查询字符串
示例:
当前url:http://localhost:8080/CarsiLogCenter_new/idpstat.jsp?action=idp.sptopn
request.getRequestURL(): http://localhost:8080/CarsiLogCenter_new/idpstat.jsp
request.getRequestURI() :CarsiLogCenter_new/idpstat.jsp
request.getContextPath():CarsiLogCenter_new
request.getServletPath() :idpstat.jsp
request.getQueryString():action=idp.sptopn
- request.getServletPath() 这个方法备注一下,在上面的例子中获取的是idpstat.jsp这个路径,在SpringMVC当中获取的是当前Controller的映射路径,如下面的例子:
@RestController
@RequestMapping("attachment")
public class AttachmentController {
@RequestMapping("ueditor/image/{userId}/{sendTime}/{imageName}")
public void loadAttachmentImage(@PathVariable("userId") String sendUserId,
@PathVariable("sendTime") String sendTime,
@PathVariable("imageName") String imageName,
HttpServletRequest request,
HttpServletResponse response) {
//request.getServletPath()获取的为当前映射的路径,在这里是从attachment开始一直映射下去
System.out.println("Image名:" + request.getServletPath());
}
}
上面的代码最后打印出来的路径为attachment/ueditor/image/......
网友评论