DEV Community

Cover image for JavaScript Objects | Complete Guide
Abhishek Pathak
Abhishek Pathak

Posted on

JavaScript Objects | Complete Guide

JavaScript Objects

Similar to other programming languages javascript objects is a collection of key-value pairs, where each key is a string and each value can be of any data type.

Ways to create JavaScript Object

  1. Object liternal Notation
    The simplests way that you will use 98% of time.

        const scorcism = {
            name: "Abhishek",
            age:21
        }
    

    The key-value pairs are enclosed within curly braces {}

  2. Using the new Keyword
    Creating objects with constructor functions and the new keyword. You will use this only 1.8% of the time

        function About(name, age, city) {
            this.name = name;
            this.age = age;
            this.city = city;
        }   
    
        const me = new About("Abhishek", 21, "Mumbai"); 
    

"new" creates an object containing an internal "this". If you omit "new", this is the global context, so your properties are created outside of your object. ~ Eckehard

  1. Using Object.create()
    This method allows creating a new object with specified prototype object.
    You will use this only 0.2% of the time

        const aboutData = {
            greet:function(){
                    return `Hello, my is ${this.name}`; // {this.name} is the key of this object
                }
        }
        const me = Object.create(aboutData);
        me.name = 'Abhishek'
        me.age = 21;
    

    Don't worry much about this :)

Accessing Object Properties

Properties of JS object can be accessed using dot notation and bracket notation.

    const me = {
            name: "Abhishek",
            age:21
    }
    console.log(me.name);   
    console.log(me["age"]);
Enter fullscreen mode Exit fullscreen mode

Try run the code snippet.

(The undefined after each console log is the return value fo the console.log function itself. Relax, Nothing to worry🕺)

Object Prototypes and Inheritance

At the core of JS, lies the concept of prototype. Every object in JS is associated with a prototype object, which acts as a blueprint for that object.

In short; object prototype serves as a template for creating new objects.

This prototype object contains properties and method that are accessible to all instances created from it.🍰

Inheritance is acheived by linking objects through their prototypes.
Consider Object.create() that we used above. It is an method that creates a new object.

Static Method

(Try😃)

  1. Object.keys()

    Returns an array of a given object's own enumerable property names.

    TL;DR Object.keys() method will return list of keys.

    NOTE: Own enumerable refers to the properties of an object that are both owned by the object itself (Not inherited from its property chain)

        const aboutMe= {
            name: "Abhishek",
            age:21
        }
        let aboutMeKeys = Object.keys(aboutMe);
        // Expected Output: [ 'name', 'age' ]
    
  2. Object.values()

    Return an array of a given object's own enumerable property values.

    TL;DR Object.values() method will return list of values.

                const aboutMe= {
                    name: "Abhishek",
                    age:21
                }
                let aboutMeKeys = Object.values(aboutMe);
                // Expected Output: [ 'Abhishek', 21 ]
    
  3. Object.assign()

    Copies the values of all enumerable own properties from one or more source objects to a target object.

        const target = {age: 21}
        const source = {name: "Abhishek"}
        const merged = Object.assign(target, source);
        console.log(merged)
        // Expected Output: { age: 21, name: 'Abhishek' }
    

    Note: You can add any number of source args.

    target will contain the modified object.

        console.log(merged === target)
        // Expected Output: true
    
  4. Object.create()

    Create new object, using an existing object as the prototype.

        const me = {
              name: "Abhishek",
              eatsAppleDaily: false,
              printAbout: function(){
                console.log(`I am ${this.name}. and I ${this.eatsAppleDaily ? "eat" :"don't eat"} 
                                apple daily.`);
              }
            };
    
        // Creating a myFriend Object inheriting from me. 
        const myFriend = Object.create(me); // He is my child now😃.  
    
        myFriend.name = "Ladoo";
        myFriend.eatsAppleDaily = true;
    
        console.log(me.printAbout());
        // Expected Output: I am Abhishek. and I don't eat apple daily.
        console.log(myFriend.printAbout());
        // Expected Output: I am Ladoo. and I eat apple daily.
    
  5. Object.entries()

    Return array of he given object's own enumerable string-keyed property key-value pair😒.

    It returns an array where each element is a key-value pair of the object. Each key-value pair is represented as an array with two elements: the key as the first element and the corresponding value as the second element.

        const me = { name:"Abhishek", age:21 }
        console.log(Object.entries(me))
        // Expected output: [ [ 'name', 'Abhishek' ], [ 'age', 21 ] ]
    
  6. Object.fromEntries()

    Object.fromEntries transforms a list of key-value pairs into an object.

    TL;DR Oppsite of Object.entries().

        const me = [ [ 'name', 'Abhishek' ], [ 'age', 21 ] ]
        console.log(Object.fromEntries(me))
        // Expected output: { name: 'Abhishek', age: 21 }
    
  7. Object.freeze()

    The Object.freeze() is a method that "freezes" an object. 
    

    When you freeze an object, you prevent new properties from being added to it, existing properties from being removed or changed, and also prevent the prototype from being changed.

            const me = { name:"Abhishek", age:21 }
            Object.freeze(me); // Freezing the object
            me.name = "scorcism";
            me.age = 22;
            console.log(me) 
            // Expected output: { name: "Abhishek", age: 21 }
    

    Changes are not affected to the object

  8. Object.isFrozen()

     Determines if the object is frozen
    
        const me = { name:"Abhishek", age:21 }
        Object.freeze(me); 
        console.log(Object.isFrozen(me))
        // Expected output: true
    
  9. Object.seal()

    Object.seal() is a method that "seals" an object.

    Sealing an object prevent new properties from being added to it and marks all existing properties an non-configurable (i.e prevent them from bein deleted or theri attributes from being changed).

         const me = { name:"Abhishek", age:21 }
         Object.seal(me); 
        me.name = "scorcism"; // This change will be affected 
        delete me.age; // This deleting will not take effect
        console.log(me)
        // Expected Output: { name: 'scorcism', age: 21 }
    

    Note: Object.freeze() prevents any changes to the object, while Object.seal() allows changes to existing properties but prevents addition or removal of properties.

  10. Object.isSealed()
    Determines if an object is sealed.

        const me = { name:"Abhishek", age:21 }
         Object.seal(me);   
         console.log(Object.isSealed(me));
         // Expected output: true
    

