Jump to content

JavaScript syntax: Difference between revisions

From Wikipedia, the free encyclopedia
Content deleted Content added
→‎While loop: numbering
Line 871: Line 871:
<source lang="JavaScript">
<source lang="JavaScript">
do {
do {
statement;
statement1;
statement;
statement2;
statement;
statement3;
...
...
} while (condition);
} while (condition);

Revision as of 05:35, 24 July 2010

Template:JavaScriptSidebar

The syntax of JavaScript is the set of rules that define a correctly structured JavaScript program.

information Note: The examples below make use of the alert function for standard text output. The JavaScript standard library lacks an official standard text output function. However, given that JavaScript is mainly used for client-side scripting within modern web browsers, and that almost all web browsers provide the alert function, alert is used in the examples.

Origin of Syntax

Brendan Eich summarized the ancestry of the syntax in the first paragraph of the JavaScript 1.1 specification as follows:

JavaScript borrows most of its syntax from Java, but also inherits from Awk and Perl, with some indirect influence from Self in its object prototype system.

Syntax Basics

Case sensitivity

JavaScript is case sensitive. It is common to start the name of a constructor with a capitalised letter, and the name of a function or variable with a lower-case letter.

Whitespace and semicolons

Spaces, tabs and newlines used outside of string constants are called whitespace. Unlike C, whitespace in JavaScript source can directly impact semantics. Because of a technique called "semicolon insertion", some statements that are well formed when a newline is parsed will be considered complete (as if a semicolon were inserted just prior to the newline). Programmers are advised to supply statement-terminating semicolons explicitly, although it degrades readability, because it may lessen unintended effects of the automatic semicolon insertion.[1]

return
a + b;

// Returns undefined. Treated as:
//   return;
//   a + b;

But:

a = b + c
(d + e).foo()

// Treated as:
//   a = b + c(d + e).foo();

Comments

Comment syntax is the same as in C++ and many other languages.

// a short, one-line comment

/* this is a long, multi-line comment
   about my script. May it one day
   be great. */

Note that JavaScript explicitly forbids nesting of comments, e.g.

/* You can't do
   /* this */
*/
/* But you can
//Do this.
*/

// And you can /* also do this */


// As /* well /* as this */ */

Variables

Variables in standard JavaScript have no type attached, and any value can be stored in any variable. Variables can be declared with a var statement. These variables are lexically scoped and once a variable is declared, it may be accessed anywhere inside the function where it is declared. Variables declared outside any function, and variables first used within functions without being declared with 'var', are global. Here is an example of variable declarations and global values:

x = 0; // A global variable
var y = 'Hello!'; // Another global variable
 
function f(){
  var z = 'foxes'; // A local variable
  twenty = 20; // Global because keyword var is not used
  return x; // We can use x here because it is global
}
// The value of z is no longer available

Primitive data types

The JavaScript language provides a handful of primitive data types. Some of the primitive data types also provide a set of named values that represent the extents of the type boundaries. These named values are described within the appropriate sections below.

Undefined

The value of "undefined" is assigned to all uninitialized variables, and is also returned when checking for object properties that do not exist. In a Boolean context, the undefined value is considered a false value.

Note: Undefined is considered a true primitive-type. As such, when performing checks that enforce type checking, the undefined value will not equal other false types.

var test;                  // variable declared but not defined, ...
                           // ... set to value of undefined
var testObj = {};  
alert(test);               // test variable exists but value not ...
                           // ... defined, displays undefined
alert(testObj.myProp);     // testObj exists, property does not, ...
                           // ... displays undefined
alert(undefined == null);  // unenforced type during check, displays true
alert(undefined === null); // enforce type during check, displays false

Note: There is no built-in language literal for undefined. Thus (x == undefined) is not a foolproof way to check whether a variable is undefined, because it is legal for someone to write var undefined = "I'm defined now";. A more robust comparison can be made using (typeof x == 'undefined') or a function like this:

function isUndefined(x) { var u; return x === u; }

or

function isUndefined(x) { return x === void(0); }

Null

Unlike undefined, null is often set to indicate that something has been declared but has been defined to be empty. In a Boolean context, the value of null is considered a false value in JavaScript.

Note: Null is a true primitive-type within the JavaScript language, of which null (note case) is the single value. As such, when performing checks that enforce type checking, the null value will not equal other false types.

alert(null == undefined);  // unenforced type during check, displays true
alert(null === undefined); // enforce type during check, displays false

Number

Numbers are represented in binary as IEEE-754 Doubles, which provides an accuracy to about 14 or 15 significant digits JavaScript FAQ, Numbers. Because they are floating point numbers, they do not always exactly represent real numbers, including fractions.

This becomes an issue when formatting numbers. For example:

alert(0.94 - 0.01); // displays 0.9299999999999999

As a result, a routine such as the toFixed() method should be used to round numbers whenever they are formatted for output.

Numbers may be specified in any of these notations:

