首页 » 技术分享 » input type=hidden的用法

input type=hidden的用法

 

SpringMVC删除与修改操作需要用DELETE,PUT请求方式提交。

但要知道浏览器form表单只支持GET与POST请求,而DELETE、PUT等method并不支持。

spring3.0添加了一个过滤器,可以将这些请求转换为标准的http方法,使得支持GET、POST、PUT与DELETE请求。
如果是springboot,可以看到WebMvcAutoConfiguration中添加了一个

 			@Bean
        	@ConditionalOnMissingBean(HiddenHttpMethodFilter.class)
        	public OrderedHiddenHttpMethodFilter hiddenHttpMethodFilter() {
        		return new OrderedHiddenHttpMethodFilter();
        	}

查看HiddenHttpMethodFilter源码,里面有methodParam,而且这个只会执行一次。

public class HiddenHttpMethodFilter extends OncePerRequestFilter {
    public static final String DEFAULT_METHOD_PARAM = "_method";
    private String methodParam = "_method";

    public HiddenHttpMethodFilter() {
    }

    public void setMethodParam(String methodParam) {
        Assert.hasText(methodParam, "'methodParam' must not be empty");
        this.methodParam = methodParam;
    }

    protected void doFilterInternal(HttpServletRequest request, HttpServletResponse response, FilterChain filterChain) throws ServletException, IOException {
        HttpServletRequest requestToUse = request;
        if ("POST".equals(request.getMethod()) && request.getAttribute("javax.servlet.error.exception") == null) {
            String paramValue = request.getParameter(this.methodParam);
            if (StringUtils.hasLength(paramValue)) {
                requestToUse = new HiddenHttpMethodFilter.HttpMethodRequestWrapper(request, paramValue);
            }
        }

        filterChain.doFilter((ServletRequest)requestToUse, response);
    }

    private static class HttpMethodRequestWrapper extends HttpServletRequestWrapper {
        private final String method;

        public HttpMethodRequestWrapper(HttpServletRequest request, String method) {
            super(request);
            this.method = method.toUpperCase(Locale.ENGLISH);
        }

        public String getMethod() {
            return this.method;
        }
    }
}

页面提交方式需转换成post提交方式(可写jquery方式提交表单)。

需要在页面上添加隐藏域告诉controller此请求是哪种请求方式:

这样,就可实现删除与更新的操作了。

总结

1、SpringMVC中配置HiddenHttpMethodFilter;(SpringBoot自动配置好的)
2、页面创建一个post表单
3、创建一个input项,name="_method";值就是我们指定的请求方式

转载自原文链接, 如需删除请联系管理员。

原文链接:input type=hidden的用法,转载请注明来源!

3