I want to send json data in url as below .
editTest.jsp?details=374889331-{"aNumber":2}
How can I do this?
URL encode your details parameter:
String otherParameter = "374889331-";
String jsonString = "{\"aNumber\":2}";
String url = "editTest.jsp?details=" + URLEncoder.encode(otherParameter + jsonString, "UTF-8");
%7B%22aNumber%22%3A2%7D
.you need to convert the JSON object
to string
JSONObject obj = new JSONObject();
obj.put("name","foo");
StringWriter out = new StringWriter();
obj.writeJSONString(out);
String jsonText = out.toString();//JSON object is converted to string
Now, you can pass this jsonText
as parameter.
We can convert the Object to JSON Object using GSON, then parse the JSON object and convert it to query param string. The Object should only contain primitive objects like int, float, string, enum, etc. Otherwise, you need to add extra logic to handle those cases.
public String getQueryParamsFromObject(String baseUrl, Object obj) {
JsonElement json = new Gson().toJsonTree(obj);
// Assumption is that all the parameters will be json primitives and there will
// be no complex objects.
return baseUrl + json.getAsJsonObject().entrySet().stream()
.map(entry -> entry.getKey() + "=" + entry.getValue().getAsString())
.reduce((e1, e2) -> e1 + "&" + e2)
.map(res -> "?" + res).orElse("");
}
We can use the help of Gson
String result =new Gson().toJson("your data");
NB: jar file needed for Gson
I would like to add my solution:
import java.net.URI;
import java.net.URISyntaxException;
import java.nio.charset.StandardCharsets;
import java.util.ArrayList;
import com.google.gson.Gson;
import com.google.gson.JsonObject;
import com.google.gson.JsonParser;
import com.google.gson.JsonElement;
private static String createURIString(String str) {
try {
URI uri = new URI(str);
return uri.toASCIIString();
} catch (URISyntaxException x) {
throw new IllegalArgumentException(x.getMessage(), x);
}
}
private static String convertJSONBodyToURL(String input){
// input = "{ \"name\": \"Test\", \"java\": true}";
ArrayList<String> arr = new ArrayList<String>();
JsonObject jsonObject = new JsonParser().parse(input).getAsJsonObject();
for (Entry<String, JsonElement> entry : jsonObject.entrySet()) {
String key = entry.getKey();
String value = entry.getValue().toString();
// remove "', new URI would fail
value = value.replace("\"", "").replace("'", "");
// value sanity checks
String valueURI = FixAPI.createURIString(value);
// fail in case of problems
if(valueURI == null){
// err
return null;
}
// if safe, add to array
arr.add(key + "=" + value);
}
// join array to String
String joinedURLString = String.join("&", arr);
return joinedURLString;
}