345;    // an "integer", although there is only one numeric type in JavaScript
34.5;   // a floating-point number
3.45e2; // another floating-point, equivalent to 345
0377;   // an octal integer equal to 255
0xFF;   // a hexadecimal integer equal to 255, digits represented by the ...
        // ... letters A-F may be upper or lowercase

In some ECMAScript implementations such as ActionScript, RGB color values are sometimes specified with hexadecimal integers:

var colorful = new Color( '_root.shapes' );
colorful.setRGB( 0x003366 );

The extents of the number type may also be described by named constant values:

Infinity;  // Construct equivalent to positive Infinity
-Infinity; // Negated Infinity construct, equal to negative Infinity
NaN;       // The Not-A-Number value, often returned as a failure in ...
           // ... string-to-number conversions

The Number constructor, or a unary + or -, may be used to perform explicit numeric conversion:

var myString = "123.456";
var myNumber1 = Number( myString );
var myNumber2 = + myString;

When used as a constructor, a numeric wrapper object is created, (though it is of little use):

myNumericWrapper = new Number( 123.456 );

String

A String in Javascript is a sequence of characters. Strings in JavaScript can be created directly by placing the series of characters between double or single quotes.

var greeting = "Hello, world!";
var another_greeting = 'Greetings, people of Earth.';

Strings are instances of the String class:

var greeting = new String("Hello, world!");

You can access individual characters within a string using the charAt() method (provided by String.prototype). This is the preferred way when accessing individual characters within a string, as it also works in non-Mozilla-based browsers:

var h = greeting.charAt(0); // Now h contains 'H' - Works in both ...
                            // ... Internet Explorer and Mozilla ...
                            // ... based browsers

In Mozilla based browsers, individual characters within a string can be accessed (as strings with only a single character) through the same notation as arrays:

var h = greeting[0]; // Now h contains 'H' - Works in Mozilla based browsers

But JavaScript strings are immutable:

greeting[0] = "H"; // ERROR

Applying the equality operator ("==") to two strings returns true if the strings have the same contents, which means: of same length and same cases (for alphabets). Thus:

var x = "world";
var compare1 = ("Hello, " + x == "Hello, world"); // Now compare1 contains true
var compare2 = ("Hello, " + x == "hello, world"); // Now compare2 contains  ...
                                                  // ... false since the ...
                                                  // ... first characters ...
                                                  // ... of both operands ...
                                                  // ... are not of the same case

You cannot use quotes of the same type inside the quotes unless they are escaped.

var x = '"Hello, world!" he said.' //Just fine.
var x = ""Hello, world!" he said." //Not good.
var x = "\"Hello, world!\" he said." //That works by replacing " with \"

Boolean

JavaScript provides a Boolean data type with true and false literals. The typeof operator returns the string "boolean" for these primitives. In a logical context, automatic type coercion evaluates 0, -0, null, NaN, undefined or the empty string ("") as false. Everything else evaluates as true, including the strings "0", "false" and all objects. Automatic coercion can sometimes be avoided by using the type checked comparison operators, (=== and !==).

// Automatic type coercion
alert(true == 1);      // true.... Only ±0 and NaN are false Numbers.
alert(true == "0");    // true.... Only the empty String is false.

// Type checked comparison
alert(true === 1);     // false... The data types don't match.
alert(true === "0");   // false... The data types don't match.

The binary logical operators returned a Boolean value in early versions of JavaScript, but now they return one of the operands instead. The left–operand is returned if it can be evaluated as: false, in the case of conjunction (a && b), or true, in the case of disjunction (a || b); otherwise the right–operand is returned. An expression can be explicitly cast to a Boolean primitive by: doubling the logical negation operator (!!), using the Boolean() function, or using the conditional operator (c ? t : f).

alert({} || null);      // Object {}... Any Object is true.
alert(!0 && null);      // null........ The negation of zero is true.
alert(!undefined);      // true........ The negation of undefined is true.
alert(true === !!"0");  // true........ Double negation of a non–empty String is both true and Boolean.
alert("" ? "T" : "F");  // "F"......... The empty String is false.
alert(Boolean("false"));// true........ A non–empty String is true.
alert(typeof Boolean());// "boolean"... A missing parameter is undefined and thus false.

The new operator can be used to create an object wrapper for a Boolean primitive. However, the typeof operator does not return "boolean" for the object wrapper, it returns "object". Because all objects evaluate as true, a method such as .valueOf(), or .toString(), must be used to retrieve the wrapped value. For explicit coercion to the Boolean type, Mozilla recommends that the Boolean() function (without new) be used in preference to the Boolean object.

var b = new Boolean(false);   // Object  false {}
var t = Boolean(b);           // Boolean true
var f = Boolean(b.valueOf()); // Boolean false
var n = new Boolean(b);       // Not recommended
n = new Boolean(b.valueOf()); // Preferred

