 
  Data Structure Data Structure
 Networking Networking
 RDBMS RDBMS
 Operating System Operating System
 Java Java
 MS Excel MS Excel
 iOS iOS
 HTML HTML
 CSS CSS
 Android Android
 Python Python
 C Programming C Programming
 C++ C++
 C# C#
 MongoDB MongoDB
 MySQL MySQL
 Javascript Javascript
 PHP PHP
- Selected Reading
- UPSC IAS Exams Notes
- Developer's Best Practices
- Questions and Answers
- Effective Resume Writing
- HR Interview Questions
- Computer Glossary
- Who is Who
Sorting a JSON object in JavaScript
Suppose we have an object like this −
const obj = {    key1: 56,    key2: 67,    key3: 23,    key4: 11,    key5: 88 }; We are required to write a JavaScript function that takes in this object and returns a sorted array like this −
const arr = [11, 23, 56, 67, 88];
Here, we sorted the object values and placed them in an array.
Therefore, let’s write the code for this function −
Example
The code for this will be −
const obj = {    key1: 56,    key2: 67,    key3: 23,    key4: 11,    key5: 88 }; const sortObject = obj => {    const arr = Object.keys(obj).map(el => {       return obj[el];    });    arr.sort((a, b) => {       return a - b;    });    return arr; }; console.log(sortObject(obj));  Output
The output in the console will be −
[ 11, 23, 56, 67, 88 ]
Advertisements
 