Teachnique
      CourseRoadmaps
      Login

      OverviewPlacementSyntaxHello WorldConsole.log()CommentsVariableslet StatementConstantsData TypesType ConversionsStrict ModeReserved Keywords

      OperatorsArithmetic OperatorsComparison OperatorsLogical OperatorsBitwise OperatorsAssignment OperatorsConditional Operatorstypeof OperatorNullish Coalescing OperatorDelete OperatorComma OperatorGrouping OperatorYield OperatorSpread OperatorExponentiation OperatorOperator Precedence

      If...ElseWhile LoopsFor LoopFor...in LoopFor...of LoopLoop ControlBreak StatementContinue StatementSwitch CaseUser Defined Iterators

      FunctionsFunction ExpressionsFunction ParametersDefault ParametersFunction() ConstructorFunction HoistingArrow FunctionsFunction InvocationFunction call() MethodFunction apply() MethodFunction bind() MethodClosuresVariable ScopeGlobal VariablesSmart Function Parameters

      NumberBooleanStringsArraysDateMathRegExpSymbolSetsWeakSetMapsWeakMapIterablesReflectTypedArrayTempate LiteralsTagged Templates

      Objects OverviewClassesObject PropertiesObject MethodsStatic MethodsDisplay ObjectsObject AccessorsObject ConstructorsNative PrototypesES5 Object MethodsEncapsulationInheritanceAbstractionPolymorphismDestructuring AssignmentObject DestructuringArray DestructuringNested DestructuringOptional ChainingGlobal ObjectMixinsProxies

      HistoryVersionsES5ES6ECMAScript 2016ECMAScript 2017ECMAScript 2018ECMAScript 2019ECMAScript 2020ECMAScript 2021ECMAScript 2022

      CookiesCookie AttributesDeleting Cookies

      Browser Object ModelWindow ObjectDocument ObjectScreen ObjectHistory ObjectNavigator ObjectLocation ObjectConsole Object

      Web APIHistory APIStorage APIForms APIWorker APIFetch APIGeolocation API

      EventsDOM Events

      Feedback

      Submit request if you have any questions.

      Course
      Native Prototypes

      JavaScript Tutorial

      This JavaScript tutorial is crafted for beginners to introduce them to the basics and advanced concepts of JavaScript. By the end of this guide, you'll reach a proficiency level that sets the stage for further growth. Aimed at empowering you to progress towards becoming a world-class software developer, this tutorial paves the way for a successful career in web development and beyond.

      Native Prototypes

      Native Prototypes

      The native prototypes in JavaScript are property of Object.prototype object. The prototypes are the mechanism by which the objects inherit features from one another.
      In JavaScript, each object contains the prototype property. The prototype of each object contains the methods and properties related to the object. So, it is also called the native prototype.
      However, you can update or add new methods and properties to the native prototype object, but you can't delete any already existing.
      The JavaScript object and object constructor are the main prerequisites to understand JavaScript native prototypes.

      Syntax

      You can follow the syntax below to access the native prototype of the object.
      Object.prototype;
      In the above syntax, the object can be any JavaScript object.

      Example: Accessing the array's prototype

      Whenever you execute the below code in the browser, it will print the prototype of the array in the browser console. In the same way, you can check the prototype of the other objects.
      In the console, you can see that the prototype object contains the methods which you can use with array methods.
      <html>
      <body>
      <script>
      console.log(Array.prototype);
      </script>
      <p>Please open the web console before executing the above program.</p>
      </body>
      </html>

      Output

      On running the above program, you will see the result in web console similar to the following screenshot
      

      Updating the Native Prototype

      You can update the existing method or property of the native prototype object or add a new method or property to the native prototype object.

      Syntax

      You can follow the syntax below to update or add new properties or methods to the prototype object.
      objName.prototype.name = value
      In the above syntax, objName is an object whose prototype you need to update.
      The 'name' is a method or property name. You can assign new values or function expressions to the 'name’.

      Example: Updating the toLowerCase() method of the string object's prototype

      The prototype of the String object contains the toLowerCase() method. Here, we update the toLowerCase() method.
      The updated toLowerCase() method returns the string in the uppercase. In the output, you can observe the string, which is in uppercase.
      In this way, you can update the functionality of the built-in methods of the object.
      <html>
      <body>
      <p id = "output">After updating the string.toLowerCase() method: </p>
      <script>
      String.prototype.toLowerCase = function () {
      return this.toUpperCase();
      }
      let str = "Hello World";
      document.getElementById("output").innerHTML += str.toLowerCase();
      </script>
      </body>
      </html>

      Output

      After updating the string.toLowerCase() method: HELLO WORLD
      You shouldn't update the methods and properties of the native prototype object. However, you can add new as shown in the example below.

      Example: Adding a new method to the prototype object

      You can also add a new method to the Object prototype. Here, we added the firstCase() method in the object prototype.
      The firstCase() method returns a string after converting the string's first character to the uppercase.
      <html>
      <body>
      <p id = "output">After executing the string.firstCase() method: </p>
      <script>
      String.prototype.firstCase = function () {
      // First character in uppercase. Other characters in lowercase.
      return this.charAt(0).toUpperCase() + this.slice(1).toLowerCase();
      }
      let str = "hello world";
      document.getElementById("output").innerHTML += str.firstCase();
      </script>
      </body>
      </html>

      Output

      After executing the string.firstCase() method: Hello world

      Adding a method to the constructor function

      Whenever you define an object using the constructor function, you can't add a method or property to the constructor function using its instance. So, you need to add the method to the constructor function prototype. So it can be accessible through all instances of the object.

      Example

      In the example below, the Person() is a constructor function that initializes object properties.
      After that, we added the display() method to the prototype of the person() function.
      Next, we created two instances of the Person() function and used the display() method with them. So, methods and properties added in the prototype of the object constructor can be accessed through all instances of the constructor function.
      <html>
      <body>
      <p id = "demo"> </p>
      <script>
      const output = document.getElementById("demo");
      
      function Person(id, name) {
      this.id = id;
      this.name = name;
      }
      Person.prototype.display = function () {
      output.innerHTML += this.id + ", " + this.name + "<br>";
      }
      const p1 = new Person(1, "James");
      const p2 = new Person(2, "Nayan");
      p1.display();
      p2.display();
      </script>
      </body>
      </html>

      Output

      1, James
      2, Nayan
      All instances of the object inherit the properties and methods from their parent's prototype.

      JavaScript Prototype Chaining

      Simply, you can say that the prototype stores the default values of the properties. The code overrides the prototype property value if the object constructor and its prototype contain the same properties.

      Example

      In the below code, the Person() function contains the name property. We have added the name and age property in the function's prototype.
      We have created the p1 object using the Person() constructor function. The value of the name property of the p1 object is 'Nayan' as the name already exists in the constructor. The value of the age property is 20, which is the same as the age property value in the prototype.
      <html>
      <body>
      <p id = "output"> </p>
      <script>
      function Person(id, name) {
      this.id = id;
      this.name = name;
      }
      
      Person.prototype.name = "John";
      Person.prototype.age = 20;
      
      const p1 = new Person(1, "Adam");
      document.getElementById("output").innerHTML =
      "Id: " + p1.id + ", Name: " + p1.name + ", Age: " + p1.age;
      </script>
      </body>
      </html>

      Output

      Id: 1, Name: Adam, Age: 20