if ( 0 || -0 || "" || null || undefined || b.valueOf() || !new Boolean() || !t ) {
    alert("Never this");
} else if ( [] && {} && b && typeof b === "object" && b.toString() === "false" ) {
    alert("Always this");
}

Native Objects

The JavaScript language provides a handful of native objects. JavaScript native objects are considered part of the JavaScript specification. JavaScript environment notwithstanding, this set of objects should always be available.

Array

An Array is a native JavaScript type specifically designed to store data values indexed by integer keys. Arrays, unlike the basic Object type, are prototyped with methods and properties to aid the programmer in routine tasks (e.g., join, slice, and push).

As in the C family, arrays use a zero-based indexing scheme: A value that is inserted into an empty array by means of the push method occupies the 0th index of the array.

var myArray = [];            // Point the variable myArray to a newly ...
                             // ... created, empty Array
myArray.push("hello world"); // Fill the next empty index, in this case 0
alert(myArray[0]);           // Equivalent to alert("hello world");

Arrays have a length property that is guaranteed to always be larger than the largest integer index used in the array. It is automatically updated if one creates a property with an even larger index. Writing a smaller number to the length property will remove larger indices.

Elements of Arrays may be accessed using normal object property access notation:

myArray[1];   //this gives you the 2nd item in myArray
myArray["1"];

The above two are equivalent. It's not possible to use the "dot"-notation or strings with alternative representations of the number:

myArray.1;     // syntax error
myArray["01"]; // not the same as myArray[1]

Declaration of an array can use either an Array literal or the Array constructor:

myArray = [0,1,,,4,5];            // array with length 6 and 6 elements, ...
                                  // ... including 2 undefined elements
myArray = new Array(0,1,2,3,4,5); // array with length 6 and 6 elements
myArray = new Array(365);         // an empty array with length 365

Arrays are implemented so that only the elements defined use memory; they are "sparse arrays". Setting myArray[10] = 'someThing' and myArray[57] = 'somethingOther' only uses space for these two elements, just like any other object. The length of the array will still be reported as 58.

You can use the object declaration literal to create objects that behave much like associative arrays in other languages:

dog = {"color":"brown", "size":"large"};
dog["color"]; // this gives you "brown"
dog.color;    // this also gives you "brown"

You can use the object and array declaration literals to quickly create arrays that are associative, multidimensional, or both.

cats = [{"color":"brown", "size":"large"},
        {"color":"black", "size":"small"}];
cats[0]["size"];      // this gives you "large"

dogs = {"rover":{"color":"brown", "size":"large"},
        "spot":{"color":"black", "size":"small"}};
dogs["spot"]["size"]; // this gives you "small"
dogs.rover.color;     // this gives you "brown"

Date

A Date object stores a signed millisecond count with zero representing 1970-01-01 00:00:00 UT and a range of ±108 days. One can create a Date object representing "now":

var d = new Date();

Initial value of Date object is current date and time. Other ways to construct a Date instance:

var d = new Date(2010,4,5);          // create a new Date instance with value:
                                     //     2010-4-5 00:00:00
var d = new Date(2010,4,5,14,25,30); // create a new Date instance with value:
                                     //     2010-4-5 14:25:30

Format the display of a Date instance:

var d = new Date(2010,5,6,14,25,30); // May,2010
var display = d.getFullYear() + '-' + (d.getMonth()+1) + '-' + d.getDate()
            + ' ' + d.getHours() + ':' + d.getMinutes() + ':' + d.getSeconds();
alert(display);                      // Displays '2010-5-6 14:25:30'

Construct from a String:

var d = new Date("2010-4-6 14:25:30");
alert(d);

Error

Custom error messages can be created using the Error class:

throw new Error("What the...");

Nested within conditional statements, such instantiations can substitute for try/catch blocks:

var eMail = prompt("Please enter your e-mail address:", "");
if (!eMail || eMail.length == 0)
{
	throw new Error("Excuse me: You must enter your e-mail address to continue.");
}

Math

The Math object contains various math-related constants (e.g. π) and functions (e.g. cosine). (Note the "Math" object has no constructor, unlike Array or Date. All its methods are "static" aka "class" methods.) All the trigonometric functions use angles expressed in radians; not degrees or grads.

