Description
Hello there! I am curious about the new behavior introduced in 20231013 (ref #783), where the JSONObject constructor trims 0-led integers and converts them to int type instead of String type (which was the type in 20230618).
While I can understand the rationale behind trimming, the change in behavior could be problematic for things like IDs with leading 0s, which may have previously relied on the JSONObject constructor preserving the value as String type, only to have it converted to int, and thus failing a subsequent call to JSONObject getString("id")
because of type mismatch.
Comparing with other Java JSON libraries, org.json seems to behave in a way that's potentially unsafe as it transforms the input and therefore "hides" the error, versus the other libraries which take a safer approach by throwing an error on input (javax.json, Jackson) or treating the input as "pseudo"-json and letting the getter decide the type (Gson).
import com.fasterxml.jackson.core.JsonProcessingException;
import com.fasterxml.jackson.databind.JsonNode;
import com.fasterxml.jackson.databind.ObjectMapper;
import com.google.gson.JsonParser;
import org.json.JSONObject;
import org.junit.jupiter.api.Test;
import javax.json.Json;
import java.io.StringReader;
class MyTest {
@Test
void myTest() throws JsonProcessingException {
String personId = "0123";
// org.json transforms on construction
JSONObject j1 = new JSONObject("{personId: " + personId + "}");
System.out.println(j1.getString("personId")); // Throws exception
// javax.json throws error on construction
javax.json.JsonObject j2 = Json.createReader(new StringReader("{\"personId\": " + personId + "}")).readObject();
System.out.println(j2.getString("personId"));
// gson treats it as pseudo-json and leaves it to the getter to decide: getAsInt will trim, getAsString will not
com.google.gson.JsonObject j3 = JsonParser.parseString("{\"personId\": " + personId + "}").getAsJsonObject();
System.out.println(j3.get("personId").getAsString());
// jackson throws error on construction
JsonNode jsonNode = new ObjectMapper().readTree("{\"personId\": " + personId + "}");
System.out.println(jsonNode.get("personId").asText());
}
}