How to resolve "Expected BEGIN_OBJECT but was BEGIN_ARRAY" using Gson in Java?


While deserializing, a Gson can expect a JSON object but it can find a JSON array. Since it can't convert from one to the other, it can throw an error as "JsonSyntaxException: java.lang.IllegalStateException: Expected BEGIN_OBJECT but was BEGIN_ARRAY" at the runtime.

Example

import com.google.gson.Gson;
public class GsonErrorTest {
   public static void main(String args[]) throws Exception {
      String json = "{\"employee\":[{\"name\":\"Raja Ramesh\", \"technology\":\"java\"}]}";
      Gson gson = new Gson();
      Software software = gson.fromJson(json, Software.class);
      System.out.println(software);
   }
}
class Software {
   Employee employee;
}
class Employee {
   String name;
   String technology;
}

Output

Exception in thread "main" com.google.gson.JsonSyntaxException: java.lang.IllegalStateException: Expected BEGIN_OBJECT but was BEGIN_ARRAY at line 1 column 14
at com.google.gson.internal.bind.ReflectiveTypeAdapterFactory$Adapter.read(ReflectiveTypeAdapterFactory.java:176)at com.google.gson.internal.bind.ReflectiveTypeAdapterFactory$1.read(ReflectiveTypeAdapterFactory.java:93)
at com.google.gson.internal.bind.ReflectiveTypeAdapterFactory$Adapter.read(ReflectiveTypeAdapterFactory.java:172)at com.google.gson.Gson.fromJson(Gson.java:795)
at com.google.gson.Gson.fromJson(Gson.java:761)
at com.google.gson.Gson.fromJson(Gson.java:710)
at com.google.gson.Gson.fromJson(Gson.java:682)
at BeginObjectError.main(BeginObjectError.java:7)
Caused by: java.lang.IllegalStateException: Expected BEGIN_OBJECT but was BEGIN_ARRAY at line 1 column 14
at com.google.gson.stream.JsonReader.expect(JsonReader.java:339)
at com.google.gson.stream.JsonReader.beginObject(JsonReader.java:322)
at com.google.gson.internal.bind.ReflectiveTypeAdapterFactory$Adapter.read(ReflectiveTypeAdapterFactory.java:165)


We need to resolve it by changing our POJO type to a Collection or Array type. In the below example, we can use a List collection in our POJO class.

Example

import java.util.List;
import com.google.gson.Gson;
public class GsonListTest {
   public static void main(String args[]) throws Exception {
      String jsonString = "{\"employees\":[{\"name\":\"Raja Ramesh\", \"technology\":\"Java\"}]}";
      Gson gson = new Gson();
      Software software = gson.fromJson(jsonString, Software.class);
      System.out.println(software);
   }
}
class Software {
   List<Employee> employees;
   @Override
   public String toString() {
      return "Software [employees=" + employees + "]";
   }
}
class Employee {
   String name;
   String technology;
   @Override
   public String toString() {
      return "Employee [name=" + name + ", technology=" + technology + "]";
   }
}

Output

Software [employees=[Employee [name=Raja Ramesh, technology=Java]]]

Updated on: 08-Jul-2020

14K+ Views

Kickstart Your Career

Get certified by completing the course

Get Started
Advertisements