Properties of the Math object
Property Value Returned
rounded to 5 digits
Description
Math.E 2.7183 e: Euler's number
Math.LN2 0.69315 Natural logarithm of 2
Math.LN10 2.3026 Natural logarithm of 10
Math.LOG2E 1.4427 Logarithm to the base 2 of e
Math.LOG10E 0.43429 Logarithm to the base 10 of e
Math.PI 3.14159 π: circumference/diameter of a circle
Math.SQRT1_2 0.70711 Square root of ½
Math.SQRT2 1.4142 Square root of 2
Methods of the Math object
Example Value Returned
rounded to 5 digits
Description
Math.abs(-2.3) 2.3 Absolute value: (x < 0) ? -x : x
Math.acos(Math.SQRT1_2) 0.78540 rad. = 45° Arccosine
Math.asin(Math.SQRT1_2) 0.78540 rad. = 45° Arcsine
Math.atan(1) 0.78540 rad. = 45° Half circle arctangent (-π/2 to +π/2)
Math.atan2(-3.7, -3.7) -2.3562 rad. = -135° Whole circle arctangent (-π to +π)
Math.ceil(1.1) 2 Ceiling: round up to smallest integer ≥ argument
Math.cos(Math.PI/4) 0.70711 Cosine
Math.exp(1) 2.7183 Exponential function: e raised to this power
Math.floor(1.9) 1 Floor: round down to largest integer ≤ argument
Math.log(Math.E) 1 Natural logarithm, base e
Math.max(1, -2) 1 Maximum: (x > y) ? x : y
Math.min(1, -2) -2 Minimum: (x < y) ? x : y
Math.pow(-3, 2) 9 Exponentiation (raised to the power of): Math.pow(x, y) gives xy
Math.random() 0.17068 Pseudorandom number between 0 (inclusive) and 1 (exclusive)
Math.round(1.5) 2 Round to the nearest integer; half fractions are rounded up (e.g. 1.5 rounds to 2)
Math.sin(Math.PI/4) 0.70711 Sine
Math.sqrt(49) 7 Square root
Math.tan(Math.PI/4) 1 Tangent

Regular Expression

/expression/.test(string);
"string".search(/expression/);
"string".replace(/expression/,replacement);

// Here are some examples
if(/Tom/.test("My name is Tom")) alert("Hello Tom!");
alert("My name is Tom".search(/Tom/));                    // == 11 (letters before Tom)
alert("My name is Tom".replace(/Tom/,"John"));            // == "My name is John"

Character Classes:

// \d   - digit
// \D   - non digit
// \s   - space
// \S   - non space
// \w   - word char
// \W   - non word
// [ ]  - one of
// [^ ] - one not of
//  -   - range

if(/\d/.test('0'))                   alert('Digit');
if(/[0-9]/.test('5'))                alert('Digit');
if(/[13579]/.test('1'))              alert('Odd number');
if(/\S\S\s\S\S\S\S/.test('My name')) alert('Format OK');
if(/\w\w\w/.test('Tom'))             alert('Format OK');
if(/[a-z]/.test('b'))                alert('Small letter');
if(/[A-Z]/.test('B'))                alert('Big letter');
if(/[a-zA-Z]/.test('B'))             alert('Letter');

Character matching:

// A...Z a...z 0...9  - alphanumeric
// \u0000...\uFFFF    - Unicode hexadecimal
// \x00...\xFF        - ASCII hexadecimal
// \t                 - tab
// \n                 - new line
// \r                 - CR
// .                  - any character
// |                  - OR

if(/T.m/.test('Tom')) alert ('Hi Tom, Tam or Tim');
if(/A|B/.test("A"))   alert ('A or B');

Repeaters:

// ?     - 0 or 1 match
// *     - 0 or more
// +     - 1 or more
// {n}   - exactly n
// {n,}  - n or more
// {0,n}  - n or less
// {n,m} - range n to m

if(/ab?c/.test("ac"))        alert("OK"); // match: "ac", "abc"
if(/ab*c/.test("ac"))        alert("OK"); // match: "ac", "abc", "abbc", "abbbc" etc.
if(/ab+c/.test("abc"))       alert("OK"); // match: "abc", "abbc", "abbbc" etc.
if(/ab{3}c/.test("abbbc"))   alert("OK"); // match: "abbbc"
if(/ab{3,}c/.test("abbbc"))  alert("OK"); // match: "abbbc", "abbbbc", "abbbbbc" etc.
if(/ab{1,3}c/.test("abc"))   alert("OK"); // match: "abc","abbc", "abbbc"

Anchors:

// ^   - string starts with
// $   - string ends with

if(/^My/.test("My name is Tom"))   alert ("Hi!");
if(/Tom$/.test("My name is Tom"))  alert ("Hi Tom!");

Subexpression

// ( )   - groups characters

if(/water(mark)?/.test("watermark"))  alert("Here is water!"); // match: "water", "watermark", 
if(/(Tom)|(John)/.test("John"))       alert("Hi Tom or John!");

Flags:

// /g   - global
// /i   - ignore upper/lower case
// /m   -

alert("hi tom!".replace(/Tom/i,"John"));      // == "hi John!"
alert("ratatam".replace(/ta/,"tu"));          // == "ratutam"
alert("ratatam".replace(/ta/g,"tu"));         // == "ratutum"

Advanced methods

my_array=my_string.split(my_delimiter);
// example
my_array="dog,cat,cow".split(",");            // my_array==("dog","cat","cow");

my_array=my_string.match(my_expression);
// example
my_array="We start at 11:30, 12:15 and 16:45".match(/\d\d:\d\d/); // my_array=("11:30","12:15","16:45");

Capturing groups

