user2953119
user2953119

Reputation:

Bean Validation and requested parameter in spring mvc

Is it possible to use validators for validation request parameters from javax.validation.constraints package in any way? I.e. like the following:

@Controller
public class test {

    @RequestMapping("/test.htm")
    public String test(@RequestParam("name") @NotNull String name)
    {
        return "index";
    }
}

Upvotes: 0

Views: 1792

Answers (2)

Ramzan Zafar
Ramzan Zafar

Reputation: 1600

you can try this

@Controller
public class test {

    @RequestMapping("/test.htm")
    public String test(@RequestParam(value="name",required=true) String name)
    {
        return "index";
    }
}

Upvotes: 0

Kuntal-G
Kuntal-G

Reputation: 2991

Use this way:

public class Comment{

    @NotEmpty
    @Length(max = 140)
    private String text;

    //Methods are omitted.
}

Now use @Valid in controller

 @Controller
    public class CommentController {

        @RequestMapping(value = "/api/comment", method = RequestMethod.POST)
        @ResponseBody
        public Comment add(@Valid @RequestBody Comment comment) {
            return comment;
        }
    }

When you are applying @Valid for Comment object in your cotroller,it will apply the validation mentioned in Comment class and its attribute like

@NotEmpty
    @Length(max = 140)
    private String text;

You can also check this out for little alternate way of doing: http://techblogs4u.blogspot.in/2012/09/method-parameter-validation-in-spring-3.html

Upvotes: 2

Related Questions