Validate JSON Using Python – With Examples

Nov 25, 2016

2 mins read

Published in

This article is to Validate JSON using Python. Python has built-in JSON module to work with JSON data. Python is getting popular and becoming the first choice of startup development. JSON is used widely because of it easy to understand, compact and built-in support in JavaScript.

Validate JSON Using Python.

json.loads() method is used to validate JSON data.

Here is the function which will validate JSON data.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
#JSON Validator function
import json

def json_validator(data):
    try:
        json.loads(data)
        return True
    except ValueError as error:
        print("invalid json: %s" % error)
        return False

json.loads()

json.loads() loads the JSON data to parse, it will return true or it will fail and raised the exception. This function will work as EAFP (Easier to ask for forgiveness than permission). EAFP is python’s ideology to handle this kind of situation.

Here is the Example of Validating JSON data using Python.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
#Validating JSON using Phython Code
import json

def json_validator(data):
    try:
        json.loads(data)
        return True
    except ValueError as error:
        print("invalid json: %s" % error)
        return False

""" 
#Valid JSON Data

{
  "actors": {
    "actor": [
      {
        "id": "1",
        "firstName": "Tom",
        "lastName": "Cruise"
      }
    ]
  }
}

#Invalid JSON Data

 {
    {
    "actor": [
      {
        "id": "1",
        "firstName": "Tom",
        "lastName": "Cruise"
      }
    ]
  }
}
 """

#prints True
print(json_validator('{"actors":{"actor":[{"id":"1","firstName":"Tom","lastName":"Cruise"}]}}' ))

#prints Error message and False
print (json_validator('{{"actor":[{"id":"1","firstName":"Tom","lastName":"Cruise"}]}}')) 

#End

I am using these ready-made tools to validate JSON data online.

https://codebeautify.org/jsonvalidator
https://jsonformatter.org

Are you also working with JavaScript? try this Validate JSON String Using JavaScript.

Sharing is caring!