var myRe = /(\d{4}-\d{2}-\d{2}) (\d{2}:\d{2}:\d{2})/;
var results = myRe.exec("The date and time are 2009-09-08 09:37:08.");
if(results) {
    alert("Matched: " + results[0]); // Entire match
    var my_date = results[1]; // First group == "2009-09-08"
    var my_time = results[2]; // Second group == "09:37:08"
    alert("It is " + my_time + " on " + my_date);
} else alert("Did not find a valid date!");

Function

Every function in Javascript is an instance of the Function object:

var add=new Function('x','y','return x+y');//x,y is the argument.'return x+y' is the function body, which is the last in the argument list.
var t=add(1,2);
alert(t);//3

The add function above is often defined using the following pattern, as this pattern is faster and more intuitive.

function add(x,y)
{
  return x+y;
}
var t=add(1,2);
alert(t);//3

A function instance has properties and methods.

function subtract(x,y)
{
  return x-y;
}
alert(subtract.length);//2,expected amount of arguments.
alert(subtract.toString());
/*
function subtract(x,y)
{
  return x-y;
}
*/

Operators

The '+' operator is overloaded; it is used for string concatenation and arithmetic addition and also to convert strings to numbers. It also has special meaning when used in a regular expression.

// Concatenate 2 strings
var a = 'This';
var b = ' and that';
alert(a + b);  // displays 'This and that'
  
// Add two numbers
var x = 2;
var y = 6;
alert(x + y); // displays 8

// Adding a string and a number results in concatenation
alert(x + '2'); // displays 22

// Convert a string to a number
var z = '4';   // z is a string (the digit 4)
var x = '2';   // x is a string (the digit 2)
alert(z + x); // displays 42
alert(+z + +x);// displays 6

Arithmetic

JavaScript supports the following binary arithmetic operators:

+     Addition
-     Subtraction
*     Multiplication
/     Division (returns a floating-point value)
%     Modulus (returns the integer remainder)

JavaScript supports the following unary arithmetic operators:

+     Unary conversion of string to number
-     Unary negation (reverses the sign)
++    Increment (can be prefix or postfix)
--    Decrement (can be prefix or postfix)
var x = 1;
alert( ++x );  // displays: 2
alert( x++ );  // displays: 2
alert( x );    // displays: 3
alert( x-- ); //  displays: 3
alert( x );   //  displays: 2
alert( --x ); //  displays: 1

Assignment

=     Assign
+=    Add and assign
-=    Subtract and assign
*=    Multiply and assign
/=    Divide and assign
%=    Modulus and assign
var x = 1;
x *= 3;
alert( x );  // displays: 3
x /= 3;
alert( x );  // displays: 1
x -= 1;
alert( x );  // displays: 0

Comparison

==    Equal
!=    Not equal
>     Greater than
>=    Greater than or equal to
<     Less than
<=    Less than or equal to
===   Identical (equal and of the same type)
!==   Not identical

Logical

JavaScript provides four logical operators:

In the context of a logical operation, any expression evaluate to true except the following:

  • Strings: "", '',
  • Numbers: 0, NaN,
  • Special: null, undefined,
  • Boolean: false, !true.

The Boolean function can be used to explicitly convert to a primitive of type Boolean:

// Only empty strings return false
alert( Boolean( "" )        === false );
alert( Boolean( "false" )   === true  );
alert( Boolean( "0" )       === true  );

// Only zero and NaN return false
alert( Boolean( NaN )       === false );
alert( Boolean(  0 )        === false );
alert( Boolean( -0 )        === false ); // equivalent to -1*0
alert( Boolean( -2 )        === true  );

// All objects return true
alert( Boolean( this )      === true  );
alert( Boolean( {} )        === true  );
alert( Boolean( [] )        === true  );

// These types return false
alert( Boolean( null )      === false );
alert( Boolean( undefined ) === false ); // equivalent to Boolean()

The NOT operator evaluates its operand in as a Boolean, and returns the negation. Using the operator twice in a row, as a double negative, explicitly converts an expression to a primitive of type Boolean:

alert(   !0 === Boolean(  !0 ) ===   !!1 === Boolean(    1 ) === true  );
alert(  !!0 === Boolean(   0 ) ===    !1 === Boolean(   !1 ) === false );
alert(  !"" === Boolean( !"" ) === !!"s" === Boolean(  "s" ) === true  );
alert( !!"" === Boolean(  "" ) ===  !"s" === Boolean( !"s" ) === false );

Expressions that use features such as post–incrementation, (i++), have an anticipated side effect. JavaScript provides short-circuit evaluation of expressions; the right operand is only executed if the left operand does not suffice to determine the value of the expression.

alert( a || b );    // When a is true, there is no reason to evaluate b.
alert( a && b );    // When a is false, there is no reason to evaluate b.
alert( c ? t : f ); // When c is true, there is no reason to evaluate f.

