1. 程式人生 > >SpringMVC的資料校驗(一)

SpringMVC的資料校驗(一)

什麼是資料校驗

這個比較好理解,就是用來驗證客戶輸入的資料是否合法,比如客戶登入時,使用者名稱不能為空,或者不能超出指定長度等要求,這就叫做資料校驗。資料校驗分為客戶端校驗和服務端校驗
客戶端校驗:js校驗
服務端校驗:springmvc使用validation校驗,struts2使用validation校驗都有自己的一套校驗規則。

springmvc的validation校驗

Springmvc本身沒有校驗功能,它使用hibernate的校驗框架,hibernate的校驗框架和orm沒有關係


       <bean id="validator" 
        class
="org.springframework.validation.beanvalidation.LocalValidatorFactoryBean">
<!-- 指定校驗器 --> <property name="providerClass" value="org.hibernate.validator.HibernateValidator"></property> <!-- 指定校驗使用的資原始檔,該檔案中配置校驗的錯誤資訊 --> <property
name="validationMessageSource" ref="messageSource">
</property> </bean> <!-- 校驗錯誤資訊配置檔案 --> <bean id="messageSource" class="org.springframework.context.support.ReloadableResourceBundleMessageSource"> <!-- 資原始檔 --> <property
name="basenames">
<list> <value>classpath:errmsg</value> </list> </property> <!-- 資原始檔的編碼格式 --> <property name="fileEncodings" value="utf-8"></property> <!-- 資原始檔內容的快取時間,單位秒 --> <property name="cacheSeconds" value="120"></property> </bean>
  1. validationMessageSource.properties
    這裡寫圖片描述
    在SpringMvc下面新建一個validationMessageSource.properties
    name為錯誤的名字(與顯示頁面中message=” “的一樣)
    value為錯誤的提示(於jsp顯示頁面的錯誤提示)

  2. 在pojo中指定校驗規則


    @Size(min=3,max=20,message="{user.name.length.err}")
    private String uName;

    @NotEmpty(message="{user.createtime.notnull}")
    private String pwd;
    private Date regTime;
    private List<String> hobby;

這裡寫圖片描述
這裡寫圖片描述
這裡寫圖片描述

  1. controller中對其校驗進行繫結
    //pojo型別引數接收    
    public /*ModelAndView*/String register(
            @Validated User user,BindingResult bindingResult,Model model,
            HttpServletRequest request,HttpServletResponse response
            ){

        //是否校驗通過
        if(bindingResult.hasErrors()){
            for(ObjectError err:bindingResult.getAllErrors()){
                System.out.println(err.getDefaultMessage());
            }
            model.addAttribute("allErrs", 
                        bindingResult.getAllErrors());
            return "jsp/register.jsp";
        }


System.out.println(user.getuName()+":"+user.getPwd());
        for(String str:user.getHobby()){
            System.out.println(str);
        }
System.out.println(user.getRegTime().getMonth());
        model.addAttribute("user", user);

        return "forward:jsp/success.jsp";

    }

}

1、@Validated作用就是將pojo內的註解資料校驗規則(@NotNull等)生效,如果沒有該註解的宣告,pojo內有註解資料校驗規則也不會生效
2、BindingResult物件用來獲取校驗失敗的資訊(@NotNull中的message),與@Validated註解必須配對使用,一前一後
3、程式碼中的邏輯應該很容易看懂,就是將result中所有的錯誤資訊取出來,然後到原先的頁面將錯誤資訊進行顯示,注意,要使用model物件,則需要在形參中宣告Model model,然後菜能使用
6.jsp頁面顯示錯誤

    <c:if test="${allErrs!=null}">
        <c:forEach var="err" items="${allErrs}">
            ${err.defaultMessage}
        </c:forEach>
    </c:if>