0
0
JavascriptHow-ToBeginner · 3 min read

How to Validate JSON in JavaScript: Simple and Effective Methods

To validate JSON in JavaScript, use JSON.parse() inside a try-catch block. If parsing succeeds, the JSON is valid; if it throws an error, the JSON is invalid.
📐

Syntax

Use JSON.parse() to convert a JSON string into a JavaScript object. Wrap it in a try-catch block to catch errors if the string is not valid JSON.

  • JSON.parse(jsonString): Parses the JSON string.
  • try: Attempts to parse.
  • catch: Handles invalid JSON errors.
javascript
try {
  const obj = JSON.parse(jsonString);
  // JSON is valid
} catch (error) {
  // JSON is invalid
}
💻

Example

This example shows how to check if a string is valid JSON. It prints a message depending on the result.

javascript
function isValidJson(jsonString) {
  try {
    JSON.parse(jsonString);
    return true;
  } catch (e) {
    return false;
  }
}

const validJson = '{"name":"Alice","age":25}';
const invalidJson = '{name: Alice, age: 25}';

console.log(isValidJson(validJson));   // true
console.log(isValidJson(invalidJson)); // false
Output
true false
⚠️

Common Pitfalls

Common mistakes when validating JSON include:

  • Not using try-catch, which causes your program to crash on invalid JSON.
  • Assuming JSON is valid without checking.
  • Confusing JavaScript object syntax with JSON syntax (JSON keys must be in double quotes).
javascript
const badJson = '{name: "Bob"}';

// Wrong: This will throw an error and stop the program
// const obj = JSON.parse(badJson);

// Right: Use try-catch to handle errors
try {
  const objSafe = JSON.parse(badJson);
} catch (e) {
  console.log('Invalid JSON');
}
Output
Invalid JSON
📊

Quick Reference

Tips for JSON validation in JavaScript:

  • Always use try-catch with JSON.parse().
  • Remember JSON keys and string values must use double quotes.
  • Use online JSON validators for complex JSON before coding.
  • Validate user input to avoid errors in your app.

Key Takeaways

Use JSON.parse inside try-catch to safely validate JSON strings.
Invalid JSON throws an error, so catching it prevents crashes.
JSON keys and strings must be in double quotes to be valid.
Always validate JSON input before using it in your code.