In early versions of JavaScript and JScript, the binary logical operators returned a Boolean value (like most C–derived programming languages). However, all contemporary implementations return one of their operands instead:

alert( a || b ); // if a is true, return a, otherwise return b
alert( a && b ); // if a is false, return a, otherwise return b

Programmers who are more familiar with the behavior in C might find this feature surprising but it allows for a more concise expression of patterns like null coalescing:

var s = t || "(default)"; // assigns t, or the default value if t is null, empty, etc.

Bitwise

JavaScript supports the following binary bitwise operators:

&     And
|     Or
^     Xor

<<    Shift left  (zero fill)
>>    Shift right (sign-propagating); copies of the leftmost bit (sign bit) are shifted in from the
      left.
>>>   Shift right (zero fill)

      For positive numbers, >> and >>> yield the same result.

JavaScript supports the following unary bitwise operators:

~     Not (inverts the bits)

String

=     Assignment
+     Concatenation
+=    Concatenate and assign

Examples

str = "ab" + "cd";   // "abcd"
str += "e";          // "abcde"

str2 = "2"+2         // "22", not "4" or 4.

Control structures

Compound statements

A pair of curly brackets { } and an enclosed sequence of statements constitute a compound statement, which can be used wherever a statement can be used.


If ... else

 if (expr)
 {
   //statements;
 }
 else if (expr2)
 {
   //statements;
 }
 else
 {
   //statements;
 }

Conditional operator

The conditional operator creates an expression that evaluates as one of two expressions depending on a condition. This is similar to the if statement that selects one of two statements to execute depending on a condition. I.e., the conditional operator is to expressions what if is to statements.

 var result = (condition) ? expression : alternative;

is the same as:

 if (condition)
 {
   result = expression;
 }
 else
 {
   result = alternative;
 }

Unlike the if statement, the conditional operator cannot omit its "else-branch".

Switch statement

The syntax of the JavaScript Switch statement is as follows:

 switch (expr) {
   case SOMEVALUE: 
     //statements;
     break;
   case ANOTHERVALUE: 
     //statements;
     break;
   default:
     //statements;
     break;
 }
  • break; is optional; however, it is usually needed, since otherwise code execution will continue to the body of the next case block.
  • Add a break statement to the end of the last case as a precautionary measure, in case additional cases are added later.
  • Strings literal values can also be used for the case values.
  • case default: is optional
  • Braces are required.

For loop

The syntax of the JavaScript for loop is as follows:

 for (initial;condition;loop statement) {
   /*
     statements will be executed every time
     the for{} loop cycles, while the
     condition is satisfied
   */
 }

or

 for (initial;condition;loop statement) // one statement

For ... in loop

The syntax of the JavaScript For ... in loop is as follows:

 for (var property_name in some_object) {
   //statements using some_object[property_name];
 }
  • Iterates through all enumerable properties of an object.
  • Sources differ on whether this is usable for arrays[2].
  • There are differences between the various web browsers with regard to which properties will be reflected with the for...in loop statement. In theory, this is controlled by an internal state property defined by the ECMAscript standard called "DontEnum", but in practice each browser returns a slightly different set of properties during introspection. It is usefull to test given property using if (some_object.hasOwnProperty(property_name)) { ... }

While loop

The syntax of the JavaScript while loop is as follows:

 while (condition) {
   statement1;
   statement2;
   statement3;
   ...
 }

Do ... while loop

The syntax of the JavaScript do ... while loop is as follows:

 do {
   statement1;
   statement2;
   statement3;
   ...
 } while (condition);

With

The with statement sets the default object for the set of statements that follow.

 with(document) {
   var a = getElementById('a');
   var b = getElementById('b');
   var c = getElementById('c');
 };
  • Note the absence of document. before each getElementById() invocation.

The semantics are similar to the with statement of Pascal.

Functions

A function is a block with a (possibly empty) parameter list that is normally given a name. A function may utilize local variables. If exit is not by a return statement, the value undefined is returned.

function gcd(segmentA, segmentB) {
  var diff = segmentA - segmentB
  if (diff == 0) return segmentA
  if (diff > 0) 
     return gcd(segmentB, diff)
  else
     return gcd(segmentA, -diff)
}
alert(gcd(60, 40)); // 20

The number of arguments given when calling a function may not necessarily correspond to the number of arguments in the function definition; a named argument in the definition that does not have a matching argument in the call will have the value undefined. Within the function, the arguments may also be accessed through the arguments object; this provides access to all arguments using indices (e.g. arguments[0], arguments[1], ... arguments[n]), including those beyond the number of named arguments. Note that while the arguments list has a .length property, it is not an instance of Array; it does not have methods such as .slice(), .sort(), etc.

All parameters are passed by value (for objects it is the reference to the object that is passed).

var obj1 = {a:1}
var obj2 = {b:2}
function foo(p) {
  p = obj2; // ignores actual parameter
  p.b = arguments[1]
}
foo(obj1, 3) // Does not affect obj1 at all.  3 is additional parameter
alert(obj1.a + " " + obj2.b); // writes 1 3

