I had a list of single long string and I wanted to print the output in a particular form. convert list to a particular json in python
but after conversion order of data changed. How can I maintain the same order?
input_data = 
 [
  "21:15-21:30 IllegalAgrumentsException 1,
   21:15-21:30 NullPointerException 2,
   22:00-22:15 UserNotFoundException 1,
   22:15-22:30 NullPointerException 1
   ....."
]
Code to covert the data in particular json form:
    input_data = input[0]   // input is list of single long string.
    input_data = re.split(r',\s*', input_data)
    output = collections.defaultdict(collections.Counter)
    # print(output)
    for line in input_data:
        time, error, count = line.split(None, 2)
        output[time][error] += int(count)
    print(output)
    response = [
        {
            "time": time,
            "logs": [
                {"exception": exception, "count": count}
                for (exception, count) in counter.items()
            ],
        }
        for (time, counter) in output.items())
    ]
    print(response) 
My output :
{
    "response": [
        {
          "logs": [
            {
                "count": 1,
                "exception": "UserNotFoundException"
            }
        ],
        "time": "22:45-23:00"
    },
    {
        "logs": [
            {
                "count": 1,
                "exception": "NullPointerException"
            }
        ],
        "time": "23:00-23:15"
    }...
 ]
}
so my order is changed but I need my data to be in same order i.e start from 21:15-21:30 and so on.. How can I maintain the same order ?
 
     
    