Inheritance static method

Before moving to instance static methods, Lets get idea of this keyword in object

Suppose we have an Object

    const person = { name: 'Abhishek' };
Enter fullscreen mode Exit fullscreen mode

So If we add a function in the object; this will refer to all the properties of the same object

    const person = { 
        name: 'Abhishek',
        sayMyName: function() {
            return `My name is ${this.name}`;
        }
    };

    console.log(person.sayMyName());
    // Expected Output: My name is Abhishek
Enter fullscreen mode Exit fullscreen mode

As you can observe here, this.name is replaced with the key name value.

Now that you have idea of this keyword usecase, lets continue further

1.. prototype.bind()

The bind() method creates a new function that, when called, has its this keyword set to the provided value.
This is usefull when we want to borrow a method from one object and use it in the context of other object,

    function sayMyName (){
        return `My name is ${this.name}`
    }

    const person = { 
        name: 'Abhishek',
        sayMyName: sayMyName
    };

    console.log(person.sayMyName());
    // Expected Output: My name is Abhishek

    const person2 = {
        name: 'Walter'
    }

    const person2NameFunc = sayMyName.bind(person2);

    console.log(person2NameFunc());
    // Expected Output: My name is Walter

Enter fullscreen mode Exit fullscreen mode

for the person2NameFunc the person object this.name is taken from the person2 object as we have bind the sayMyName function with person2 object.

2.. prototype.call()

The call() method is used to call a function with given this value and arguments provided individaully.

        function introduce(language) {
              console.log(`I code in ${language}. My name is ${this.name}.`);
        }

        const mySelf = {
            name: "Abhishek"
        }

        introduce.call(mySelf, 'Java');
        // Expected output: I code in Java. My name is Abhishek.

Enter fullscreen mode Exit fullscreen mode

Here, the introduce function takes a language argument and logs information about the language and the person's name.

The call() method is used to invoke this function with the mySelf object as the this value, allowing access to its properties.

Unlike bind(), which creates a new function with a specified this value, call() directly invokes the function with the specified this value along with individual arguments.

3.. prototype.apply()

The apply() method is similar to call(), but insted of accepting arguments individually, it accepts arguments as an array.

        function add(...args){
            let sum = args.reduce((acc, curr)=> acc + curr, 0 );
            console.log(sum);
        }
        const numbers = [1,2,3,4,5];
        add.apply(null, numbers)
        // Expected output: 15
Enter fullscreen mode Exit fullscreen mode

When to use call, bind and apply

  • call: Use call when you want to execute a function immediately and specify what this should refer to
  • bind: Use bind when you want to create a new function that, when executed later, has a predeterminf this value
  • apply" Use apply when you have an array of arguments that you want to pass to a function.

