ES9 – New Features

ES9 – New Features ”; Previous Next Here, we will learn about the new features in ES9. Let us begin by understanding about the asynchronous generators. Asynchronous Generators and Iteration Asynchronous generators can be made asynchronous by using the async keyword. The syntax for defining an async generator is given below − async function* generator_name() { //statements } Example Following example shows an async generator which returns Promise on each call to the next() method of generator. <script> async function* load(){ yield await Promise.resolve(1); yield await Promise.resolve(2); yield await Promise.resolve(3); } let l = load(); l.next().then(r=>console.log(r)) l.next().then(r=>console.log(r)) l.next().then(r=>console.log(r)) l.next().then(r=>console.log(r)) </script> The output of the above code will be as follows − {value: 1, done: false} {value: 2, done: false} {value: 3, done: false} {value: undefined, done: true} for await of loop Asynchronous iterables cannot be iterated using the traditional for..of loop syntax as they return promises. ES9 introduces the for await of loop to support asynchronous iteration. The syntax for using the for await of loop is given below, where, On each iteration a value of a different property is assigned to variable and a variable may be declared with const, let, or var. iterable − Object whose iterable properties are to be iterated over. for await (variable of iterable) { statement } Example The following example shows the use of for await of loop to iterate an async generator. <script> async function* load(){ yield await Promise.resolve(1); yield await Promise.resolve(2); yield await Promise.resolve(3); } async function test(){ for await (const val of load()){ console.log(val) } } test(); console.log(”end of script”) </script> The output of the above code will be as shown below − end of script 1 2 3 Example The following example iterates an array using the for await of loop. <script> async function fntest(){ for await (const val of [10,20,30,40]){ console.log(val) } } fntest(); console.log(”end of script”) </script> The output of the above code will be as follows − end of script 10 20 30 40 Rest/Spread Properties ES9 supports the use of Rest and Spread operators with Objects. Example: Object and Rest Operator The following example shows the use of rest operator with an object. The value of age property of student is copied into the age variable while the values of the remaining properties are copied into the other variable using the rest syntax `…`. <script> const student = { age:10, height:5, weight:50 } const {age,…other} = student; console.log(age) console.log(other) </script> The output of the above code will be as given below − 10 {height: 5, weight: 50} Example: Object and Spread operator The spread operator can be used to combine multiple objects or cloning objects. This is shown in the following example − <script> //spread operator const obj1 = {a:10,b:20} const obj2={c:30} //clone obj1 const clone_obj={…obj1} //combine obj1 and obj2 const obj3 = {…obj1,…obj2} console.log(clone_obj) console.log(obj3) </script> The output of the above code will be as stated below − {a: 10, b: 20} {a: 10, b: 20, c: 30} Promise: finally() The finally() is executed whenever a promise is settled, regardless of its outcome. This function returns a promise. It can be used to avoid code duplication in both the promise”s then() and catch() handlers. Syntax The below mentioned syntax is for the function finally(). promise.finally(function() { }); promise.finally(()=> { }); Example The following example declares a async function that returns the square of a positive number after a delay of 3 seconds. The function throws an error if a negative number is passed. The statements in the finally block is executed in either case, whether the promise is rejected or resolved. <script> let asyncSquareFn = function(n1){ return new Promise((resolve,reject)=>{ setTimeout(()=>{ if(n1>=0){ resolve(n1*n1) } else reject(”NOT_POSITIVE_NO”) },3000) }) } console.log(”Start”) asyncSquareFn(10)//modify to add -10 .then(result=>{ console.log(“result is”,result) }).catch(error=>console.log(error)) .finally(() =>{ console.log(“inside finally”) console.log(“executes all the time”) }) console.log(“End”); </script> The output of the above code will be as shown below Start End //after 3 seconds result is 100 inside finally executes all the time Template Literal revision As of ES7, tagged templates conform to the rules of the following escape sequences − Unicode escape sequences are represented using “u”, for example u2764uFE0F Unicode code point escape sequences are represented using “u{}”, for example u{2F} Hexadecimal escape sequences are represented using “x”, for example xA8 Octal literal escape sequences are represented using “” and followed by one or more digits, for example 125 In ES2016 and earlier, if invalid escape sequences are used with tagged functions a Syntax Error will be thrown as shown below − //tagged function with an invalid unicode sequence myTagFn`unicode1` // SyntaxError: malformed Unicode character escape sequence However, unlike the earlier versions, ES9 parses the invalid unicode sequence to undefined and does not throw an error. This is shown in the following example − <script> function myTagFn(str) { return { “parsed”: str[0] } } let result1 =myTagFn`unicode1` //invalid unicode character console.log(result1) let result2 =myTagFn`u2764uFE0F`//valid unicode console.log(result2) </script> The output of the above code will be as shown below − {parsed: undefined} {parsed: “❤️”} Raw Strings ES9 introduces a special property raw, available on the first argument to the tag function. This property allows you to access the raw strings as they were entered, without processing the escape sequences. Example <script> function myTagFn(str) { return { “Parsed”: str[0], “Raw”: str.raw[0] } } let result1 =myTagFn`unicode` console.log(result1) let result2 =myTagFn`u2764uFE0F` console.log(result2) </script> The output of the above code will be as follows − {Parsed:

ES6 – Browsers

ES6 – Browsers ”; Previous Next It is important to understand the differences between different browsers in order to handle each in the way it is expected. So it is important to know which browser your web page is running in. To get information about the browser your webpage is currently running in, use the built-in navigator object. Navigator Properties There are several Navigator related properties that you can use in your webpage. The following is a list of the names and its description. Sr.No Property & Description 1 appCodeName This property is a string that contains the code name of the browser, Netscape for Netscape and Microsoft Internet Explorer for Internet Explorer. 2 appVersion This property is a string that contains the version of the browser as well as other useful information such as its language and compatibility. 3 language This property contains the two-letter abbreviation for the language that is used by the browser. Netscape only. 4 mimTypes[] This property is an array that contains all MIME types supported by the client. Netscape only. 5 platform[] This property is a string that contains the platform for which the browser was compiled. “Win32” for 32-bit Windows operating systems. 6 plugins[] This property is an array containing all the plug-ins that have been installed on the client. Netscape only. 7 userAgent[] This property is a string that contains the code name and version of the browser. This value is sent to the originating server to identify the client. Navigator Methods There are several Navigator-specific methods. Here is a list of their names and descriptions. Sr.No Methods & Description 1 javaEnabled() This method determines if JavaScript is enabled in the client. If JavaScript is enabled, this method returns true; otherwise, it returns false. 2 plugings.refresh This method makes newly installed plug-ins available and populates the plugins array with all new plug-in names. Netscape only 3 preference(name,value) This method allows a signed script to get and set some Netscape preferences. If the second parameter is omitted, this method will return the value of the specified preference; otherwise, it sets the value. Netscape only 4 taintEnabled() This method returns true if data tainting is enabled; false otherwise Browser Detection The following JavaScript code can be used to find out the name of a browser and then accordingly an HTML page can be served to the user. <html> <head> <title>Browser Detection Example</title> </head> <body> <script type = “text/javascript”> <!– var userAgent = navigator.userAgent; var opera = (userAgent.indexOf(”Opera”) ! = -1); var ie = (userAgent.indexOf(”MSIE”) != -1); var gecko = (userAgent.indexOf(”Gecko”) ! = -1); var netscape = (userAgent.indexOf(”Mozilla”) ! = -1); var version = navigator.appVersion; if (opera) { document.write(“Opera based browser”); // Keep your opera specific URL here. } else if (gecko) { document.write(“Mozilla based browser”); // Keep your gecko specific URL here. } else if (ie) { document.write(“IE based browser”); // Keep your IE specific URL here. } else if (netscape) { document.write(“Netscape based browser”); // Keep your Netscape specific URL here. } else { document.write(“Unknown browser”); } // You can include version to along with any above condition. document.write(“<br /> Browser version info : ” + version ); // –> </script> </body> </html> The following output is displayed on successful execution of the above code. Mozilla based browser Browser version info : 5.0 (Windows NT 6.3; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2272.101 Safari/537.36 Print Page Previous Next Advertisements ”;

ES6 – Proxy API

ES6 – Proxy API ”; Previous Next ES6 implements intercession form of meta programming using Proxies. Similar to ReflectAPI, the Proxy API is another way of implementing meta programming in ES6. The Proxy object is used to define custom behavior for fundamental operations. A proxy object performs some operations on behalf of the real object. The various terminologies related to ES6 proxies are given below Sr.No Method & Description 1 handler Placeholder object which contains traps 2 traps The methods that provide property access. This is analogous to the concept of traps in operating systems 1 target Object which the proxy virtualizes. It is often used as storage backend for the proxy. Syntax The syntax stated below is for the Proxy API, where, target can be any sort of object like array, function or another proxy and handler is an object whose properties are functions. This defines the behavior of the proxy. const proxy = new Proxy(target,handler) Handler Methods The handler object contains traps for Proxy. All traps are optional. If a trap has not been defined, the default behavior is to forward the operation to the target. Some common handler methods are as follows − Sr.No Method & Description 1 handler.apply() A trap for a function call. 2 handler.construct() A trap for the new operator. 3 handler.get() A trap for getting property values. 4 handler.set() A trap for setting property values. 5 handler.has() TA trap for the in operator. Print Page Previous Next Advertisements ”;

ES7 – New Features

ES7 – New Features ”; Previous Next This chapter provides knowledge about the new features in ES7. Exponentiation Operator ES7 introduces a new mathematical operator called exponentiation operator. This operator is similar to using Math.pow() method. Exponentiation operator is represented by a double asterisk **. The operator can be used only with numeric values. The syntax for using the exponentiation operator is given below − Syntax The syntax for the exponentiation operator is mentioned below − base_value ** exponent_value Example The following example calculates the exponent of a number using the Math.pow() method and the exponentiation operator. <script> let base = 2 let exponent = 3 console.log(”using Math.pow()”,Math.pow(base,exponent)) console.log(”using exponentiation operator”,base**exponent) </script> The output of the above snippet is as given below − using Math.pow() 8 using exponentiation operator 8 Array Includes The Array.includes() method introduced in ES7 helps to check if an element is available in an array. Prior to ES7, the indexof() method of the Array class could be used to verify if a value exists in an array . The indexof() returns the index of the first occurrence of element in the array if the data is found ,else returns -1 if the data doesn”t exist. The Array.includes() method accepts a parameter, checks if the value passed as parameter exists in the array. This method returns true if the value is found, else returns false if the value doesn”t exist. The syntax for using the Array.includes() method is given below − Syntax Array.includes(value) OR Array.includes(value,start_index) The second syntax checks if the value exists from the index specified. Example The following example declares an array marks and uses the Array.includes() method to verify if a value is present in the array. <script> let marks = [50,60,70,80] //check if 50 is included in array if(marks.includes(50)){ console.log(”found element in array”) }else{ console.log(”could not find element”) } // check if 50 is found from index 1 if(marks.includes(50,1)){ //search from index 1 console.log(”found element in array”) }else{ console.log(”could not find element”) } //check Not a Number(NaN) in an array console.log([NaN].includes(NaN)) //create an object array let user1 = {name:”kannan”}, user2 = {name:”varun”}, user3={name:”prijin”} let users = [user1,user2] //check object is available in array console.log(users.includes(user1)) console.log(users.includes(user3)) </script> The output of the above code will be as stated below − found element in array could not find element true true false Print Page Previous Next Advertisements ”;

ES6 – Debugging

ES6 – Debugging ”; Previous Next Every now and then, developers commit mistakes while coding. A mistake in a program or a script is referred to as a bug. The process of finding and fixing bugs is called debugging and is a normal part of the development process. This chapter covers the tools and techniques that can help you with debugging tasks. Error Messages in IE The most basic way to track down errors is by turning on the error information in your browser. By default, the Internet Explorer shows an error icon in the status bar when an error occurs on the page. Double-clicking this icon takes you to a dialog box showing information about the specific error that has occurred. Since this icon is easy to overlook, Internet Explorer gives you the option to automatically show the Error dialog box whenever an error occurs. To enable this option, select Tools → Internet Options → Advanced tab and then finally check the “Display a NotificationaboutEvery Script Error” box option as shown in the following screenshot. Error Messages in Firefox or Mozilla Other browsers like Firefox, Netscape, and Mozilla send error messages to a special window called the JavaScript Console or Error Console. To view the console, select Tools → Error Console or Web Development. Unfortunately, since these browsers give no visual indication when an error occurs, you must keep the Console open and watch for errors as your script executes. Error Notifications Error notifications that show up on the Console or through Internet Explorer dialog boxes are the result of both syntax and runtime errors. These error notifications include the line number at which the error occurred. If you are using Firefox, then you can click on the error available in the error console to go to the exact line in the script having the error. Debugging a Script There are various ways to debug your JavaScript. Following are some of the methods. Use a JavaScript Validator One way to check your JavaScript code for strange bugs is to run it through a program that checks it to make sure it is valid and that it follows the official syntax rules of the language. These programs are called validating parsers or just validators for short, and often come with commercial HTML and JavaScript editors. The most convenient validator for JavaScript is Douglas Crockford”s JavaScript Lint, which is available for free at Douglas Crockford”s JavaScript Lint. Simply visit the web page, paste your JavaScript (Only JavaScript) code into the text area provided, and click the jslint button. This program will parse through your JavaScript code, ensuring that all the variable and function definitions follow the correct syntax. It will also check JavaScript statements, such as if and while, to ensure they too follow the correct format. Add Debugging Code to Your Program You can use the alert() or document.write() methods in your program to debug your code. For example, you might write something as follows − var debugging = true; var whichImage = “widget”; if( debugging ) alert( “Calls swapImage() with argument: ” + whichImage ); var swapStatus = swapImage( whichImage ); if( debugging ) alert( “Exits swapImage() with swapStatus=” + swapStatus ); By examining the content and order of the alert() as they appear, you can examine the health of your program very easily. Use a JavaScript Debugger A debugger is an application that places all aspects of script execution under the control of the programmer. Debuggers provide fine-grained control over the state of the script through an interface that allows you to examine and set values as well as control the flow of execution. Once a script has been loaded into a debugger, it can be run one line at a time or instructed to halt at certain breakpoints. Once the execution is halted, the programmer can examine the state of the script and its variables in order to determine if something is amiss. You can also watch variables for changes in their values. The latest version of the Mozilla JavaScript Debugger (code-named Venkman) for both Mozilla and Netscape browsers can be downloaded from − www.hacksrus.com/~ginda/venkman. Useful Tips for Developers You can keep the following tips in mind to reduce the number of errors in your scripts and simplify the debugging process − Use plenty of comments. Comments enable you to explain why you wrote the script the way you did and to explain particularly the difficult sections of the code. Always use indentation to make your code easy to read. Indenting statements also makes it easier for you to match up the beginning and ending tags, curly braces, and other HTML and script elements. Write modular code. Whenever possible, group your statements into functions. Functions let you group related statements, and test as well as reuse portions of the code with minimal effort. Be consistent in the way you name your variables and functions. Try using names that are long enough to be meaningful and that describe the contents of the variable or the purpose of the function. Use consistent syntax when naming variables and functions. In other words, keep them all lowercase or all uppercase; if you prefer Camel-Back notation, use it consistently. Test long scripts in a modular fashion. In other words, do not try to write the entire script before testing any portion of it. Write a piece and get it to work before adding the next portion of the code. Use descriptive variable and function names and avoid using single character names. Watch your quotation marks. Remember that quotation marks are used in pairs around strings and that both quotation marks must be of the same style (either single

ES6 – Reflect API

ES6 – Reflect API ”; Previous Next ES6 introduces new features around meta-programming which involves inspecting or modifying the structure of the program, or changing the way things work in the language itself. Following are the three forms of meta programming − Introspection − Introspection means a program gathering information about itself. Some examples of JavaScript operators that are used for introspection are typeof, instanceof etc. Self-modification − Self-modification refers to modifying the structure of a program at runtime. It involves accessing or creating new properties at runtime. In other words, self-modification is when some code modifies itself. Intercession − refers to code modifying the default behavior of a programming language. Intercession involves modifying semantics of the programming language or adding new constructs to the program at runtime. ES6 introduces Reflect Application Programming Interface (Reflect API) and Proxy API that supports meta programming. Meta Programming with Reflect API Reflect API in ES6 allows us to inspect, or modify classes, objects, properties, and methods of a program at runtime. The Reflect API provides global Reflect object which has static methods that can be used for introspection. These methods are used to discover low level information about the code. The Reflect API can be used to build automation testing frameworks that examine and introspect program at runtime. Some commonly used methods of the Reflect object are given below − Sr.No Method & Description 1 Reflect.apply() Calls a target function with arguments as specified by the args parameter 2 Reflect.construct() Equivalent to calling new target(…args) objects of a class 3 Reflect.get() A function that returns the value of properties. 4 Reflect.set() A function that assigns values to properties. Returns a Boolean that is true if the update was successful. 5 Reflect.has() The in operator as function. Returns a Boolean indicating whether an own or inherited property exists. Print Page Previous Next Advertisements ”;

ES6 – Collections

ES6 – Collections ”; Previous Next ES6 introduces two new data structures: Maps and Sets. Maps − This data structure enables mapping a key to a value. Sets − Sets are similar to arrays. However, sets do not encourage duplicates. Maps The Map object is a simple key/value pair. Keys and values in a map may be primitive or objects. Following is the syntax for the same. new Map([iterable]) The parameter iterable represents any iterable object whose elements comprise of a key/value pair. Maps are ordered, i.e. they traverse the elements in the order of their insertion. Map Properties Sr.No Property & Description 1 Map.prototype.size This property returns the number of key/value pairs in the Map object. Understanding basic Map operations The set() function sets the value for the key in the Map object. The set() function takes two parameters namely, the key and its value. This function returns the Map object. The has() function returns a boolean value indicating whether the specified key is found in the Map object. This function takes a key as parameter. var map = new Map(); map.set(”name”,”Tutorial Point”); map.get(”name”); // Tutorial point The above example creates a map object. The map has only one element. The element key is denoted by name. The key is mapped to a value Tutorial point. Note − Maps distinguish between similar values but bear different data types. In other words, an integer key 1 is considered different from a string key “1”. Consider the following example to better understand this concept var map = new Map(); map.set(1,true); console.log(map.has(“1”)); //false map.set(“1”,true); console.log(map.has(“1″)); //true Output false true The set() method is also chainable. Consider the following example. var roles = new Map(); roles.set(”r1”, ”User”) .set(”r2”, ”Guest”) .set(”r3”, ”Admin”); console.log(roles.has(”r1”)) Output True The above example, defines a map object. The example chains the set() function to define the key/value pair. The get() function is used to retrieve the value corresponding to the specified key. The Map constructor can also be passed an array. Moreover, map also supports the use of spread operator to represent an array. Example var roles = new Map([ [”r1”, ”User”], [”r2”, ”Guest”], [”r3”, ”Admin”], ]); console.log(roles.get(”r2”)) The following output is displayed on successful execution of the above code. Guest Note − The get() function returns undefined if the key specified doesn’t exist in the map. The set() replaces the value for the key, if it already exists in the map. Consider the following example. var roles = new Map([ [”r1”, ”User”], [”r2”, ”Guest”], [”r3”, ”Admin”], ]); console.log(`value of key r1 before set(): ${roles.get(”r1”)}`) roles.set(”r1”,”superUser”) console.log(`value of key r1 after set(): ${roles.get(”r1”)}`) The following output is displayed on successful execution of the above code. value of key r1 before set(): User value of key r1 after set(): superUser Map Methods Sr.No Method & Description 1 Map.prototype.clear() Removes all key/value pairs from the Map object. 2 Map.prototype.delete(key) Removes any value associated to the key and returns the value that Map.prototype.has(key) would have previously returned. Map.prototype.has(key) will return false afterwards. 3 Map.prototype.entries() Returns a new Iterator object that contains an array of [key, value] for each element in the Map object in insertion order. 4 Map.prototype.forEach(callbackFn[, thisArg]) Calls callbackFn once for each key-value pair present in the Map object, in insertion order. If a thisArg parameter is provided to forEach, it will be used as the ‘this’ value for each callback . 5 Map.prototype.keys() Returns a new Iterator object that contains the keys for each element in the Map object in insertion order. 6 Map.prototype.values() Returns a new Iterator object that contains an array of [key, value] for each element in the Map object in insertion order. The for…of Loop The following example illustrates traversing a map using the for…of loop. ”use strict” var roles = new Map([ [”r1”, ”User”], [”r2”, ”Guest”], [”r3”, ”Admin”], ]); for(let r of roles.entries()) console.log(`${r[0]}: ${r[1]}`); The following output is displayed on successful execution of the above code. r1: User r2: Guest r3: Admin Weak Maps A weak map is identical to a map with the following exceptions − Its keys must be objects. Keys in a weak map can be Garbage collected. Garbage collection is a process of clearing the memory occupied by unreferenced objects in a program. A weak map cannot be iterated or cleared. Example : Weak Map ”use strict” let weakMap = new WeakMap(); let obj = {}; console.log(weakMap.set(obj,”hello”)); console.log(weakMap.has(obj));// true The following output is displayed on successful execution of the above code. WeakMap {} true Sets A set is an ES6 data structure. It is similar to an array with an exception that it cannot contain duplicates. In other words, it lets you store unique values. Sets support both primitive values and object references. Just like maps, sets are also ordered, i.e. elements are iterated in their insertion order. A set can be initialized using the following syntax. Set Properties Sr.No Property & Description 1 Set.prototype.size Returns the number

ES6 – Math

ES6 – Math ”; Previous Next The math object provides you properties and methods for mathematical constants and functions. Unlike other global objects, Math is not a constructor. All the properties and methods of Math are static and can be called by using Math as an object without creating it. Math Properties Following is a list of all Math properties and its description. Sr.No Property & Description 1 E Euler”s constant and the base of natural logarithms, approximately 2.718 2 LN2 Natural logarithm of 2, approximately 0.693 3 LN10 Natural logarithm of 10, approximately 2.302 4 LOG2E Base 2 logarithm of E, approximately 1.442 5 LOG10E Base 10 logarithm of E, approximately 0.434 6 PI Ratio of the circumference of a circle to its diameter, approximately 3.14159 7 SQRT1_2 Square root of 1/2; equivalently, 1 over the square root of 2, approximately 0.707 8 SQRT2 Square root of 2, approximately 1.414 Exponential Functions The basic exponential function is Math.pow(), and there are convenience functions for square root, cube root, and powers of e, as shown in the following table. Sr.No Function & Description 1 Math.pow(x, y) Returns x raised to the power y 2 Math.sqrt(x) Returns the square root of the number x 3 Math.cbrt(x) This method returns the cube root of a number x 4 Math.exp(x) Equivalent to Math.pow(Math.E, x) 5 Math.expm1(x) Equivalent to Math.exp(x) – 1 6 Math.hypot(x1, x2,…) Returns the square root of the sum of arguments Logarithmic Functions The basic natural logarithm function is Math.log (). In JavaScript, “log” means “natural logarithm.” ES6 introduced Math.log10 for convenience. Sr.No Function & Description 1 Math.log(x) Natural logarithm of x 2 Math.log10(x) Base 10 logarithm of x 3 Math.log2(x) Base 2 logarithm of x 4 Math.log1p(x) Natural logarithm of 1 + x Miscellaneous Algebraic Functions Following is a list of miscellaneous algebraic functions with their description. Sr.No Function & Description 1 Math.abs(x) Absolute value of x 2 Math.sign(x) The sign of x: if x is negative,–1; if x is positive, 1; and if x is 0, 0 3 Math.ceil(x) The ceiling of x: the smallest integer greater than or equal to x 4 Math.floor(x) The floor of x: the largest integer less than or equal to x 5 Math.trunc(x) The integral part of x (all fractional digits are removed) 6 Math.round(x) x rounded to the nearest integer 7 Math.min(x1, x2,…) Returns the minimum argument 8 Math.max((x1, x2,…) Returns the minimum argument Trigonometric Functions All trigonometric functions in the Math library operate on radians, not degrees. Sr.No Function & Description 1 Math.sin(x) Sine of x radians 2 Math.cos(x) Cosine of x radians 3 Math.tan(x) Tangent of x radians 4 Math.asin(x) Inverse sine (arcsin) of x (result in radians) 5 Math.acos(x) Inverse cosine (arccos) of x (result in radians) 6 Math.atan(x) Inverse tangent (arctan) of x (result in radians) 7 Math.atan2(y, x0) Counterclockwise angle (in radians) from the x-axis to the point (x, y) Math.random() The Math.random() function returns a pseudorandom number between 0 (inclusive) and 1 (exclusive). Example: Pseudorandom Number Generation (PRNG) var value1 = Math.random(); console.log(“First Test Value : ” + value1 ); var value2 = Math.random(); console.log(“Second Test Value : ” + value2 ); var value3 = Math.random(); console.log(“Third Test Value : ” + value3 ); var value4 = Math.random(); console.log(“Fourth Test Value : ” + value4 ); Output First Test Value : 0.5782922627404332 Second Test Value : 0.5624510529451072 Third Test Value : 0.9336334094405174 Fourth Test Value : 0.4002739654388279 Print Page Previous Next Advertisements ”;

ES6 – Modules

ES6 – Modules ”; Previous Next Introduction Consider a scenario where parts of JavaScript code need to be reused. ES6 comes to your rescue with the concept of Modules. A module organizes a related set of JavaScript code. A module can contain variables and functions. A module is nothing more than a chunk of JavaScript code written in a file. By default, variables and functions of a module are not available for use. Variables and functions within a module should be exported so that they can be accessed from within other files. Modules in ES6 work only in strict mode. This means variables or functions declared in a module will not be accessible globally. Exporting a Module The export keyword can be used to export components in a module. Exports in a module can be classified as follows − Named Exports Default Exports Named Exports Named exports are distinguished by their names. There can be several named exports in a module. A module can export selected components using the syntax given below − Syntax 1 //using multiple export keyword export component1 export component2 … … export componentN Syntax 2 Alternatively, components in a module can also be exported using a single export keyword with {} binding syntax as shown below − //using single export keyword export {component1,component2,….,componentN} Default Exports Modules that need to export only a single value can use default exports. There can be only one default export per module. Syntax export default component_name However, a module can have a default export and multiple named exports at the same time. Importing a Module To be able to consume a module, use the import keyword. A module can have multiple import statements. Importing Named Exports While importing named exports, the names of the corresponding components must match. Syntax import {component1,component2..componentN} from module_name However, while importing named exports, they can be renamed using the as keyword. Use the syntax given below − import {original_component_name as new_component_name } All named exports can be imported onto an object by using the asterisk * operator. import * as variable_name from module_name Importing Default Exports Unlike named exports, a default export can be imported with any name. Syntax import any_variable_name from module_name Example: Named Exports Step 1 − Create a file company1.js and add the following code − let company = “TutorialsPoint” let getCompany = function(){ return company.toUpperCase() } let setCompany = function(newValue){ company = newValue } export {company,getCompany,setCompany} Step 2 − Create a file company2.js. This file consumes components defined in the company1.js file. Use any of the following approaches to import the module. Approach 1 import {company,getCompany} from ”./company1.js” console.log(company) console.log(getCompany()) Approach 2 import {company as x, getCompany as y} from ”./company1.js” console.log(x) console.log(y()) Approach 3 import * as myCompany from ”./company1.js” console.log(myCompany.getCompany()) console.log(myCompany.company) Step 3 − Execute the modules using an HTML file To execute both the modules we need to make a html file as shown below and run this in live server. Note that we should use the attribute type=”module” in the script tag. <!DOCTYPE html> <html lang=”en”> <head> <meta charset=”UTF-8″> <meta name=”viewport” content=”width=device-width, initial-scale=1.0″> <meta http-equiv=”X-UA-Compatible” content=”ie=edge”> <title>Document</title> </head> <body> <script src=”./company2.js” type=”module”></script> </body> </html> The output of the above code will be as stated below − TutorialsPoint TUTORIALSPOINT Default Export Step 1 − Create a file company1.js and add the following code − let name = ”TutorialsPoint” let company = { getName:function(){ return name }, setName:function(newName){ name = newName } } export default company Step 2 − Create a file company2.js. This file consumes the components defined in the company1.js file. import c from ”./company1.js” console.log(c.getName()) c.setName(”Google Inc”) console.log(c.getName()) Step 3 − Execute the modules using an HTML file To execute both the modules we need to make an html file as shown below and run this in live server. Note that we should use the attribute type=”module” in the script tag. <!DOCTYPE html> <html lang=”en”> <head> <meta charset=”UTF-8″> <meta name=”viewport” content=”width=device-width, initial-scale=1.0″> <meta http-equiv=”X-UA-Compatible” content=”ie=edge”> <title>Document</title> </head> <body> <script src=”./company2.js” type=”module”></script> </body> </html> The output of the above code will be as mentioned below − TutorialsPoint Google Inc Example: Combining Default and Named Exports Step 1 − Create a file company1.js and add the following code − //named export export let name = ”TutorialsPoint” let company = { getName:function(){ return name }, setName:function(newName){ name =newName } } //default export export default company Step 2 − Create a file company2.js. This file consumes the components defined in the company1.js file. Import the default export first, followed by the named exports. import c, {name} from ”./company1.js” console.log(name) console.log(c.getName()) c.setName(“Mohtashim”) console.log(c.getName()) Step 3 − Execute the modules using an HTML file <!DOCTYPE html> <html lang=”en”> <head> <meta charset=”UTF-8″> <meta name=”viewport” content=”width=device-width, initial-scale=1.0″> <meta http-equiv=”X-UA-Compatible” content=”ie=edge”> <title>Document</title> </head> <body> <script src=”company2.js” type=”module”></script> </body> </html> The output of the above code will be as shown below − TutorialsPoint TutorialsPoint Mohtashim Print Page Previous Next Advertisements ”;

ES6 – Object Extensions

ES6 – Object Extensions ”; Previous Next String extension Some popular methods added to the String object in ES6 are − Sr.No Method & Description 1 str.startsWith(searchString[, position]) determines whether a string begins with the characters of a specified string. Returns true or false 2 str.endsWith(searchString[, length]) determines whether a string ends with the characters of a specified string. Returns true/false 3 str.includes(searchString[, position]) determines whether one string may be found within another string 4 str.repeat(count) constructs and returns a new string which contains the specified number of copies of the string on which it was called, concatenated together Regex extensions In a regular expression, for example, /[A-Z]/g, the beginning and ending / are called delimiters. Anything after the closing delimiter is called a modifier. ES6 adds a new modifier /g where g stands for global. This match all instances of the pattern in a string, not just one. Example The following example searches and returns all upper-case characters in the string. <script> let str = ”JJavascript is Fun to Work , very Fun ” let regex = /[A-Z]/g // g stands for global matches let result = str.match(regex); console.log(result) </script> The output of the above code will be as given below − [“J”, “J”, “F”, “W”, “F”] Regular expression searches are case-sensitive. To turn-off case-sensitivity, use the /i modifier. Example The following example performs a case insensitive global match. The example replaces fun with enjoyable. <script> // /gi global match ignore case let str = ”Javascript is fun to Work , very Fun ” let regex = /Fun/gi; console.log(str.replace(regex,”enjoyable”)); console.log(str) console.log(str.search(regex)) </script> The output of the above code will be as shown below − Javascript is enjoyable to Work , very enjoyable Javascript is fun to Work , very Fun 15 Number Some popular methods added to the Number object in ES6 are − Sr.No Method & Description 1 Number.isFinite(value) method determines whether the passed value is a finite number. Returns true/false. 2 Number.isNaN(value) returns true if the given value is NaN and its type is Number; otherwise, false. 3 Number.parseFloat(string) A floating-point number parsed from the given value. If the value cannot be converted to a number, NaN is returned. 4 Number.parseInt(string,[ radix]) method parses a string argument and returns an integer of the specified radix or base. Math Some popular methods added to the Math object in ES6 are − Sr.No Method & Description 1 Math.sign() function returns the sign of a number, indicating whether the number is positive, negative or zero. 2 Math.trunc() function returns the integer part of a number by removing any fractional digits. Methods of Array in ES6 The table given below highlights the different array methods in ES6 along with the description. Sr.No Method & Description 1 copyWithin() shallow copies part of an array to another location in the same array and returns it without modifying its length. 2 entries() method returns a new Array Iterator object that contains the key/value pairs for each index in the array. 3 find() method returns the value of the first element in the array that satisfies the provided testing function. Otherwise undefined is returned.. 4 fill() method fills all the elements of an array from a start index to an end index with a static value. It returns the modified array. 5 Array.of() method creates a new Array instance from a variable number of arguments, regardless of number or type of the arguments. 6 Array.from() method creates a shallow copy from an array like or iterable object. Object Methods related to Object function are mentioned below in the table along with the respective description. Sr.No Method & Description 1 Object.is() method determines whether two values are the same value 2 Object.setPrototypeOf() method sets the prototype of a specified object to another object or null. 3 Object.assign() method is used to copy the values of all enumerable own properties from one or more source objects to a target object. It will return the target object. Print Page Previous Next Advertisements ”;