Functions can be declared inside other functions, and access the outer function's local variables. Furthermore they implement closures by remembering the outer function's local variables even after the outer function has exited.

var v = "top"
var bar
function foo() {
  var v = "foo"
  bar = function() {alert(v)}
}
foo()
bar() // writes "foo", not "top" even though foo() has exited.

Objects

For convenience, Types are normally subdivided into primitives and objects. Objects are entities that have an identity (they are only equal to themselves) and that map property names to values, ("slots" in prototype-based programming terminology). Objects may be thought of as associative arrays or hashes, and are often implemented using these data structures. However, objects have additional features, such as a prototype chain, which ordinary associative arrays do not have.

JavaScript has several kinds of built-in objects, namely Array, Boolean, Date, Function, Math, Number, Object, RegExp and String. Other objects are "host objects", defined not by the language but by the runtime environment. For example, in a browser, typical host objects belong to the DOM (window, form, links etc.).

Creating objects

Objects can be created using a constructor or an object literal. The constructor can use either a built-in Object function or a custom function. It is a convention that constructor functions are given a name that starts with a capital letter:

// Constructor
var anObject = new Object();

// Object literal
var objectA = {};
var objectA2 = {};  // A != A2, {}s create new objects as copies.
var objectB = {index1:'value 1', index2:'value 2'};

// Custom constructor (see below)

Object literals and array literals allow one to easily create flexible data structures:

var myStructure = {
  name: {
    first: "Mel",
    last: "Smith"
  },
  age: 33,
  hobbies: [ "chess", "jogging" ]
};

This is the basis for JSON, which is a simple notation that uses JavaScript-like syntax for data exchange.

Methods

A method is simply a function that is assigned to the value of an object's slot. Unlike many object-oriented languages, there is no distinction between a function definition and a method definition. Rather, the distinction occurs during function calling; a function can be called as a method.

When called as a method, the standard local variable this is just automatically set to the object instance to the left of the ".". (There are also call and apply methods that can set this explicitly -- some packages such as jQuery do unusual things with this.)


In the example below, Foo is being used as a constructor. There is nothing special about a constructor, it is just a method that is invoked after the object is created. this is set to the newly created object.

Note that in the example below, Foo is simply assigning values to slots, some of which are functions. Thus it can assign different functions to different instances. There is no prototyping in this example.

function y2() {return this.xxx + "2 ";}
 
function Foo(xz) {
  this.xxx = "yyy-";
  if (xz > 0) 
    this.xx = function() {return this.xxx +"X ";};
  else 
    this.xx = function() {return this.xxx +"Z ";};
  this.yy = y2;
}
 
var foo1 = new Foo(1);
var foo2 = new Foo(0); 

foo1.y3 = y2; // Assigns the function itself, not its evaluated result, i.e. not y2()
foo2.xxx = "aaa-";

alert("foo1/2 " + foo1.xx() + foo2.xx());
// foo1/2 yyy-X aaa-Z 
 
var baz={"xxx": "zzz-"}
baz.y4 = y2 // No need for a constructor to make an object.
 
alert("yy/y3/y4 " + foo1.yy() + foo1.y3() + baz.y4());
// yy/y3/y4 yyy-2 yyy-2 zzz-2
 
foo1.y2(); // Throws an exception, because foo1.y2 doesn't exist.

Constructors

Constructor functions simply assign values to slots of a newly created object. The values may be data or other functions.


Example: Manipulating an object

function MyObject(attributeA, attributeB) {
  this.attributeA = attributeA;
  this.attributeB = attributeB;
}

MyObject.staticC = "blue"; // On MyObject Function, not obj
alert(MyObject.staticC); // blue

obj = new MyObject('red', 1000);

alert(obj.attributeA); // red
alert(obj["attributeB"]); // 1000

alert(obj.staticC); // undefined

obj.attributeC = new Date(); // add a new property

delete obj.attributeB; // remove a property of obj
alert(obj.attributeB); // undefined

delete obj; // remove the whole Object (rarely used)
alert(obj.attributeA); // throws an exception

The constructor itself is stored in the special slot constructor. So

x = new Foo()
// Above is almost equivalent to 
y = {};
y.constructor = Foo;
y.constructor();
// except
x.constructor == y.constructor // true
x instanceof Foo // true
y instanceof Foo // false, surprisingly.

Functions are objects themselves, which can be used to produce an effect similar to "static properties" (using C++/Java terminology) as shown below. (The function object also has a special prototype property, as discussed in the Inheritance section below.)

Object deletion is rarely used as the scripting engine will garbage collect objects that are no longer being referenced.

Inheritance

JavaScript supports inheritance hierarchies through prototyping in the manner of Self.

In the following example, the Derive class inherits from the Base class. When d is created as a Derive, the reference to the base instance of Base is copied to d. base.

