JavaScript
Paradigm | Multi-paradigm: scripting, prototype-based, imperative, functional[1] |
---|---|
Designed by | Brendan Eich |
Developer | Netscape Communications Corporation, Mozilla Foundation |
First appeared | 1995 |
Stable release | 1.8.2[2]
/ June 22, 2009 |
Preview release | 1.8.5[3]
/ July 27, 2010 |
Typing discipline | dynamic, weak, duck |
Website | www |
Major implementations | |
KJS, Rhino, SpiderMonkey, V8, WebKit | |
Influenced by | |
C, Scheme, Java, Perl, Python, Self | |
Influenced | |
JScript, JScript .NET, Objective-J, TIScript | |
|
Filename extension | .js |
---|---|
Internet media type |
application/javascript, text/javascript[4] |
Uniform Type Identifier (UTI) | com.netscape.javascript-source[5] |
Type of format | Scripting language |
JavaScript, also known as ECMAScript,[6] is a prototype-based, object-oriented[7] scripting language that is dynamic, weakly typed and has first-class functions. It is also considered a functional programming language[1] like Scheme and OCaml because it has closures and supports higher-order functions.[8]
JavaScript is an implementation of the ECMAScript language standard and is primarily used in the form of client-side JavaScript, implemented as part of a web browser in order to provide enhanced user interfaces and dynamic websites. This enables programmatic access to computational objects within a host environment.
JavaScript's use in applications outside web pages—for example in PDF documents, site-specific browsers and desktop widgets—is also significant. Newer and faster JavaScript VMs and frameworks built upon them (notably Node.js) have also increased the popularity of JavaScript for server-side web apps.
JavaScript uses syntax influenced by that of C. JavaScript copies many names and naming conventions from Java, but the two languages are otherwise unrelated and have very different semantics. The key design principles within JavaScript are taken from the Self and Scheme programming languages.[9]
History
Anyway I know only one programming language worse than C and that is Javascript. [...] I was convinced that we needed to build-in a programming language, but the developers, Tim first, were very much opposed. It had to remain completely declarative. Maybe, but the net result is that the programming-vacuum filled itself with the most horrible kluge in the history of computing: Javascript.
JavaScript was originally developed by Brendan Eich of Netscape under the name Mocha, which was later renamed to LiveScript, and finally to JavaScript.[11][12] LiveScript was the official name for the language when it first shipped in beta releases of Netscape Navigator 2.0 in September 1995, but it was renamed JavaScript in a joint announcement with Sun Microsystems on December 4, 1995,[13] when it was deployed in the Netscape browser version 2.0B3.[14]
The change of name from LiveScript to JavaScript roughly coincided with Netscape adding support for Java technology in its Netscape Navigator web browser. The final choice of name caused confusion, giving the impression that the language was a spin-off of the Java programming language, and the choice has been characterized by many as a marketing ploy by Netscape to give JavaScript the cachet of what was then the hot new web-programming language.[15][16] It has also been claimed that the language's name is the result of a co-marketing deal between Netscape and Sun, in exchange for Netscape bundling Sun's Java runtime with their then-dominant browser.
JavaScript very quickly gained widespread success as a client-side scripting language for web pages. As a consequence, Microsoft developed a partially compatible dialect of the language, naming it JScript to avoid trademark issues. JScript added new date methods to fix the Y2K-problematic methods in JavaScript, which were based on Java's java.util.Date
class.[17] JScript was included in Internet Explorer 3.0, released in August 1996. The dialects are perceived to be so similar that the terms "JavaScript" and "JScript" are often used interchangeably. Microsoft, however, notes dozens of ways in which JScript is not ECMA-compliant.[18]
In November, 1996 Netscape announced that it had submitted JavaScript to Ecma International for consideration as an industry standard, and subsequent work resulted in the standardized version named ECMAScript.[19]
JavaScript has become one of the most popular programming languages on the web. Initially, however, many professional programmers denigrated the language because its target audience was web authors and other such "amateurs", among other reasons.[20] The advent of Ajax returned JavaScript to the spotlight and brought more professional programming attention. The result was a proliferation of comprehensive frameworks and libraries, improved JavaScript programming practices, and increased usage of JavaScript outside of web browsers, as seen by the proliferation of server-side JavaScript platforms.
In January 2009 the CommonJS project was founded with the goal of specifying a common standard library mainly for JavaScript development outside the browser.[21]
Trademark
"JavaScript" is a trademark of Oracle Corporation. It is used under license for technology invented and implemented by Netscape Communications and current entities such as the Mozilla Foundation.[22]
Features
The following features are common to all conforming ECMAScript implementations, unless explicitly specified otherwise.
Imperative and structured
JavaScript supports structured programming syntax in C (e.g., if
statements, while
loops, switch
statements, etc.). One partial exception is scoping: C-style block-level scoping is not supported (instead, JavaScript has function-level scoping). JavaScript 1.7, however, supports block-level scoping with the let
keyword. Like C, JavaScript makes a distinction between expressions and statements. One syntactic difference from C is automatic semicolon insertion, in which the semicolons that terminate statements can be omitted.[23]
Dynamic
- dynamic typing
- As in most scripting languages, types are associated with values, not with variables. For example, a variable
x
could be bound to a number, then later rebound to a string. JavaScript supports various ways to test the type of an object, including duck typing.[24] - object based
- JavaScript is almost entirely object-based. JavaScript objects are associative arrays, augmented with prototypes (see below). Object property names are string keys:
obj.x = 10
andobj["x"] = 10
are equivalent, the dot notation being syntactic sugar. Properties and their values can be added, changed, or deleted at run-time. Most properties of an object (and those on its prototype inheritance chain) can be enumerated using afor...in
loop. JavaScript has a small number of built-in objects such asFunction
andDate
. - run-time evaluation
- JavaScript includes an eval function that can execute statements provided as strings at run-time.
Functional
- first-class functions
- Functions are first-class; they are objects themselves. As such, they have properties and methods, such as
length
andcall()
;[25] and they can be assigned to variables, passed as arguments,return
ed by other functions, and manipulated like any other object.[26] Any reference to a function allows it to be invoked using the()
operator.[27] - nested functions
- 'Inner' or 'nested' functions are functions defined within another function. They are created each time the outer function is invoked. In addition to that, the scope of the outer function, including any constants, local variables and argument values, become part of the internal state of each inner function object, even after execution of the outer function concludes.[28]
- closures
- JavaScript allows nested functions to be created, with the lexical scope in force at their definition, and has a
()
operator to invoke them now or later. This combination of code that can be executed outside the scope in which it is defined, with its own scope to use during that execution, is called a closure in computer science.[29]
Prototype-based
- prototypes
- JavaScript uses prototypes instead of classes for inheritance. It is possible to simulate many class-based features with prototypes in JavaScript.
- functions as object constructors
- Functions double as object constructors along with their typical role. Prefixing a function call with
new
creates a new object and calls that function with its localthis
keyword bound to that object for that invocation. The constructor'sprototype
property determines the object used for the new object's internal prototype. JavaScript's built-in constructors, such asArray
, also have prototypes that can be modified. - functions as methods
- 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 a function is called as a method of an object, the function's local
this
keyword is bound to that object for that invocation.
Miscellaneous
- run-time environment
- JavaScript typically relies on a run-time environment (e.g. in a web browser) to provide objects and methods by which scripts can interact with "the outside world". In fact, it relies on the environment to provide the ability to include/import scripts (e.g. HTML <script> elements). (This is not a language feature per se, but it is common in most JavaScript implementations.)
- variadic functions
- An indefinite number of parameters can be passed to a function. The function can access them through formal parameters and also through the local
arguments
object. - array and object literals
- Like many scripting languages, arrays and objects (associative arrays in other languages) can each be created with a succinct shortcut syntax. In fact, these literals form the basis of the JSON data format.
- regular expressions
- JavaScript also supports regular expressions in a manner similar to Perl, which provide a concise and powerful syntax for text manipulation that is more sophisticated than the built-in string functions.
Vendor-specific extensions
JavaScript is officially managed by Mozilla Foundation, and new language features are added periodically. However, only some non-Mozilla JavaScript engines support these new features:
- property getter and setter functions (also supported by WebKit, Opera,[30] ActionScript, and Rhino)[31]
- conditional
catch
clauses - iterator protocol adopted from Python
- shallow generators/coroutines also adopted from Python
- array comprehensions and generator expressions also adopted from Python
- proper block scope via the new
let
keyword - array and object destructuring (limited form of pattern matching)
- concise function expressions (
function(args) expr
) - ECMAScript for XML (E4X), an extension that adds native XML support to ECMAScript
Syntax and semantics
As of 2009, the latest version of the language is JavaScript 1.8.1. It is a superset of ECMAScript (ECMA-262) Edition 3. Extensions to the language, including partial E4X (ECMA-357) support and experimental features considered for inclusion into future ECMAScript editions, are documented here.[32]
Simple examples
A simple recursive function:
function factorial(n) {
if (n === 0) {
return 1;
}
return n * factorial(n - 1);
}
A simple personalised greeting script:
var name = prompt("What is your name?");
alert("Welcome " + name);
Anonymous function (or lambda) syntax:
function add(i, j) {
var addLambda = function(x, y) {
return x + y;
};
return addLambda(i, j);
}
function displayClosure() {
var inc = makeIncreaser(1);
inc(); // returns 1
inc(); // returns 2
inc(); // returns 3
}
function makeIncreaser(init) {
var count = init;
return function() {
return count++;
};
}
Variadic function demonstration. This will alert with 1 then 2 then 3. arguments is a special variable.
function unlimitedArgs() {
for (var i = 0; i < arguments.length; ++i) {
alert(arguments[i]);
}
}
unlimitedArgs(1, 2, 3);
More advanced example
This sample code showcases various JavaScript features.
/* Finds the lowest common multiple of two numbers */
function LcmCalculator(x, y) { // constructor function
var checkInt = function (x) { // inner function
if (x % 1 !== 0) {
throw new TypeError(x + "is not an integer"); // throw an exception
}
return x;
};
this.a = checkInt(x)
// ^ semicolons are optional
this.b = checkInt(y);
}
// The prototype of object instances created by a constructor is
// that constructor's "prototype" property.
LCMCalculator.prototype = { // object literal
constructor: LCMCalculator, // when reassigning a prototype, set the constructor property appropriately
gcd: function () { // method that calculates the greatest common divisor
// Euclidean algorithm:
var a = Math.abs(this.a), b = Math.abs(this.b), t;
if (a < b) {
// swap variables
t = b;
b = a;
a = t;
}
while (b !== 0) {
t = b;
b = a % b;
a = t;
}
// Only need to calculate GCD once, so "redefine" this method.
// (Actually not redefinition - it's defined on the instance itself,
// so that this.gcd refers to this "redefinition" instead of LCMCalculator.prototype.gcd.)
// Also, 'gcd' == "gcd", this['gcd'] == this.gcd
this['gcd'] = function() {
return a;
};
return a;
},
"lcm"/* can use strings here */: function() {
// Variable names don't collide with object properties, e.g. |lcm| is not |this.lcm|.
// not using |this.a * this.b| to avoid FP precision issues
var lcm = this.a / this.gcd() * this.b;
// Only need to calculate lcm once, so "redefine" this method.
this.lcm = function() {
return lcm;
};
return lcm;
},
toString: function () {
return "LCMCalculator: a = " + this.a + ", b = " + this.b;
}
};
// Note: Array's map() and forEach() are defined in JavaScript 1.6.
// They are are implemented in Firefox, Chrome, Opera etc. but currently not in Internet Explorer.
// They are used here to demonstrate JavaScript's inherent functional nature.
[[25, 55],[21, 56],[22, 58],[28, 56]].map(function(pair) { // array literal + mapping function
return new LCMCalculator(pair[0], pair[1]);
}).sort(function(a, b) { // sort with this comparative function
return a.lcm() - b.lcm();
}).forEach(function(obj) {
/* Note: print() is a JS builtin function available in Mozilla's js CLI;
* It is functionally equivalent to Java's System.out.println().
* Within a web browser, print() is a very different function
* (opens the "Print Page" dialog),
* so use something like document.write() or alert() instead.
*/
// print (obj + ", gcd = " + obj.gcd() + ", lcm = " + obj.lcm());
// alert (obj + ", gcd = " + obj.gcd() + ", lcm = " + obj.lcm());
document.write(obj + ", gcd = " + obj.gcd() + ", lcm = " + obj.lcm() + "<br>");
});
The following output should be displayed in the browser window.
LCMCalculator: a = 28, b = 56, gcd = 28, lcm = 56 LCMCalculator: a = 21, b = 56, gcd = 7, lcm = 168 LCMCalculator: a = 25, b = 55, gcd = 5, lcm = 275 LCMCalculator: a = 22, b = 58, gcd = 2, lcm = 638
If Internet Explorer is used, the example will generate an error. Hence the example illustrates the point that the JScript interpreter in Internet Explorer executes code differently from the JavaScript and ECMAScript interpreters in other browsers. (See comments in the source code for details on the relevant differences for this example.)
Use in web pages
The primary use of JavaScript is to write functions that are embedded in or included from HTML pages and that interact with the Document Object Model (DOM) of the page. Some simple examples of this usage are:
- Opening or popping up a new window with programmatic control over the size, position, and attributes of the new window (e.g. whether the menus, toolbars, etc. are visible).
- Validating input values of a web form to make sure that they are acceptable before being submitted to the server.
- Changing images as the mouse cursor moves over them: This effect is often used to draw the user's attention to important links displayed as graphical elements.
Because JavaScript code can run locally in a user's browser (rather than on a remote server), the browser can respond to user actions quickly, making an application more responsive. Furthermore, JavaScript code can detect user actions which HTML alone cannot, such as individual keystrokes. Applications such as Gmail take advantage of this: much of the user-interface logic is written in JavaScript, and JavaScript dispatches requests for information (such as the content of an e-mail message) to the server. The wider trend of Ajax programming similarly exploits this strength.
A JavaScript engine (also known as JavaScript interpreter or JavaScript implementation) is an interpreter that interprets JavaScript source code and executes the script accordingly. The first JavaScript engine was created by Brendan Eich at Netscape Communications Corporation, for the Netscape Navigator web browser. The engine, code-named SpiderMonkey, is implemented in C. It has since been updated (in JavaScript 1.5) to conform to ECMA-262 Edition 3. The Rhino engine, created primarily by Norris Boyd (formerly of Netscape; now at Google) is a JavaScript implementation in Java. Rhino, like SpiderMonkey, is ECMA-262 Edition 3 compliant.
A web browser is by far the most common host environment for JavaScript. Web browsers typically use the public API to create "host objects" responsible for reflecting the DOM into JavaScript. The web server is another common application of the engine. A JavaScript webserver would expose host objects representing an HTTP request and response objects, which a JavaScript program could then manipulate to dynamically generate web pages.
Because JavaScript is the only language that the most popular browsers share support for, it has become a target language for many frameworks in other languages, even though JavaScript was never intended to be such a language.[12] Despite the performance limitations inherent to its dynamic nature, the increasing speed of JavaScript engines has made the language a surprisingly feasible compilation target.
Example - use in web pages
A minimal example of a standards-conforming web page containing JavaScript (using HTML 4.01 syntax) would be the following:
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01//EN"
"http://www.w3.org/TR/html4/strict.dtd">
<html>
<head><title>simple page</title></head>
<body>
<script type="text/javascript">
document.write('Hello World!');
</script>
<noscript>
<p>Your browser either does not support JavaScript, or you have JavaScript turned off.</p>
</noscript>
</body>
</html>
Compatibility considerations
Since JavaScript runs in widely varying environments, an important part of testing and debugging it is testing across browsers.
The DOM interfaces for manipulating web pages are not part of the ECMAScript standard, or of JavaScript itself. Officially, they are defined by a separate standardization effort by the W3C; in practice, browser implementations differ from the standards and from each other, and not all browsers execute JavaScript.
To deal with these differences, JavaScript authors can attempt to write standards-compliant code which will also be executed correctly by most browsers; failing that, they can write code that checks for the presence of certain browser features and behaves differently if they are not available.[33] In some cases, two browsers may both implement a feature but with different behavior, and authors may find it practical to detect what browser is running and change their script's behavior to match.[34][35] Programmers may also use libraries or toolkits which take browser differences into account.
Furthermore, scripts may not work for some users. For example, a user may:
- use an old or rare browser with incomplete or unusual DOM support,
- use a PDA or mobile phone browser which cannot execute JavaScript,
- have JavaScript execution disabled as a security precaution,
- use a speech browser due to, for example, a visual disability.
To support these users, web authors can try to create pages which degrade gracefully on user agents (browsers) which do not support the page's JavaScript. In particular, the page should remain usable albeit without the extra features that the JavaScript would have added. An alternative approach that many find preferable is first to author content using basic technologies that work in all browsers, then to enhance it for users with JavaScript enabled, testing for feature support before adding the enhancements. This is known as progressive enhancement.
Accessibility
Assuming that the user has not disabled its execution, client-side web JavaScript should be written to enhance the experiences of visitors with visual or physical disabilities, and certainly should avoid denying information to these visitors.[36]
Screen readers, used by the blind and partially sighted, can be JavaScript-aware and so may access and read the page DOM after the script has altered it. The HTML should be as concise, navigable and semantically rich as possible whether the scripts have run or not. JavaScript should not be totally reliant on mouse-specific events so as to deny its benefits to users who either cannot use a mouse or who choose to favor the keyboard for whatever reason. Equally, although hyperlinks and webforms can be navigated and operated from the keyboard, accessible JavaScript should not require keyboard events either. There are device-independent events such as onfocus
and onchange
that are preferable in most cases.[36]
JavaScript should not be used in a way that is confusing or disorientating to any web user. For example, using script to alter or disable the normal functionality of the browser, such as by changing the way the back-button or the refresh event work, is usually best avoided. Equally, triggering events that the user may not be aware of reduces the user's sense of control as do unexpected scripted changes to the page content.[37]
Often the process of making a complex web page as accessible as possible becomes a nontrivial problem where issues become matters of debate and opinion, and where compromises are necessary in the end. However, user agents and assistive technologies are constantly evolving and new guidelines and relevant information are continually being published on the web.[36]
Security
JavaScript and the DOM provide the potential for malicious authors to deliver scripts to run on a client computer via the web. Browser authors contain this risk using two restrictions. First, scripts run in a sandbox in which they can only perform web-related actions, not general-purpose programming tasks like creating files. Second, scripts are constrained by the same origin policy: scripts from one web site do not have access to information such as usernames, passwords, or cookies sent to another site. Most JavaScript-related security bugs are breaches of either the same origin policy or the sandbox.
Cross-site vulnerabilities
A common JavaScript-related security problem is cross-site scripting, or XSS, a violation of the same-origin policy. XSS vulnerabilities occur when an attacker is able to cause a target web site, such as an online banking website, to include a malicious script in the webpage presented to a victim. The script in this example can then access the banking application with the privileges of the victim, potentially disclosing secret information or transferring money without the victim's authorization. A solution to XSS vulnerabilities is to use HTML escaping whenever displaying untrusted data.
Some browsers include partial protection against reflected XSS attacks, in which the attacker provides a URL including malicious script. However, even users of those browsers are vulnerable to other XSS attacks, such as those where the malicious code is stored in a database. Only correct design of Web applications on the server side can fully prevent XSS.
XSS vulnerabilities can also occur because of implementation mistakes by browser authors.[38]
Another cross-site vulnerability is cross-site request forgery or CSRF. In CSRF, code on an attacker's site tricks the victim's browser into taking actions the user didn't intend at a target site (like transferring money at a bank). It works because, if the target site relies only on cookies to authenticate requests, then requests initiated by code on the attacker's site will carry the same legitimate login credentials as requests initiated by the user. In general, the solution to CSRF is to require an authentication value in a hidden form field, and not only in the cookies, to authenticate any request that might have lasting effects. Checking the HTTP Referrer header can also help.
"JavaScript hijacking" is a type of CSRF attack in which a <script> tag on an attacker's site exploits a page on the victim's site that returns private information such as JSON or JavaScript. Possible solutions include requiring an authentication token in the POST and GET parameters for any response that returns private JSON (even if it has no side effects); using POST and never GET for requests that return private JSON; and modifying the response so that it can't be used via a <script> tag (by, for example, wrapping the JSON in a JavaScript comment).
Misplaced trust in the client
Client-server applications, whether they involve JavaScript or not, must recognize that untrusted clients may be under the control of attackers. Thus any secret embedded in JavaScript could be extracted by a determined adversary, and the application author cannot assume that his JavaScript runs as intended, or at all. Some implications:
- Web site authors cannot perfectly conceal how their JavaScript operates, because the code is sent to the client, and obfuscated code can be reverse-engineered.
- JavaScript form validation only provides convenience for users, not security. If a site verifies that the user agreed to its terms of service, or filters invalid characters out of fields that should only contain numbers, it must do so on the server, not only the client.
- Scripts can be selectively disabled, so JavaScript can't be relied on to prevent operations such as "save image".[39]
- It would be extremely bad practice to embed a password in JavaScript (where it can be extracted by an attacker), then have JavaScript verify a user's password and pass "password_ok=1" back to the server (since the "password_ok=1" response is easy to forge).[40]
Browser and plugin coding errors
JavaScript provides an interface to a wide range of browser capabilities, some of which may have flaws such as buffer overflows. These flaws can allow attackers to write scripts which would run any code they wish on the user's system.
These flaws have affected major browsers including Firefox,[41] Internet Explorer,[42] and Safari.[43]
Plugins, such as video players, Adobe Flash, and the wide range of ActiveX controls enabled by default in Microsoft Internet Explorer, may also have flaws exploitable via JavaScript, and such flaws have been exploited in the past.[44][45]
In Windows Vista, Microsoft has attempted to contain the risks of bugs such as buffer overflows by running the Internet Explorer process with limited privileges.[46] Google Chrome similarly limits page renderers in its own "sandbox."
Sandbox implementation errors
Web browsers are capable of running JavaScript outside of the sandbox, with the privileges necessary to, for example, create or delete files. Of course, such privileges aren't meant to be granted to code from the web.
Incorrectly granting privileges to JavaScript from the web has played a role in vulnerabilities in both Internet Explorer[47] and Firefox.[48] In Windows XP Service Pack 2, Microsoft demoted JScript's privileges in Internet Explorer.[49]
Microsoft Windows allows JavaScript source files on a computer's hard drive to be launched as general-purpose, non-sandboxed programs. This makes JavaScript (like VBScript) a theoretically viable vector for a Trojan horse, although JavaScript Trojan horses are uncommon in practice.[50] (See Windows Script Host.)
Uses outside web pages
In addition to web browsers and servers, JavaScript interpreters are embedded in a number of tools. Each of these applications provides its own object model which provides access to the host environment, with the core JavaScript language remaining mostly the same in each application.
Embedded scripting language
- Google's Chrome extensions, Opera's extensions, Apple's Safari 5 extensions, Apple's Dashboard Widgets, Microsoft's Gadgets, Yahoo! Widgets, Google Desktop Gadgets, and Serence Klipfolio are implemented using JavaScript.
- Adobe's Acrobat and Adobe Reader support JavaScript in PDF files.[51]
- Tools in the Adobe Creative Suite, including Photoshop, Illustrator, Dreamweaver and InDesign, allow scripting through JavaScript.
- OpenOffice.org office application suite allows for JavaScript as one of its scripting languages.
- The interactive music signal processing software Max/MSP released by Cycling '74, offers a JavaScript model of its environment for use by developers. It allows much more precise control than the default GUI-centric programming model.
- ECMAScript was included in the VRML97 standard for scripting nodes of VRML scene description files.
- Some high-end Philips universal remote panels, including TSU9600 and TSU9400, can be scripted using a JavaScript-based tool called ProntoScript.[52]
- Sphere is an open source and cross platform computer program designed primarily to make role-playing games that use JavaScript as a scripting language.
- The open-source Re-Animator framework allows developing 2D sprite-based games using JavaScript and XML.
- Methabot is a web crawler that uses JavaScript as scripting language for custom filetype parsers and data extraction using E4X.
- The Unity game engine supports JavaScript for scripting (in addition to C# and Boo) via Mono.[53]
- DX Studio (3D engine) uses the SpiderMonkey implementation of JavaScript for game and simulation logic.[54]
- Maxwell Render (rendering software) provides an ECMA standard based scripting engine for tasks automation.[55]
- Google Apps Script in Google Spreadsheets and Google Sites allows users to create custom formulas, automate repetitive tasks and also interact with other Google products such as Gmail.[56]
- Many Internet Relay Chat clients like ChatZilla or XChat use JavaScript for their scripting abilities.[57][58]
Scripting engine
- Microsoft's Active Scripting technology supports JScript as a scripting language. This is often considered compatible with JavaScript, but Microsoft lists many JScript features that are not compliant with ECMA standards.[18]
- The Java programming language, in version SE 6 (JDK 1.6), introduced the
javax.script
package, including a JavaScript implementation based on Mozilla Rhino. Thus, Java applications can host scripts that access the application's variables and objects, much like web browsers host scripts that access the browser's Document Object Model (DOM) for a webpage.[59][60] - The Qt C++ toolkit includes a
QtScript
module to interpret JavaScript, analogous to Java'sjavax.script
package.[61] - JSDB (JavaScript for Databases) is an open-source JavaScript shell for Windows, Mac OS X, Linux, and Unix, which extends the Mozilla JavaScript engine with file, database, email, and network objects.
- jslibs is an open-source JavaScript shell for Windows and Linux which extends the Mozilla JavaScript engine with the ability to call functions in commonly used libraries like NSPR, SQLite, libTomCrypt, OpenGL, OpenAL, librsvg...
- Late Night Software's JavaScript OSA (aka JavaScript for OSA, or JSOSA), is a freeware alternative to AppleScript for Mac OS X. It is based on the Mozilla 1.5 JavaScript implementation, with the addition of a
MacOS
object for interaction with the operating system and third-party applications.[62]
Application platform
- ActionScript, the programming language used in Adobe Flash, is another implementation of the ECMAScript standard.
- The Mozilla platform, which underlies Firefox, Thunderbird and some other web browsers, uses JavaScript to implement the graphical user interface (GUI) of its various products.
- Adobe Integrated Runtime is a JavaScript runtime that allows developers to create desktop applications.
- myNFC.org is a JavaScript based framework that allows developers to create applications for smart phones.
- webOS uses the WebKit implementation of JavaScript in its SDK to allow developers to create stand-alone applications solely in JavaScript.
- CA, Inc.'s AutoShell cross-application scripting environment is built on JavaScript/SpiderMonkey with preprocessor like extensions for command definitions and custom classes for various system related tasks like file i/o, operation system command invocation and redirection and COM scripting.
- GNOME Shell, the shell for the GNOME 3 desktop environment.[63] The Seed,[64] Gjs (from Gnome) and Kjsembed[65] (from KDE) packages are aimed to utilize that[clarification needed] needs.
- Qt Quick's markup language (QML) is using JavaScript for the application logic, and the declarative syntax is JavaScript-like. QML is available since Qt 4.7.
Development tools
Within JavaScript, access to a debugger becomes invaluable when developing large, non-trivial programs. Because there can be implementation differences between the various browsers (particularly within the Document Object Model) it is useful to have access to a debugger for each of the browsers that a web application targets.[66]
Script debuggers are available for Internet Explorer, Firefox, Safari, Google Chrome, and Opera.[67]
Three debuggers are available for Internet Explorer: Microsoft Visual Studio is the richest of the three, closely followed by Microsoft Script Editor (a component of Microsoft Office),[68] and finally the free Microsoft Script Debugger which is far more basic than the other two. The free Microsoft Visual Web Developer Express provides a limited version of the JavaScript debugging functionality in Microsoft Visual Studio. Internet Explorer has included developer tools since version 8 (reached by pressing the F12 key).
Web applications within Firefox can be debugged using the Firebug add-on, or the older Venkman debugger. Firefox also has a simpler built-in Error Console, which logs and evaluates JavaScript. It also logs CSS errors and warnings.
Opera includes a set of tools called DragonFly.[69]
WebKit's Web Inspector includes a JavaScript debugger[70] in Safari and Google Chrome.
Some debugging aids are themselves written in JavaScript and built to run on the Web. An example is the program JSLint, developed by Douglas Crockford, currently senior JavaScript architect at Yahoo! who has written extensively on the language. JSLint scans JavaScript code for conformance to a set of standards and guidelines. Web development bookmarklets and Firebug Lite provide variations on the idea of the cross-browser JavaScript console.
MiniME is an open source JavaScript minifier, obfuscator and code checking tool for the .NET platform.
Versions
Version | Release date | Equivalent to | Netscape Navigator |
Mozilla Firefox |
Internet Explorer |
Opera | Safari | Google Chrome |
---|---|---|---|---|---|---|---|---|
1.0 | March 1996 | 2.0 | 3.0 | |||||
1.1 | August 1996 | 3.0 | ||||||
1.2 | June 1997 | 4.0-4.05 | ||||||
1.3 | October 1998 | ECMA-262 1st edition / ECMA-262 2nd edition | 4.06-4.7x | 4.0 | ||||
1.4 | Netscape Server |
|||||||
1.5 | November 2000 | ECMA-262 3rd edition | 6.0 | 1.0 | 5.5 (JScript 5.5), 6 (JScript 5.6), 7 (JScript 5.7), 8 (JScript 5.8) |
6.0-11.0 | 3.0-5 | 1.0-10.0.666 |
1.6 | November 2005 | 1.5 + Array extras + Array and String generics + E4X | 1.5 | |||||
1.7 | October 2006 | 1.6 + Pythonic generators + Iterators + let | 2.0 | |||||
1.8 | June 2008 | 1.7 + Generator expressions + Expression closures | 3.0 | |||||
1.8.1 | 1.8 + Native JSON support + Minor Updates | 3.5 | ||||||
1.8.2 | June 22, 2009 | 1.8.1 + Minor updates | 3.6 | |||||
1.8.5 | July 27, 2010 | 1.8.1 + ECMAScript 5 Compliance | 4 | 9 |
Source:[71]
Related languages and features
Objective-J is a superset of JavaScript that compiles to standard JavaScript. It adds traditional inheritance and Smalltalk/Objective-C style dynamic dispatch and optional pseudo-static typing to JavaScript.
CoffeeScript is an alternate syntax for JavaScript intended to be more concise and readable and adding features like array comprehensions and pattern matching. Like Objective-J, it compiles to JavaScript. Ruby and Python have been cited as influential on CoffeeScript syntax.
jQuery and Prototype are popular JavaScript libraries designed to simplify DOM-oriented client-side HTML scripting.
TIScript is a superset of JavaScript that adds classes, namespaces and lambda expressions.
JSON, or JavaScript Object Notation, is a general-purpose data interchange format that is defined as a subset of JavaScript.
Mozilla browsers currently support LiveConnect, a feature that allows JavaScript and Java to intercommunicate on the web. However, Mozilla-specific support for LiveConnect is scheduled to be phased out in the future in favor of passing on the LiveConnect handling via NPAPI to the Java 1.6+ plug-in (not yet supported on the Mac as of March 2010[update]).[72] Most browser inspection tools, such as Firebug in Firefox, include JavaScript interpreters that can act on the visible page's DOM.
JavaScript and Java
A common misconception is that JavaScript is similar or closely related to Java. It is true that both have a C-like syntax, the C language being their most immediate common ancestor language. They are both object-oriented, typically sandboxed (when used inside a browser), and are widely used in client-side Web applications. In addition, JavaScript was designed with Java's syntax and standard library in mind. In particular, all Java keywords were reserved in original JavaScript, JavaScript's standard library follows Java's naming conventions, and JavaScript's Math and Date objects are based on classes from Java 1.0.[17]
JS had to “look like Java” only less so, be Java’s dumb kid brother or boy-hostage sidekick. Plus, I had to be done in ten days or something worse than JS would have happened
However, the similarities end there. Java has static typing; JavaScript's typing is dynamic (meaning a variable can hold an object of any type and cannot be restricted). Java is loaded from compiled bytecode; JavaScript is loaded as human-readable source code. Java's objects are class-based; JavaScript's are prototype-based. JavaScript also has many functional features based on the Scheme language.
See also
- Asynchronous JavaScript and XML (Ajax) - a group of web development methods used to create interactive web applications
- Comparison of JavaScript-based source code editors
- Comparison of JavaScript frameworks
- Document Object Model (DOM) - a convention for representing and interacting with objects in HTML, XHTML and XML documents
- Dynamic HTML - an umbrella term for a collection of technologies used to create interactive web sites
- ECMAScript - JavaScript is an ECMAScript implementation
- JavaScript engine - a specialized computer software which interprets and executes JavaScript
- JavaScript Object Notation (JSON) - lightweight text-based open standard designed for human-readable data interchange
- JavaScript syntax
- Unobtrusive JavaScript - a general approach to the use of JavaScript in web pages
References
- ^ a b Douglas Crockford. Douglas Crockford on Functional JavaScript (flv) (Tech talk). blinkx. Event occurs at 2:49.
[JavaScript] is also coincidentally the world's most popular functional programming language. JavaScript is and has always been, at least since [version] 1.2, a functional programming language.
- ^ Firefox 3.6 supports JavaScript 1.8.2
- ^ "New in JavaScript 1.8.5". mozilla.org. Retrieved August 10, 2010.
- ^ RFC 4329
- ^ "System-Declared Uniform Type Identifiers". Mac OS X Reference Library. Apple Inc. Retrieved 2010-03-05.
- ^ "Douglas Crockford, JSConf 2010".
- ^ "ECMAScript Language Specification" (PDF).
- ^ The Little JavaScripter shows the relationship with Scheme in more detail.
- ^ "ECMAScript Language Overview" (PDF). 2007-10-23. p. 4. Retrieved 2009-05-03.
- ^ wikinews:Wikinews:Story preparation/Interview with Robert Cailliau
- ^ Krill, Paul (2008-06-23). "JavaScript creator ponders past, future". InfoWorld. Retrieved 2009-05-19.
- ^ a b Hamilton, Naomi (2008-06-31). "The A-Z of Programming Languages: JavaScript". computerworld.com.au.
{{cite web}}
: Check date values in:|date=
(help) - ^ Press release announcing JavaScript, "Netscape and Sun announce Javascript(TM)", PR Newswire, Dec 4, 1995
- ^ "TechVision: Innovators of the Net: Brendan Eich and JavaScript". Web.archive.org.
{{cite web}}
:|access-date=
requires|url=
(help);|archive-url=
requires|url=
(help); Missing or empty|url=
(help) - ^ "Programming languages used on the Internet and the World Wide Web (WWW)". Webdevelopersnotes.com. Retrieved 2009-05-19.
- ^ "O'Reilly - Safari Books Online - 0596101996 - JavaScript: The Definitive Guide, 5th Edition". Safari.oreilly.com. Retrieved 2009-05-19.
- ^ a b "Brendan's Roadmap Updates: Popularity". Weblogs.mozillazine.org. Retrieved 2009-05-19.
- ^ a b Microsoft JScript Features - Non-ECMA
- ^ ECMAScript 3rd Edition specification
- ^ "JavaScript: The World's Most Misunderstood Programming Language". Crockford.com. Retrieved 2009-05-19.
- ^ Kris Kowal (1 December 2009). "CommonJS effort sets JavaScript on path for world domination". Ars Technica. Condé Nast Publications. Retrieved 18 April 2010.
- ^ "Sun Trademarks". Sun Microsystems. Retrieved 2007-11-08.
- ^ Flanagan 2006, p. 16.
- ^ Flanagan 2006, pp. 176–178.
- ^ Flanagan 2006, pp. 137–139.
- ^ Flanagan 2006, p. 134.
- ^ Flanagan 2006, p. 81.
- ^ Flanagan 2006, p. 141.
- ^ Flanagan 2006, p. 144.
- ^ Robert Nyman, Getters And Setters With JavaScript – Code Samples And Demos, published 29 May 2009, accessed 2 January 2010.
- ^ John Resig, JavaScript Getters and Setters, 18 July 2007, accessed 2 January 2010
- ^ "About - MDC". Developer.mozilla.org. 2008-08-31. Retrieved 2009-05-19.
- ^ Peter-Paul Koch, Object detection
- ^ Peter-Paul Koch, Mission Impossible - mouse position
- ^ Peter-Paul Koch, Browser detect
- ^ a b c Flanagan 2006, pp. 262–263.
- ^ "Creating Accessible JavaScript". WebAIM. Retrieved 8 June 2010.
- ^ MozillaZine, Mozilla Cross-Site Scripting Vulnerability Reported and Fixed
- ^
"Right-click "protection"? Forget about it". 2008-06-17. ISSN 1797-1993. Retrieved 2008-06-17.
{{cite journal}}
: Cite journal requires|journal=
(help) - ^ For an example of this bad practice, see Javascript.internet.com
- ^ Mozilla Corporation, Buffer overflow in crypto.signText()
- ^ Paul Festa, CNet, Buffer-overflow bug in IE
- ^ SecurityTracker.com, Apple Safari JavaScript Buffer Overflow Lets Remote Users Execute Arbitrary Code and HTTP Redirect Bug Lets Remote Users Access Files
- ^ SecurityFocus, Microsoft WebViewFolderIcon ActiveX Control Buffer Overflow Vulnerability
- ^ Fusion Authority, Macromedia Flash ActiveX Buffer Overflow
- ^ Mike Friedman, Protected Mode in Vista IE7
- ^ US CERT, Vulnerability Note VU#713878: Microsoft Internet Explorer does not properly validate source of redirected frame
- ^ Mozilla Foundation, Mozilla Foundation Security Advisory 2005-41: Privilege escalation via DOM property overrides
- ^ Microsoft Corporation, Changes to Functionality in Microsoft Windows XP Service Pack 2: Part 5: Enhanced Browsing Security
- ^ For one example of a rare JavaScript Trojan Horse, see Symantec Corporation, JS.Seeker.K
- ^ "JavaScript for Acrobat". Retrieved 2009-08-18.
- ^ Koninklijke Philips Electronics NV
- ^ "Best Of All Worlds". unity3d.com. Retrieved 2009-09-12.
- ^ "Technical Specification". dxstudio.com. Retrieved 2009-10-20.
- ^ THINK! The Maxwell Render Resourcer Center, Scripting References
- ^ Google Apps Script, Welcome to Google Apps Script
- ^ "ChatZilla! Frequently Asked Questions - 4.5. How do I write scripts?". Hacksrus.com. Retrieved 11 February 2011.
- ^ "http://unborn.ludost.net/xcdscript/". Retrieved 11 February 2011.
{{cite web}}
: External link in
(help)|title=
- ^ "javax.script release notes". Java.sun.com. Retrieved 2009-05-19.
- ^ Flanagan 2006, pp. 214 et seq.
- ^ Nokia Corporation, QtScript Module
- ^ Open Scripting Architecture
- ^ "Behind the Scenes with Owen Taylor". The GNOME Journal. Retrieved 2010-01-23.
- ^ Devel.akbkhome.com
- ^ Xmelegance.org
- ^ "Advanced Debugging With JavaScript". alistapart.com. 2009-02-03. Retrieved 2010-05-28.
- ^ "The JavaScript Debugging Console". javascript.about.com. 2010-05-28. Retrieved 2010-05-28.
- ^ JScript development in Microsoft Office 11 (MS InfoPath 2003)
- ^ "Opera DragonFly". Opera Software.
- ^ "Introducing Drosera - Surfin' Safari". Webkit.org. 2006-06-28. Retrieved 2009-05-19.
- ^ John Resig. "Versions of JavaScript". Ejohn.org. Retrieved 2009-05-19.
- ^ Java.sun.com
- ^ Willison, Simon. "A quote from Brendan Eich". Retrieved 26 March 2011.
Further reading
- Bhangal, Sham (2003). Foundation Web Design: Essential HTML, JavaScript, CSS, PhotoShop, Fireworks, and Flash. APress L. P. ISBN 1-59059-152-6.
{{cite book}}
: Unknown parameter|coauthors=
ignored (|author=
suggested) (help) - Burns, Joe (2001). JavaScript Goodies. Pearson Education. ISBN 0-7897-2612-2.
{{cite book}}
: Unknown parameter|coauthors=
ignored (|author=
suggested) (help) - Duffy, Scott (2003). How to do Everything with JavaScript. Osborne. ISBN 0-07-222887-3.
- Flanagan, David (2002). JavaScript: The Definitive Guide (4th ed.). O'Reilly & Associates. ISBN 0-596-00048-0.
{{cite book}}
: Unknown parameter|coauthors=
ignored (|author=
suggested) (help) - Flanagan, David (2006). JavaScript: The Definitive Guide (5th ed.). O'Reilly & Associates. ISBN 0-596-10199-6.
{{cite book}}
: Invalid|ref=harv
(help) - Goodman, Danny (2003). JavaScript and DHTML Cookbook. O'Reilly & Associates. ISBN 0-596-00467-2.
{{cite book}}
: Unknown parameter|coauthors=
ignored (|author=
suggested) (help) - Goodman, Danny (2001). JavaScript Bible. John Wiley & Sons. ISBN 0-7645-3342-8.
{{cite book}}
: Unknown parameter|coauthors=
ignored (|author=
suggested) (help) - Harris, Andy (2001). JavaScript Programming for the Absolute Beginner. Premier Press. ISBN 0-7615-3410-5.
- Heinle, Nick (1997). Designing with JavaScript. O'Reilly & Associates. ISBN 1-56592-300-6.
{{cite book}}
: Unknown parameter|coauthors=
ignored (|author=
suggested) (help) - McDuffie, Tina Spain (2003). JavaScript Concepts & Techniques: Programming Interactive Web Sites. Franklin, Beedle & Associates. ISBN 1-887-90269-4.
- McFarlane, Nigel (2003). Rapid Application Development with Mozilla. Prentice Hall Professional Technical References. ISBN 0-13-142343-6.
- Powell, Thomas A. (2001). JavaScript: The Complete Reference. McGraw-Hill Companies. ISBN 0-07-219127-9.
{{cite book}}
: Unknown parameter|coauthors=
ignored (|author=
suggested) (help) - Shelly, Gary B. (2000). JavaScript: Complete Concepts and Techniques. Cambridge: Course Technology. ISBN 0-7895-6233-2.
{{cite book}}
: Unknown parameter|coauthors=
ignored (|author=
suggested) (help) - Watt, Andrew H. (2002). Teach Yourself JavaScript in 21 Days. Pearson Education. ISBN 0-672-32297-8.
{{cite book}}
: Unknown parameter|coauthors=
ignored (|author=
suggested) (help) - Vander Veer, Emily A. (2004). JavaScript For Dummies (4th ed.). Wiley Pub. ISBN 0-7645-7659-3.
External links
- Douglas Crockford's video lectures on JavaScript
- FAQ for Usenet's comp.lang.javascript
- Mozilla Developer Center
- Mozilla's Official Documentation on JavaScript
- References for Core JavaScript versions: 1.5+
- overview over new features in JavaScript
- List of JavaScript releases: versions 1.5+
- Re-Introduction to JavaScript
- Eloquent JavaScript
- JavaScript - Opera Developer Community