JavaScript  Needn’t Hurt! Thomas Kjeldahl Nilsson [email_address] linkedin.com/in/thomaskjeldahlnilsson twitter.com/thomanil
Intro
Who Are You? Done any JavaScript? Dozen lines of code? Hundreds?   Thousands?
Who Am I? JavaScript enthusiast Hundreds of hours Thousands lines of code Not an expert!
What Are We Covering Today? Language basics Html scripting Good practices Tools
Practical Stuff
History Lesson
 
Brendan Eich
ECMAScript
A Note on ActionScript
What Rocks? Powerful, elegant, dynamic Present & enabled for most users Not confined to the browser Small learning surface
What Sucks? Rushed out the door Some bad language features Crossbrowser problems
Development Environment Walkthrough
Language Basics Syntax Types Variables Objects Functions
Basic Syntax Similar to Java, C# Operators, statements if-else, while, for, try-catch-finally Still in Kansas...
Types Strings Numbers Booleans Objects Arrays
Variable Declarations var x = “foo”;  // string var x = 2;  // number var x = true;  // boolean var x = { };  // object var x = [ ];  // array
Objects
Object Creation Literal Form var BasicProject = { name : "Steria Workshop", version : 1.2, getName : function() { return this.name; } };
Object Creation Dynamic Form var BasicProject = {}; BasicProject.name = "Steria Workshop"; BasicProject.version = 1.2; BasicProject.getName = function() { return this.name; };
Objects as Maps (Associative Arrays) var Person = { firstname:"John", lastname:"Smith" }; Person.firstname;  // => "John" (Access using identifier) Person["firstname"];  // => "John" (Access using variable name)
Arrays are Special Case of Object var arr = [];  // Always declared without size.  // Grows as needed. arr[0] = true; arr[3] = "john"; arr[300] = { description : "object!" }; arr[100];  // => Undefined  arr.length;  // => 301
Arrays and Objects Can Be Deeply Nested var OuterObject = { innerArray : [ innerObject : { deepestArray : [1,2,3] } ] };
JSON {"firstName":"Gustav","lastName":"Adolf", "roles":["King of Sweden","Terrible shipbuilder"], "other":{"birth":"9.12.1594","death":"16.11.1632"}}
Kind Familiar Looking { "firstName" : "Gustav", "lastName" : "Adolf", "roles" : [ "King of Sweden",  "Terrible shipbuilder" ], "other" : { "birth" : "9.12.1594", "death" : "16.11.1632" } }
JavaScript Object Literal! var EvaluatedObject =  { firstName : "Gustav", lastName : "Adolf", roles : [ "King of Sweden",  "Terrible shipbuilder" ], other : { birth : "9.12.1594", death : "16.11.1632" } } ;
Inheritance
Prototypal Inheritance (Simplified) var Employee = {name : "CEO Jack", company : "ACME Inc."}; var Janitor = Object.create(Employee); // Janitor now looks and behaves just like its prototype, Employee Janitor.company // =>  "ACME Inc.", falls back to prototype.company Janitor.name = "Janitor Tim"; // Override name Janitor.tools = ["broom", "bucket"]; // Define member variable only on child Employee.name = "CEO Jane"; // Change name of prototype Janitor.name; // => Still "Janitor Tim". Overriden members unaffected by prototype changes
Functions
Simple Function Definition function add(a, b) { return a + b; }
That's Just a  Way of Saying:  var add = function(a, b) { return a + b; }; // Use this consistently // Helps you remember: // Functions are just variables!
An Anonymous Function... function(element) { // Do something with element }
...Can Be Sent To Another Function each(collection, function(element) { // Do something with current element });
Example: Event Handler button.onClick(function(element) { alert(«You clicked me!»); });
Sharp Edges Global variables No block s cope Semicolon insertion == operator
Properly Scoped Variable var getSmallNumber = function(){ var  smallNumber = 42; // Note use of  var  keyword return smallNumber; };
Sloppy, Global Variable var getSmallNumber = function(){ smallNumber = 42;  return smallNumber; }; // Missing var prefix = smallNumber gets global scope // Becomes available for all code // Sticks around and pollutes namespace
No Block Scope var x = 1; if (true) { var x = 123; } // x => 123
Semicolon insertion Don't force the browser to guess!
Example a = b + c (d + e).print() becomes... a = b + c(d + e).print();
== vs ===
Quiz '' == '0'  // true or false? 0 == ''  // true or false? 0 == '0'  // true or false? false == 'false'  // true or false? false == '0'  // true or false? false == undefined  // true or false? false == null  // true or false? null == undefined  // true or false? ' \t\r\n ' == 0  // true or false?
How Many Did You Get? '' == '0'  // false 0 == ''  // true 0 == '0'  // true false == 'false'  // false false == '0'  // true false == undefined  // false false == null  // false null == undefined  // true ' \t\r\n ' == 0  // true // Why? Type coercion on right operand, that's why.
Instead, Use === (And !==)  '' === '0'  // false 0 === ''  // false 0 === '0'  // false false === 'false'  // false false === '0'  // false false === undefined  // false false === null  // false null === undefined  // false ' \t\r\n ' === 0  // false
Advanced Stuff Closures Modules Memoization
Clientside Firebug jQuery
Firebug Demo
The DOM
 
<TABLE>   <TBODY>    <TR>    <TD>Shady Grove</TD>   <TD>Aeolian</TD>    </TR>    <TR>   <TD>Over the River, Charlie</TD>    <TD>Dorian</TD>    </TR>    </TBODY>   </TABLE>
 
DOM Scripting Basics x.getElementById(id) ; // get the element with a specified id x.getElementsByTagName(name);  // get all elements with a    // specified tag name x.appendChild(node);   // insert a child node to x x.removeChild(node), // remove a child node from x x.innerHTML = «<p>New text</p>»; // fill element with html or text
Live Example
DOM Api: Crossbrowser Headache http://www.quirksmode.org
So Use a Framework!
jQuery
Instant Win: Crossbrowser Non-verbose Traverse DOM Manipulate DOM
Lots of Other Stuff, Too Server communication UI widgets and effects each(), map(), etc JSON parsing +++
jQuery Function $()  // Short form jQuery() // Long form
Find Stuff $(“p”);    // Find all paragraphs $(“#shoppingList”);  // Find element with id 'shoppingList' $(“.shoppingListItem”); // Find elements with class 'shoppingListItem' $(“:text”);   // Find all text elements $(“:visible”);   // Find only visible elements
$() Wraps and Returns Matching Element(s)
Manipulate Matched DOM Elements $(“p”).css(”color”, ”green”);  // Set color on all paragraph elements $(“p”).hide();  // Hide all paragraphs // Make all input buttons react to mouse clicks $(“input”).click(function(){ alert(”You clicked this button!”); });
Chaining Every API call returns jQuery object So we can chain function calls together “Fluent API”
Chaining Example // Set color on all paragraph elements, then hide them all $(“p”).css(”color”, ”green”).hide();
Live Example
Prepared Example
Caution! Use frameworks as needed But don't depend on them! JavaScript != jQuery
Good Practices jsLint Automated testing Unobtrusive JavaScript
JsLint Demo
Automated Testing YUI Test demo
Unobtrusive JavaScript Structure vs behavior Separate js files Event handler setup Namespaces Universal Access
 
 
 
 
 
Namespace Hygiene All your code within single object
Universal Access Can all your users use your site? Users without JS? Blind users with screen readers? Use progressive enhancement
Crossbrowser Dev Process Frameworks > raw DOM Test early, test often  Clean, disciplined code
Let’s Code! Exercises
Wrap-up
What Did We Cover Today? Language basics Html scripting Good practices Tools
What´s Missing? Server Communication Performance Security Practice practice practice!
References & Further Studies
 
 
Web Resources http://javascript.crockford.com http://cjohansen.no/javascript http://developer.yahoo.com/yui/theater http://ajaxian.com
Best Way to Learn: Start Building! http://ajaxian.com/archives/writing-a-javascript-tetris-lessons-learned-from-a-ruby-chap
Download This Workshop http://kjeldahlnilsson.net/jsnh.zip Slides, lecture notes, exercises Creative Commons license Use and distribute freely... ...or have me present it for you on-site :)
Q&A  Discussion
Contact Info [email_address] linkedin.com/in/thomaskjeldahlnilsson twitter.com/thomanil

JavaScript Needn't Hurt!

  • 1.
    JavaScript Needn’tHurt! Thomas Kjeldahl Nilsson [email_address] linkedin.com/in/thomaskjeldahlnilsson twitter.com/thomanil
  • 2.
  • 3.
    Who Are You?Done any JavaScript? Dozen lines of code? Hundreds? Thousands?
  • 4.
    Who Am I?JavaScript enthusiast Hundreds of hours Thousands lines of code Not an expert!
  • 5.
    What Are WeCovering Today? Language basics Html scripting Good practices Tools
  • 6.
  • 7.
  • 8.
  • 9.
  • 10.
  • 11.
    A Note onActionScript
  • 12.
    What Rocks? Powerful,elegant, dynamic Present & enabled for most users Not confined to the browser Small learning surface
  • 13.
    What Sucks? Rushedout the door Some bad language features Crossbrowser problems
  • 14.
  • 15.
    Language Basics SyntaxTypes Variables Objects Functions
  • 16.
    Basic Syntax Similarto Java, C# Operators, statements if-else, while, for, try-catch-finally Still in Kansas...
  • 17.
    Types Strings NumbersBooleans Objects Arrays
  • 18.
    Variable Declarations varx = “foo”; // string var x = 2; // number var x = true; // boolean var x = { }; // object var x = [ ]; // array
  • 19.
  • 20.
    Object Creation LiteralForm var BasicProject = { name : &quot;Steria Workshop&quot;, version : 1.2, getName : function() { return this.name; } };
  • 21.
    Object Creation DynamicForm var BasicProject = {}; BasicProject.name = &quot;Steria Workshop&quot;; BasicProject.version = 1.2; BasicProject.getName = function() { return this.name; };
  • 22.
    Objects as Maps(Associative Arrays) var Person = { firstname:&quot;John&quot;, lastname:&quot;Smith&quot; }; Person.firstname; // => &quot;John&quot; (Access using identifier) Person[&quot;firstname&quot;]; // => &quot;John&quot; (Access using variable name)
  • 23.
    Arrays are SpecialCase of Object var arr = []; // Always declared without size. // Grows as needed. arr[0] = true; arr[3] = &quot;john&quot;; arr[300] = { description : &quot;object!&quot; }; arr[100]; // => Undefined arr.length; // => 301
  • 24.
    Arrays and ObjectsCan Be Deeply Nested var OuterObject = { innerArray : [ innerObject : { deepestArray : [1,2,3] } ] };
  • 25.
    JSON {&quot;firstName&quot;:&quot;Gustav&quot;,&quot;lastName&quot;:&quot;Adolf&quot;, &quot;roles&quot;:[&quot;Kingof Sweden&quot;,&quot;Terrible shipbuilder&quot;], &quot;other&quot;:{&quot;birth&quot;:&quot;9.12.1594&quot;,&quot;death&quot;:&quot;16.11.1632&quot;}}
  • 26.
    Kind Familiar Looking{ &quot;firstName&quot; : &quot;Gustav&quot;, &quot;lastName&quot; : &quot;Adolf&quot;, &quot;roles&quot; : [ &quot;King of Sweden&quot;, &quot;Terrible shipbuilder&quot; ], &quot;other&quot; : { &quot;birth&quot; : &quot;9.12.1594&quot;, &quot;death&quot; : &quot;16.11.1632&quot; } }
  • 27.
    JavaScript Object Literal!var EvaluatedObject = { firstName : &quot;Gustav&quot;, lastName : &quot;Adolf&quot;, roles : [ &quot;King of Sweden&quot;, &quot;Terrible shipbuilder&quot; ], other : { birth : &quot;9.12.1594&quot;, death : &quot;16.11.1632&quot; } } ;
  • 28.
  • 29.
    Prototypal Inheritance (Simplified)var Employee = {name : &quot;CEO Jack&quot;, company : &quot;ACME Inc.&quot;}; var Janitor = Object.create(Employee); // Janitor now looks and behaves just like its prototype, Employee Janitor.company // => &quot;ACME Inc.&quot;, falls back to prototype.company Janitor.name = &quot;Janitor Tim&quot;; // Override name Janitor.tools = [&quot;broom&quot;, &quot;bucket&quot;]; // Define member variable only on child Employee.name = &quot;CEO Jane&quot;; // Change name of prototype Janitor.name; // => Still &quot;Janitor Tim&quot;. Overriden members unaffected by prototype changes
  • 30.
  • 31.
    Simple Function Definitionfunction add(a, b) { return a + b; }
  • 32.
    That's Just a Way of Saying: var add = function(a, b) { return a + b; }; // Use this consistently // Helps you remember: // Functions are just variables!
  • 33.
    An Anonymous Function...function(element) { // Do something with element }
  • 34.
    ...Can Be SentTo Another Function each(collection, function(element) { // Do something with current element });
  • 35.
    Example: Event Handlerbutton.onClick(function(element) { alert(«You clicked me!»); });
  • 36.
    Sharp Edges Globalvariables No block s cope Semicolon insertion == operator
  • 37.
    Properly Scoped Variablevar getSmallNumber = function(){ var smallNumber = 42; // Note use of var keyword return smallNumber; };
  • 38.
    Sloppy, Global Variablevar getSmallNumber = function(){ smallNumber = 42; return smallNumber; }; // Missing var prefix = smallNumber gets global scope // Becomes available for all code // Sticks around and pollutes namespace
  • 39.
    No Block Scopevar x = 1; if (true) { var x = 123; } // x => 123
  • 40.
    Semicolon insertion Don'tforce the browser to guess!
  • 41.
    Example a =b + c (d + e).print() becomes... a = b + c(d + e).print();
  • 42.
  • 43.
    Quiz '' =='0' // true or false? 0 == '' // true or false? 0 == '0' // true or false? false == 'false' // true or false? false == '0' // true or false? false == undefined // true or false? false == null // true or false? null == undefined // true or false? ' \t\r\n ' == 0 // true or false?
  • 44.
    How Many DidYou Get? '' == '0' // false 0 == '' // true 0 == '0' // true false == 'false' // false false == '0' // true false == undefined // false false == null // false null == undefined // true ' \t\r\n ' == 0 // true // Why? Type coercion on right operand, that's why.
  • 45.
    Instead, Use ===(And !==) '' === '0' // false 0 === '' // false 0 === '0' // false false === 'false' // false false === '0' // false false === undefined // false false === null // false null === undefined // false ' \t\r\n ' === 0 // false
  • 46.
    Advanced Stuff ClosuresModules Memoization
  • 47.
  • 48.
  • 49.
  • 50.
  • 51.
    <TABLE> <TBODY> <TR> <TD>Shady Grove</TD> <TD>Aeolian</TD> </TR> <TR> <TD>Over the River, Charlie</TD> <TD>Dorian</TD> </TR> </TBODY> </TABLE>
  • 52.
  • 53.
    DOM Scripting Basicsx.getElementById(id) ; // get the element with a specified id x.getElementsByTagName(name); // get all elements with a // specified tag name x.appendChild(node); // insert a child node to x x.removeChild(node), // remove a child node from x x.innerHTML = «<p>New text</p>»; // fill element with html or text
  • 54.
  • 55.
    DOM Api: CrossbrowserHeadache http://www.quirksmode.org
  • 56.
    So Use aFramework!
  • 57.
  • 58.
    Instant Win: CrossbrowserNon-verbose Traverse DOM Manipulate DOM
  • 59.
    Lots of OtherStuff, Too Server communication UI widgets and effects each(), map(), etc JSON parsing +++
  • 60.
    jQuery Function $() // Short form jQuery() // Long form
  • 61.
    Find Stuff $(“p”); // Find all paragraphs $(“#shoppingList”); // Find element with id 'shoppingList' $(“.shoppingListItem”); // Find elements with class 'shoppingListItem' $(“:text”); // Find all text elements $(“:visible”); // Find only visible elements
  • 62.
    $() Wraps andReturns Matching Element(s)
  • 63.
    Manipulate Matched DOMElements $(“p”).css(”color”, ”green”); // Set color on all paragraph elements $(“p”).hide(); // Hide all paragraphs // Make all input buttons react to mouse clicks $(“input”).click(function(){ alert(”You clicked this button!”); });
  • 64.
    Chaining Every APIcall returns jQuery object So we can chain function calls together “Fluent API”
  • 65.
    Chaining Example //Set color on all paragraph elements, then hide them all $(“p”).css(”color”, ”green”).hide();
  • 66.
  • 67.
  • 68.
    Caution! Use frameworksas needed But don't depend on them! JavaScript != jQuery
  • 69.
    Good Practices jsLintAutomated testing Unobtrusive JavaScript
  • 70.
  • 71.
  • 72.
    Unobtrusive JavaScript Structurevs behavior Separate js files Event handler setup Namespaces Universal Access
  • 73.
  • 74.
  • 75.
  • 76.
  • 77.
  • 78.
    Namespace Hygiene Allyour code within single object
  • 79.
    Universal Access Canall your users use your site? Users without JS? Blind users with screen readers? Use progressive enhancement
  • 80.
    Crossbrowser Dev ProcessFrameworks > raw DOM Test early, test often Clean, disciplined code
  • 81.
  • 82.
  • 83.
    What Did WeCover Today? Language basics Html scripting Good practices Tools
  • 84.
    What´s Missing? ServerCommunication Performance Security Practice practice practice!
  • 85.
  • 86.
  • 87.
  • 88.
    Web Resources http://javascript.crockford.comhttp://cjohansen.no/javascript http://developer.yahoo.com/yui/theater http://ajaxian.com
  • 89.
    Best Way toLearn: Start Building! http://ajaxian.com/archives/writing-a-javascript-tetris-lessons-learned-from-a-ruby-chap
  • 90.
    Download This Workshophttp://kjeldahlnilsson.net/jsnh.zip Slides, lecture notes, exercises Creative Commons license Use and distribute freely... ...or have me present it for you on-site :)
  • 91.
  • 92.
    Contact Info [email_address]linkedin.com/in/thomaskjeldahlnilsson twitter.com/thomanil

Editor's Notes