Derive does not contain a value for aBaseFunction, so it is retrieved from Base when aBaseFunction is accessed. This is made clear by changing the value of base.aBaseFunction, which is reflected in the value of d.aBaseFunction.

Some implementations allow the prototype to be accessed or set explicitly using the __proto__ slot as shown below.

function Base() {
  this.anOverride = function() {alert("Base::anOverride()");};

  this.aBaseFunction = function() {alert("Base::aBaseFunction()");};
}

function Derive() {
  this.anOverride = function() {alert("Derive::anOverride()");};
}

base = new Base();
Derive.prototype = base; // Must be before new Derive()

d = new Derive(); // Copies Derive.prototype to d instance's hidden prototype slot.

base.aBaseFunction = function() {alert("Base::aNEWBaseFunction()")}

d.anOverride(); // Derive::anOverride()
d.aBaseFunction(); // Base::aNEWBaseFunction()
alert(d.aBaseFunction == Derive.prototype.aBaseFunction); // true

alert(d.__proto__ == base); // true in Mozilla-based implementations but false in many other implementations

The following shows clearly how references to prototypes are copied on instance creation, but that changes to a prototype can affect all instances that refer to it.

function m1() {return "One ";}
function m2() {return "Two ";}
function m3() {return "Three ";}

function Base() {}

Base.prototype.yyy = m2;
bar = new Base();
alert("bar.yyy " + bar.yyy()); // bar.yyy Two 

function Top(){this.yyy = m3}
ttt = new Top();

foo = new Base();
Base.prototype = ttt;
  // No effect on foo, the *reference* to ttt is copied.
alert("foo.yyy " + foo.yyy()); // foo.yyy Two 

baz = new Base();
alert("baz.yyy " + baz.yyy()); // baz.yyy Three 

ttt.yyy = m1; // Does affect baz, and any other derived classes.
alert("baz.yyy1 " + baz.yyy()); // baz.yyy1 One

In practice many variations of these themes are used, and it can be both powerful and confusing.

Exception handling

Newer versions of JavaScript (as used in Internet Explorer 5 and Netscape 6) include a try ... catch ... finally exception handling statement to handle run-time errors.[citation needed]

The try ... catch ... finally statement catches exceptions resulting from an error or a throw statement. Its syntax is as follows:

try {
  // Statements in which exceptions might be thrown
} catch(errorValue) {
  // Statements that execute in the event of an exception
} finally {
  // Statements that execute afterward either way
}

Initially, the statements within the try block execute. If an exception is thrown, the script's control flow immediately transfers to the statements in the catch block, with the exception available as the error argument. Otherwise the catch block is skipped. The Catch block can throw(errorValue) if it does not want to handle a specific error.

In any case the statements in the finally block are always executed. This can be used to free resources, although memory is automatically garbage collected.

Either the catch or the finally clause may be omitted. The catch argument is required.

The Mozilla implementation allows for multiple catch statements, as an extension to the ECMAScript standard. They follow a syntax similar to that used in Java:

try { statement; }
catch ( e if e == "InvalidNameException"  ) { statement; }
catch ( e if e == "InvalidIdException"    ) { statement; }
catch ( e if e == "InvalidEmailException" ) { statement; }
catch ( e ) { statement; }

In a browser, the onerror event is more commonly used to trap exceptions.

function handleErr(errorValue,url,lineNr){...; return true;}
onerror=handleErr;

See also

Notes

  1. ^ Flanagan, David (2006). JavaScript: The definitive Guide. p. 16. ISBN 978-0-596-10199-2. Omitting semicolons is not a good programming practice; you should get into the habit of inserting them.
  2. ^ The issue is whether it would iterate not only through the array indices, but also through other visible properties. An article in the Microsoft Developer Network website specifically states that For...In can be used for "stepping through ... all the elements of an array". The MSDN article refers to JScript, which is, effectively, what is used by Internet Explorer and Windows Script Host for JavaScript script. An example in the W3Schools website gives arrays as an example of the use of For...In. An article in the Mozilla Developer Centre explains more about the problem: "Although it may be tempting to use this as a way to iterate over Array elements, because the for...in statement iterates over user-defined properties in addition to the array elements, if you modify the Array object, such as adding custom properties or methods, the for...in statement will return the name of your user-defined properties in addition to the numeric indexes. Thus it is better to use a traditional for loop with a numeric index when iterating over arrays."

Reference Material

  • David Flanagan, Paula Ferguson: JavaScript: The Definitive Guide, O'Reilly & Associates, ISBN 0-596-10199-6
  • Danny Goodman: JavaScript Bible, Wiley, John & Sons, ISBN 0-7645-3342-8
  • Thomas A. Powell, Fritz Schneider: JavaScript: The Complete Reference, McGraw-Hill Companies, ISBN 0-07-219127-9
  • Emily Vander Veer: JavaScript For Dummies, 4th Edition, Wiley, ISBN 0-7645-7659-3

External links