Convert ints to booleans

后端 未结 2 1910
北海茫月
北海茫月 2021-02-01 04:32

Is there a way that I can convert int/short values to booleans? I\'m receiving JSON that looks like this:

{ is_user: \"0\", is_guest: \"0\" }

I

相关标签:
2条回答
  • 2021-02-01 05:07

    Start by getting Gson 2.2.2 or later. Earlier versions (including 2.2) don't support type adapters for primitive types. Next, write a type adapter that converts integers to booleans:

    private static final TypeAdapter<Boolean> booleanAsIntAdapter = new TypeAdapter<Boolean>() {
      @Override public void write(JsonWriter out, Boolean value) throws IOException {
        if (value == null) {
          out.nullValue();
        } else {
          out.value(value);
        }
      }
      @Override public Boolean read(JsonReader in) throws IOException {
        JsonToken peek = in.peek();
        switch (peek) {
        case BOOLEAN:
          return in.nextBoolean();
        case NULL:
          in.nextNull();
          return null;
        case NUMBER:
          return in.nextInt() != 0;
        case STRING:
          return Boolean.parseBoolean(in.nextString());
        default:
          throw new IllegalStateException("Expected BOOLEAN or NUMBER but was " + peek);
        }
      }
    };
    

    ... and then use this code to create the Gson instance:

      Gson gson = new GsonBuilder()
          .registerTypeAdapter(Boolean.class, booleanAsIntAdapter)
          .registerTypeAdapter(boolean.class, booleanAsIntAdapter)
          .create();
    
    0 讨论(0)
  • 2021-02-01 05:15

    If you're reading them in as ints or shorts, then you can just

    boolean b = (i != 0)
    

    Where b is the boolean you want to get and i is the int or short value.

    If you're reading them in as Strings then you want

    boolean b = !s.equals("0"); // use this if you WANT null pointer exception
                                // if the string is null, useful for catching
                                // bugs
    

    or

    boolean b = !"0".equals(s); // avoids null pointer exception, but may silently
                                // let a bug through
    
    0 讨论(0)
提交回复
热议问题