Json string deserialization into multiple object types

I have a Json string that I get from a web service; it has a list of collections, each collection is an object, for example:

  [ // Root List
    [ // First Collection : Team Object
      {
        "id": 1,
        "team_name": "Equipe Saidi",
        "is_active": true,
        "last_localisation_date": "2015-05-06T13:33:15+02:00"
      },
      {
        "id": 3,
        "team_name": "Equipe Kamal",
        "is_active": true,
        "last_localisation_date": "2015-05-06T09:22:15+02:00"
      }
     ],
     [// Second Collection : user Object
      {
        "id": 1,
        "login": "khalil",
        "mobile_password": "####",
        "first_name": "Abdelali",
        "last_name": "KHALIL",
        "email": "KHALIL@gmail.com",
        "role": "DR",
        "is_active": true,
        "charge": false
      },
      {
        "id": 2,
        "login": "ilhami",
        "mobile_password": "####",
        "first_name": "Abdellah",
        "last_name": "ILHAMI",
        "email": "ILHAMI@gmail.com",
        "role": "DR",
        "is_active": true,
        "charge": false
      }
    ]
  ]

My actual code (doesn't work, of course):

 public async Task TeamsAndMobileUsers()
    {
        string data = "";
        IList<User> MobileUsersList = new List<User>();
        IList<Team>  TeamsList  = new List<Team>();
        try
        {
            data = await GetResponse(PATH + TEAMS_USERS_URL);
            TeamsList = JsonConvert.DeserializeObject<List<Team>>(data);   
           MobileUsersList = JsonConvert.DeserializeObject<List<User>>(data); 

            // Inserting
            await SetAchievedActions(TeamsList);

        }
        catch (Exception e) { 
            _errors.Add(e.Message); 
        }
    }

I am using Json.net and C #. I can’t find a solution, I read that I have to use JsonReader and set the SupportMultipleContent property to true, but I don’t know how to implement this solution.

+4
source share
3 answers

As @YeldarKurmangaliyev already said, your json has two different objects, I think you can do something like this:

var j = JArray.Parse(data);
TeamsList = JsonConvert.DeserializeObject<List<Team>>(j[1].ToString());
MobileUsersList = JsonConvert.DeserializeObject<List<User>>(j[2].ToString());
+5
source
+1
You need to create 4 classes
1st class TeamObject : Variable(id,team_name,is_active,last_localisation_date)
2nd class UserObject : Variable (id, login,mobile_password,first_name, last_name ,                        email, role,is_active,charge)
3rd class RootList: Variable ( arraylist<TeamObject> obj, arraylist<UserObject > obj2)
4th class RootClass : Variable(arraylist<RootList> obj)
Gson gson=new Gson();
RootClass dtomodel = gson.fromJson(data , RootClass .class);


This parsing done using Gson Library
-4
source

All Articles