PS: The reason to use my name everywhere is that, while reading, whenever you see my name, you will tend to try it with your name too

These are the most common one to use, You can explore more here


If the article helps you, leave a like, follow, or anything 🙂.

You can follow me on LinkedIn, GitHub, Dev.to and hashnode.

Bye🍕

Top comments (23)

Collapse
 
jonrandy profile image
Jon Randy 🎖️ • Edited

You've missed Object.fromEntries as a creation method.

...where each key is a string...

Keys can also be Symbols

Properties of JS object can be accessed using dot notation and bracket notation

True if the key is a string, but if the key is a Symbol, bracket notation must be used.

Consider Object.create() that we used above. It is an method that creates a new object

Also important to note is that you can create an object with no prototype (a null prototype) by passing null as the first (prototype) parameter. This is useful for saving memory, creating enums, or dealing with objects that potentially use names that clash with default object methods.

Collapse
 
heyeasley profile image
heyeasley 🍓🥭 • Edited

Beautiful. It's important to say for novels in models javascript.

Collapse
 
scorcism profile image
Abhishek Pathak

thank you @jonrandy for the feedback. Really appreciate; and will surely change and add the statements.

Collapse
 
bekbrace profile image
Bek Brace

I appreciate your great effort, well done.
However the post is full of errors, please review your code snippets and republish it - we need to be responsible about the quality of information we provide to the audience.
Cheers my friend

Collapse
 
scorcism profile image
Abhishek Pathak

hey bek
thank you for the awesome feedback
yes, I'm also improving the article daily so this can become one stop for the js object reference in dev to.

Collapse
 
bekbrace profile image
Bek Brace

Awesome, my friend !

Collapse
 
yogeshgalav7 profile image
Yogesh Galav • Edited

I think there's a mistake in code of Object.freeze

        const me = { name:"Abhishek", age:21 }
        Object.freeze(me); // Freezing the object
        me.name = "scorcism";
        me.age = 22;
        console.log(me) 
        // Expected output: { name:"Abhishek", age:21 }
Enter fullscreen mode Exit fullscreen mode
Collapse
 
scorcism profile image
Abhishek Pathak

Thank you Yogesh,
Updated

Collapse
 
wangliwen profile image
WangLiwen

That's weird...

Collapse
 
softwaredeveloping profile image
FrontEndWebDeveloping

If you mean the cover image, I agree.

Collapse
 
scorcism profile image
Abhishek Pathak

haha, I am experimenting😅

Thread Thread
 
softwaredeveloping profile image
FrontEndWebDeveloping

Keep it up! There's nothing wrong with it. It's just... unusual. 😄

Collapse
 
scorcism profile image
Abhishek Pathak

hey,
can you elobrate so I can fix and improve.

Collapse
 
mattlewandowski93 profile image
Matt Lewandowski

You had my like just from the cover image 😂. Great article as well

Collapse
 
scorcism profile image
Abhishek Pathak

haha tried something new😄

Collapse
 
surajupadhyay profile image
Suraj Upadhyay

A very good and informative article.

Collapse
 
scorcism profile image
Abhishek Pathak

Thank you suraj

Collapse
 
kgwd07 profile image
Kiran Shrinivas Gudigar

A great consolidation of javascript object

Collapse
 
scorcism profile image
Abhishek Pathak

thank you kiran

Collapse
 
efpage profile image
Eckehard • Edited

You are very unprecise about the use of "new" in 2. Using the new Keyword! See this example:

function About(name, age, city) {
      this.name = name;
      this.age = age;
      this.city = city;
  }   

const me = About("Abhishek", 21, "Mumbai"); 

console.log(name, age) // => Abhishek 21
Enter fullscreen mode Exit fullscreen mode

"new" creates an object containing an internal "this". If you omit "new", this is the global context, so your properties are created outside of your object.

Using or not using "new" will lead to very hard to track errors. If you use "new" only 1,8% of the time, 98,2% your code will not work as expected.

Image description

Collapse
 
scorcism profile image
Abhishek Pathak

Thank you eckehard for you feedback.
Will update the post,
those percentages i have put are for the methods you will use for creating objects😀

Collapse
 
jonrandy profile image
Jon Randy 🎖️

Using new to create an instance of an object is very common. It's pretty much the basis of how OOP works in JS.

Collapse
 
devh0us3 profile image
Alex P

Why you didn't review the valueOf?
That allows you to create "smart" & "magic" numbers or something else

Example:

Image description