Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Spring Boot - How to get all request params in a map in Spring RestController?

Sample URL:

../get/1?attr1=1&attr2=2&attr3=3

I do not know the names of attr1, att2, and attr3.

When I ran this code, I get the size of 'allRequestParams' equals to 1

@RequestMapping(value = "/get/", method = RequestMethod.GET)
public String search(
@RequestParam Map<String,Integer> allRequestParams) {
   System.out.println(allRequestParams.size());
   return "";
}

Is it problem with Spring or I wrote a wrong code. Thank you!

like image 932
Mourad Karim Avatar asked Mar 16 '17 01:03

Mourad Karim


2 Answers

If you are passing the request attributes in the form of query parameters then you can directly get it using HttpServletRequest. Pass in as the parameter to your method and use it like httpServletRequest.getParameterMap(). This will return an immutable java.util.Map of request parameters. Each entry of the map will have the key of type String and value of type String[]. So if you have only one value you can directly access as entry.getValue()[0] would give you the first value. Code looks something like this to access the values.

@RequestMapping(value = "/get/", method = RequestMethod.GET) 
public String search(HttpServletRequest httpServletRequest) {
   Map<String, String[]> requestParameterMap = httpServletRequest.getParameterMap();
   for(String key : requestParameterMap.keySet()){
        System.out.println("Key : "+ key +", Value: "+ requestParameterMap.get(key)[0]);
   }
   return "";
}

Hope this helps !!

like image 172
Sampath Avatar answered Oct 05 '22 02:10

Sampath


You can define a POJO which contains a map.. Something like below:

@RequestMapping(value = "/get/{searchId}", method = RequestMethod.POST)
public String search(
@PathVariable("searchId") Long searchId,
@RequestParam SearchRequest searchRequest) {
 System.out.println(searchRequest.getParams.size());
 return "";
}

public class SearchRequest {   
private Map<String, String> params;
}

Request Object:

"params":{
     "birthDate": "25.01.2011",
    "lang":"en"       
 }
like image 27
Tiny Avatar answered Oct 05 '22 00:10

Tiny