From fc3176fd1ebeb0f99ed89da2a24352d08538f48a Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Fri, 23 May 2014 06:40:54 -0700 Subject: [PATCH 001/162] Initial commit --- README.md | 4 ++++ 1 file changed, 4 insertions(+) create mode 100644 README.md diff --git a/README.md b/README.md new file mode 100644 index 00000000..b4771d7f --- /dev/null +++ b/README.md @@ -0,0 +1,4 @@ +javascript-datastructures-algorithms +==================================== + +JavaScript algorithms From 226afc0e9303147bd951b8fdb5175a54ec205524 Mon Sep 17 00:00:00 2001 From: loiane Date: Fri, 6 Jun 2014 21:01:33 -0300 Subject: [PATCH 002/162] added chapter 01 --- chapter01/01-HelloWorld.html | 14 +++++++ chapter01/01-HelloWorld.js | 8 ++++ chapter01/02-Variables.html | 10 +++++ chapter01/02-Variables.js | 15 ++++++++ chapter01/03-Operators.html | 10 +++++ chapter01/03-Operators.js | 49 +++++++++++++++++++++++++ chapter01/04-ConditionalStatements.html | 10 +++++ chapter01/04-ConditionalStatements.js | 41 +++++++++++++++++++++ chapter01/05-Loops.html | 10 +++++ chapter01/05-Loops.js | 23 ++++++++++++ chapter01/06-Functions.html | 10 +++++ chapter01/06-Functions.js | 28 ++++++++++++++ chapter01/07-ObjectOrientedJS.html | 10 +++++ chapter01/07-ObjectOrientedJS.js | 42 +++++++++++++++++++++ 14 files changed, 280 insertions(+) create mode 100644 chapter01/01-HelloWorld.html create mode 100644 chapter01/01-HelloWorld.js create mode 100644 chapter01/02-Variables.html create mode 100644 chapter01/02-Variables.js create mode 100644 chapter01/03-Operators.html create mode 100644 chapter01/03-Operators.js create mode 100644 chapter01/04-ConditionalStatements.html create mode 100644 chapter01/04-ConditionalStatements.js create mode 100644 chapter01/05-Loops.html create mode 100644 chapter01/05-Loops.js create mode 100644 chapter01/06-Functions.html create mode 100644 chapter01/06-Functions.js create mode 100644 chapter01/07-ObjectOrientedJS.html create mode 100644 chapter01/07-ObjectOrientedJS.js diff --git a/chapter01/01-HelloWorld.html b/chapter01/01-HelloWorld.html new file mode 100644 index 00000000..f7eca1bf --- /dev/null +++ b/chapter01/01-HelloWorld.html @@ -0,0 +1,14 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/01-HelloWorld.js b/chapter01/01-HelloWorld.js new file mode 100644 index 00000000..89833849 --- /dev/null +++ b/chapter01/01-HelloWorld.js @@ -0,0 +1,8 @@ +function output(t) { + document.write('

' + t + '

'); + return; +} + +alert('Hello, World!'); +console.log('Hello, World!'); +output('Hello, World!'); \ No newline at end of file diff --git a/chapter01/02-Variables.html b/chapter01/02-Variables.html new file mode 100644 index 00000000..f093a684 --- /dev/null +++ b/chapter01/02-Variables.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/02-Variables.js b/chapter01/02-Variables.js new file mode 100644 index 00000000..502ad0e9 --- /dev/null +++ b/chapter01/02-Variables.js @@ -0,0 +1,15 @@ +var num = 1; //{1} +num = 3; //{2} + +var price = 1.5; //{3} +var name = 'Packt'; //{4} +var trueValue = true; //{5} +var nullVar = null; //{6} +var und; //7 + +console.log("num: "+ num); +console.log("name: "+ num); +console.log("trueValue: "+ num); +console.log("price: "+ num); +console.log("nullVar: "+ nullVar); +console.log("und: "+ und); \ No newline at end of file diff --git a/chapter01/03-Operators.html b/chapter01/03-Operators.html new file mode 100644 index 00000000..2502aa78 --- /dev/null +++ b/chapter01/03-Operators.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/03-Operators.js b/chapter01/03-Operators.js new file mode 100644 index 00000000..3f1a0dcc --- /dev/null +++ b/chapter01/03-Operators.js @@ -0,0 +1,49 @@ +/* Arithmetic operators */ +var num = 0; + +console.log('num value is ' + num); + +num = num + 2; + +console.log('New num value is ' + num); + +num = num * 3; + +console.log('New num value is ' + num); + +num = num / 2; + +console.log('New num value is ' + num); + +num++; + +num--; + +console.log('New num value is ' + num); + +console.log('num mod 2 value is ' + (num % 2)); + + +/* Assignment operators */ +num += 1; +num -= 2; +num *= 3; +num /= 2; +num %= 3; + +console.log('New num value is ' + num); + +/* Assignment operators */ +console.log('num == 1 : ' + (num == 1)); +console.log('num === 1 : ' + (num === 1)); +console.log('num != 1 : ' + (num != 1)); +console.log('num > 1 : ' + (num > 1)); +console.log('num < 1 : ' + (num < 1)); +console.log('num >= 1 : ' + (num >= 1)); +console.log('num <= 1 : ' + (num <= 1)); + + +/* Logical operators */ +console.log('true && false : ' + (true && false)); +console.log('true || false : ' + (true || false)); +console.log('!true : ' + (!true)); \ No newline at end of file diff --git a/chapter01/04-ConditionalStatements.html b/chapter01/04-ConditionalStatements.html new file mode 100644 index 00000000..d1f7d8f0 --- /dev/null +++ b/chapter01/04-ConditionalStatements.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/04-ConditionalStatements.js b/chapter01/04-ConditionalStatements.js new file mode 100644 index 00000000..3d9cf0e5 --- /dev/null +++ b/chapter01/04-ConditionalStatements.js @@ -0,0 +1,41 @@ +/* Example 01 - if */ +var num = 1; +if (num == 1) { + console.log("num is equal to 1"); +} + +/* Example 02 - if-else */ +var num = 0; +if (num == 1) { + console.log("num is equal to 1"); +} else { + console.log("num is not equal to 1, the value of num is " + num); +} + +/* Example 03 - if-else-if-else... */ +var month = 5; +if (month == 1) { + console.log("January"); +} else if (month == 2){ + console.log("February"); +} else if (month == 3){ + console.log("March"); +} else { + console.log("Month is not January, February or March"); +} + +/* Example 04 - switch */ +var month = 5; +switch(month) { + case 1: + console.log("January"); + break; + case 2: + console.log("February"); + break; + case 3: + console.log("March"); + break; + default: + console.log("Month is not January, February or March"); +} \ No newline at end of file diff --git a/chapter01/05-Loops.html b/chapter01/05-Loops.html new file mode 100644 index 00000000..0fefd73b --- /dev/null +++ b/chapter01/05-Loops.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/05-Loops.js b/chapter01/05-Loops.js new file mode 100644 index 00000000..61cf20cb --- /dev/null +++ b/chapter01/05-Loops.js @@ -0,0 +1,23 @@ +console.log('**** for example ****'); + +/* for - example */ +for (var i=0; i<10; i++) { + console.log(i); +} + +console.log('**** while example ****'); +/* while - example */ +var i = 0; +while(i<10) +{ + console.log(i); + i++; +} + +console.log('**** do-while example ****'); +/* do-while - example */ +var i = 0; +do { + console.log(i); + i++; +} while (i<10) \ No newline at end of file diff --git a/chapter01/06-Functions.html b/chapter01/06-Functions.html new file mode 100644 index 00000000..7468734f --- /dev/null +++ b/chapter01/06-Functions.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/06-Functions.js b/chapter01/06-Functions.js new file mode 100644 index 00000000..c307c6d0 --- /dev/null +++ b/chapter01/06-Functions.js @@ -0,0 +1,28 @@ +function sayHello() { + console.log('Hello!'); +} + +sayHello(); + +/* function with parameter */ +function output(text) { + console.log(text); +} + +output('Hello!'); + +output('Hello!', 'Other text'); + +output(); + +/* function using the return statement */ +function sum(num1, num2) { + return num1 + num2; +} + +var result = sum(1,2); +output(result); + + + + diff --git a/chapter01/07-ObjectOrientedJS.html b/chapter01/07-ObjectOrientedJS.html new file mode 100644 index 00000000..91a3b533 --- /dev/null +++ b/chapter01/07-ObjectOrientedJS.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/07-ObjectOrientedJS.js b/chapter01/07-ObjectOrientedJS.js new file mode 100644 index 00000000..c67a6c78 --- /dev/null +++ b/chapter01/07-ObjectOrientedJS.js @@ -0,0 +1,42 @@ +/* Object example 1 */ + +var obj = new Object(); + +/* Object example 2 */ + +var obj = {}; + +obj = { + name: { + first: 'Gandalf', + last: 'the Grey' + }, + address: 'Middle Earth' +}; + +/* Object example 3 */ + +function Book(title, pages, isbn){ + this.title = title; + this.pages = pages; + this.isbn = isbn; + this.printIsbn = function(){ + console.log(this.isbn); + } +} + +var book = new Book('title', 'pag', 'isbn'); + +console.log(book.title); //outputs the book title + +book.title = 'new title'; //update the value of the book title + +console.log(book.title); //outputs the updated value + +Book.prototype.printTitle = function(){ + console.log(this.title); +}; + +book.printTitle(); + +book.printIsbn(); \ No newline at end of file From 4cdd1873bf174d921b8e10f04d3af17e72ecdc22 Mon Sep 17 00:00:00 2001 From: loiane Date: Fri, 6 Jun 2014 21:01:40 -0300 Subject: [PATCH 003/162] added git ignore --- .gitignore | 1 + 1 file changed, 1 insertion(+) create mode 100644 .gitignore diff --git a/.gitignore b/.gitignore new file mode 100644 index 00000000..bc8a670e --- /dev/null +++ b/.gitignore @@ -0,0 +1 @@ +.idea/* \ No newline at end of file From ebc1b858a28478a1ad811c9f6851e6adcb61737a Mon Sep 17 00:00:00 2001 From: loiane Date: Sat, 14 Jun 2014 08:30:33 -0300 Subject: [PATCH 004/162] added chapter 02 --- chapter02/01-Introduction.html | 10 +++ chapter02/01-Introduction.js | 11 +++ chapter02/02-CreatingAndInitialingArrays.html | 10 +++ chapter02/02-CreatingAndInitialingArrays.js | 31 ++++++++ chapter02/03-AddingRemovingElements.html | 10 +++ chapter02/03-AddingRemovingElements.js | 73 +++++++++++++++++++ .../04-TwoDimensionalMultiDimensional.html | 10 +++ .../04-TwoDimensionalMultiDimensional.js | 62 ++++++++++++++++ chapter02/05-ArrayMethods.html | 10 +++ chapter02/05-ArrayMethods.js | 56 ++++++++++++++ 10 files changed, 283 insertions(+) create mode 100644 chapter02/01-Introduction.html create mode 100644 chapter02/01-Introduction.js create mode 100644 chapter02/02-CreatingAndInitialingArrays.html create mode 100644 chapter02/02-CreatingAndInitialingArrays.js create mode 100644 chapter02/03-AddingRemovingElements.html create mode 100644 chapter02/03-AddingRemovingElements.js create mode 100644 chapter02/04-TwoDimensionalMultiDimensional.html create mode 100644 chapter02/04-TwoDimensionalMultiDimensional.js create mode 100644 chapter02/05-ArrayMethods.html create mode 100644 chapter02/05-ArrayMethods.js diff --git a/chapter02/01-Introduction.html b/chapter02/01-Introduction.html new file mode 100644 index 00000000..86731b13 --- /dev/null +++ b/chapter02/01-Introduction.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter02/01-Introduction.js b/chapter02/01-Introduction.js new file mode 100644 index 00000000..737ad09b --- /dev/null +++ b/chapter02/01-Introduction.js @@ -0,0 +1,11 @@ +var averageTempJan = 31.9; +var averageTempFeb = 35.3; +var averageTempMar = 42.4; +var averageTempApr = 52; +var averageTempMay = 60.8; + +averageTemp[0] = 31.9; +averageTemp[1] = 35.3; +averageTemp[2] = 42.4; +averageTemp[3] = 52; +averageTemp[4] = 60.8; \ No newline at end of file diff --git a/chapter02/02-CreatingAndInitialingArrays.html b/chapter02/02-CreatingAndInitialingArrays.html new file mode 100644 index 00000000..7a51f1c9 --- /dev/null +++ b/chapter02/02-CreatingAndInitialingArrays.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter02/02-CreatingAndInitialingArrays.js b/chapter02/02-CreatingAndInitialingArrays.js new file mode 100644 index 00000000..a3d18fcd --- /dev/null +++ b/chapter02/02-CreatingAndInitialingArrays.js @@ -0,0 +1,31 @@ +var daysOfWeek = []; + +var daysOfWeek = ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday']; + +var daysOfWeek = new Array(); //{1} + +var daysOfWeek = new Array(7); //{2} + +console.log(daysOfWeek.length); + +var daysOfWeek = new Array('Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'); //{3} + +for (var i=0; i + + + + + + + + + \ No newline at end of file diff --git a/chapter02/03-AddingRemovingElements.js b/chapter02/03-AddingRemovingElements.js new file mode 100644 index 00000000..d19aa555 --- /dev/null +++ b/chapter02/03-AddingRemovingElements.js @@ -0,0 +1,73 @@ +function printArray(myArray) { + for (var i=0; i=0; i--){ + numbers[i] = numbers[i-1]; +} + +numbers[0] = -1; + +//printArray(numbers); + +//using method unshift +numbers.unshift(-2); + +//printArray(numbers); + +numbers.unshift(-4, -3); + +//printArray(numbers); + +//**** Removing elements + +numbers.pop(); + +//remove first position manually +/*for (var i=0; i + + + + + + + + + \ No newline at end of file diff --git a/chapter02/04-TwoDimensionalMultiDimensional.js b/chapter02/04-TwoDimensionalMultiDimensional.js new file mode 100644 index 00000000..7830e4d1 --- /dev/null +++ b/chapter02/04-TwoDimensionalMultiDimensional.js @@ -0,0 +1,62 @@ +var averageTempDay1 = [72,75,79,79,81,81]; +var averageTempDay2 = [81,79,75,75,73,72]; + +var averageTemp = []; + +//same as +averageTemp[0] = [72,75,79,79,81,81]; +averageTemp[1] = [81,79,75,75,73,72]; + +function printMatrix(myMatrix) { + for (var i=0; i + + + + + + + + + \ No newline at end of file diff --git a/chapter02/05-ArrayMethods.js b/chapter02/05-ArrayMethods.js new file mode 100644 index 00000000..eff8218b --- /dev/null +++ b/chapter02/05-ArrayMethods.js @@ -0,0 +1,56 @@ +//*** contact +var zero = 0; +var positiveNumbers = [1,2,3]; +var negativeNumbers = [-3,-2,-1]; +var numbers = negativeNumbers.concat(zero, positiveNumbers); + +//document.writeln(numbers); + +//*** every and some +var isEven = function (x) { + // returns true if x is a multiple of 2. + console.log(x); + return (x % 2 == 0) ? true : false; +}; +var numbers = [1,2,3,4,5,6,7,8,9,10,11,12,13,14,15]; + +numbers.every(isEven); //is going to execute the function only once + +console.log('---'); + +numbers.some(isEven); //is going to execute the function twice + +numbers.forEach(function(x){ + console.log((x % 2 == 0)); +}); + +document.writeln(numbers.reverse()); + +//document.writeln('*** filter ***'); + +var evenNumbers = numbers.filter(isEven); + +//document.writeln(evenNumbers); + +document.writeln('*** map ***'); + +//document.writeln(numbers.map(isEven)); + +document.writeln(numbers.sort()); + +document.writeln(numbers.sort(function(a,b){ + return a-b; +})); + +//*** toString +console.log(numbers.toString()); + +console.log(numbers.indexOf(10)); +console.log(numbers.indexOf(100)); + +numbers.push(10); +console.log(numbers.lastIndexOf(10)); +console.log(numbers.lastIndexOf(100)); + +var numbersString = numbers.join('-'); +console.log(numbersString); \ No newline at end of file From e265366a7a5bd981b7ff70ab8d8609221dd68232 Mon Sep 17 00:00:00 2001 From: loiane Date: Mon, 16 Jun 2014 12:02:05 -0300 Subject: [PATCH 005/162] added chapter 03 --- chapter03/01-Stack.html | 10 ++++++ chapter03/01-Stack.js | 28 +++++++++++++++++ chapter03/02-UsingStacks.html | 11 +++++++ chapter03/02-UsingStacks.js | 13 ++++++++ chapter03/03-BalancedSymbols.html | 11 +++++++ chapter03/03-BalancedSymbols.js | 37 ++++++++++++++++++++++ chapter03/04-DecimalToBinary.html | 11 +++++++ chapter03/04-DecimalToBinary.js | 52 +++++++++++++++++++++++++++++++ chapter03/05-TowerOfHanoi.html | 11 +++++++ chapter03/05-TowerOfHanoi.js | 26 ++++++++++++++++ 10 files changed, 210 insertions(+) create mode 100644 chapter03/01-Stack.html create mode 100644 chapter03/01-Stack.js create mode 100644 chapter03/02-UsingStacks.html create mode 100644 chapter03/02-UsingStacks.js create mode 100644 chapter03/03-BalancedSymbols.html create mode 100644 chapter03/03-BalancedSymbols.js create mode 100644 chapter03/04-DecimalToBinary.html create mode 100644 chapter03/04-DecimalToBinary.js create mode 100644 chapter03/05-TowerOfHanoi.html create mode 100644 chapter03/05-TowerOfHanoi.js diff --git a/chapter03/01-Stack.html b/chapter03/01-Stack.html new file mode 100644 index 00000000..e936b4e1 --- /dev/null +++ b/chapter03/01-Stack.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter03/01-Stack.js b/chapter03/01-Stack.js new file mode 100644 index 00000000..139d5fea --- /dev/null +++ b/chapter03/01-Stack.js @@ -0,0 +1,28 @@ +function Stack() { + + this.items = []; + + this.push = function(element){ + this.items.push(element); + }; + + this.pop = function(){ + return this.items.pop(); + }; + + this.peek = function(){ + return this.items[this.items.length-1]; + }; + + this.isEmpty = function(){ + return this.items.length == 0; + }; + + this.size = function(){ + return this.items.length; + }; + + this.print = function(){ + console.log(this.items.toString()); + }; +} \ No newline at end of file diff --git a/chapter03/02-UsingStacks.html b/chapter03/02-UsingStacks.html new file mode 100644 index 00000000..1772e441 --- /dev/null +++ b/chapter03/02-UsingStacks.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter03/02-UsingStacks.js b/chapter03/02-UsingStacks.js new file mode 100644 index 00000000..8e5f5b19 --- /dev/null +++ b/chapter03/02-UsingStacks.js @@ -0,0 +1,13 @@ +var stack = new Stack(); + console.log(stack.isEmpty()); //outputs true + stack.push(5); + stack.push(8); + console.log(stack.peek()); // outputs 8 + stack.push(11); + console.log(stack.size()); // outputs 3 + console.log(stack.isEmpty()); //outputs false + stack.push(15); + stack.pop(); + stack.pop(); + console.log(stack.size()); // outputs 2 + stack.print(); // outputs [5, 8] \ No newline at end of file diff --git a/chapter03/03-BalancedSymbols.html b/chapter03/03-BalancedSymbols.html new file mode 100644 index 00000000..d347fe2e --- /dev/null +++ b/chapter03/03-BalancedSymbols.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter03/03-BalancedSymbols.js b/chapter03/03-BalancedSymbols.js new file mode 100644 index 00000000..6a49ee6b --- /dev/null +++ b/chapter03/03-BalancedSymbols.js @@ -0,0 +1,37 @@ +function matches(open, close){ + var opens = "([{", + closers = ")]}"; + return opens.indexOf(open) == closers.indexOf(close); +} + +function parenthesesChecker(symbols){ + + var stack = new Stack(), + balanced = true, + index = 0, + symbol, top; + + while (index < symbols.length && balanced){ + symbol = symbols.charAt(index); + if (symbol == '('|| symbol == '[' || symbol == '{'){ + stack.push(symbol); + } else { + if (stack.isEmpty()){ + balanced = false; + } else { + top = stack.pop(); + if (!matches(top, symbol)){ + balanced = false; + } + } + } + index++; + } + if (balanced && stack.isEmpty()){ + return true; + } + return false; +} + +console.log(parenthesesChecker('{{([][])}()}')); +console.log(parenthesesChecker('[{()]')); \ No newline at end of file diff --git a/chapter03/04-DecimalToBinary.html b/chapter03/04-DecimalToBinary.html new file mode 100644 index 00000000..a178b773 --- /dev/null +++ b/chapter03/04-DecimalToBinary.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter03/04-DecimalToBinary.js b/chapter03/04-DecimalToBinary.js new file mode 100644 index 00000000..d4695b51 --- /dev/null +++ b/chapter03/04-DecimalToBinary.js @@ -0,0 +1,52 @@ +//233 == 11101001 +//2x(10x10) + 3x(10) + 3x(1) + +function divideBy2(decNumber){ + + var remStack = new Stack(), + rem, + binaryString = ''; + + while (decNumber > 0){ + rem = Math.floor(decNumber % 2); + remStack.push(rem); + decNumber = Math.floor(decNumber / 2); + } + + while (!remStack.isEmpty()){ + binaryString += remStack.pop().toString(); + } + + return binaryString; +} + +console.log(divideBy2(233)); +console.log(divideBy2(10)); +console.log(divideBy2(1000)); + +/* + The folow algorithm converts from base 10 to any base + */ +function baseConverter(decNumber, base){ + + var remStack = new Stack(), + rem, + baseString = '', + digits = '0123456789ABCDEF'; + + while (decNumber > 0){ + rem = Math.floor(decNumber % base); + remStack.push(rem); + decNumber = Math.floor(decNumber / base); + } + + while (!remStack.isEmpty()){ + baseString += digits[remStack.pop()]; + } + + return baseString; +} + +console.log(baseConverter(100345, 2)); +console.log(baseConverter(100345, 8)); +console.log(baseConverter(100345, 16)); \ No newline at end of file diff --git a/chapter03/05-TowerOfHanoi.html b/chapter03/05-TowerOfHanoi.html new file mode 100644 index 00000000..8e11f147 --- /dev/null +++ b/chapter03/05-TowerOfHanoi.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter03/05-TowerOfHanoi.js b/chapter03/05-TowerOfHanoi.js new file mode 100644 index 00000000..34205bc1 --- /dev/null +++ b/chapter03/05-TowerOfHanoi.js @@ -0,0 +1,26 @@ +function towerOfHanoi(n, from, to, helper){ + + if (n > 0){ + towerOfHanoi(n-1, from, helper, to); + to.push(from.pop()); + console.log('-----') + console.log('Source: ' + from.items.toString()); + console.log('Dest: ' + to.items.toString()); + console.log('Helper: ' + helper.items.toString()); + towerOfHanoi(n-1, helper, to, from); + } +} + +var source = new Stack(); +source.push(3); +source.push(2); +source.push(1); + +var dest = new Stack(); +var helper = new Stack(); + +towerOfHanoi(3, source, dest, helper); + +source.print(); +helper.print(); +dest.print(); \ No newline at end of file From 5cc6aa11b8f216554ea09f05853520ee2b17bb23 Mon Sep 17 00:00:00 2001 From: loiane Date: Tue, 24 Jun 2014 11:36:17 -0300 Subject: [PATCH 006/162] added chapter 04 --- chapter04/01-Queue.html | 10 +++++++ chapter04/01-Queue.js | 28 +++++++++++++++++ chapter04/02-UsingQueues.html | 11 +++++++ chapter04/02-UsingQueues.js | 12 ++++++++ chapter04/03-PriorityQueue.html | 10 +++++++ chapter04/03-PriorityQueue.js | 53 +++++++++++++++++++++++++++++++++ chapter04/04-HotPotato.html | 11 +++++++ chapter04/04-HotPotato.js | 23 ++++++++++++++ 8 files changed, 158 insertions(+) create mode 100644 chapter04/01-Queue.html create mode 100644 chapter04/01-Queue.js create mode 100644 chapter04/02-UsingQueues.html create mode 100644 chapter04/02-UsingQueues.js create mode 100644 chapter04/03-PriorityQueue.html create mode 100644 chapter04/03-PriorityQueue.js create mode 100644 chapter04/04-HotPotato.html create mode 100644 chapter04/04-HotPotato.js diff --git a/chapter04/01-Queue.html b/chapter04/01-Queue.html new file mode 100644 index 00000000..4220c419 --- /dev/null +++ b/chapter04/01-Queue.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter04/01-Queue.js b/chapter04/01-Queue.js new file mode 100644 index 00000000..6058724d --- /dev/null +++ b/chapter04/01-Queue.js @@ -0,0 +1,28 @@ +function Queue() { + + this.items = []; + + this.enqueue = function(element){ + this.items.push(element); + }; + + this.dequeue = function(){ + return this.items.shift(); + }; + + this.front = function(){ + return this.items[0]; + }; + + this.isEmpty = function(){ + return this.items.length == 0; + }; + + this.size = function(){ + return this.items.length; + }; + + this.print = function(){ + console.log(this.items.toString()); + }; +} diff --git a/chapter04/02-UsingQueues.html b/chapter04/02-UsingQueues.html new file mode 100644 index 00000000..c39e78b4 --- /dev/null +++ b/chapter04/02-UsingQueues.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter04/02-UsingQueues.js b/chapter04/02-UsingQueues.js new file mode 100644 index 00000000..fcef6c91 --- /dev/null +++ b/chapter04/02-UsingQueues.js @@ -0,0 +1,12 @@ +var queue = new Queue(); +console.log(queue.isEmpty()); //outputs true +queue.enqueue("John"); +queue.enqueue("Jack"); +queue.print(); +queue.enqueue("Camila"); +queue.print(); +console.log(queue.size()); //outputs 3 +console.log(queue.isEmpty()); //outputs false +queue.dequeue(); +queue.dequeue(); +queue.print(); \ No newline at end of file diff --git a/chapter04/03-PriorityQueue.html b/chapter04/03-PriorityQueue.html new file mode 100644 index 00000000..924bf7c4 --- /dev/null +++ b/chapter04/03-PriorityQueue.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter04/03-PriorityQueue.js b/chapter04/03-PriorityQueue.js new file mode 100644 index 00000000..be93eff7 --- /dev/null +++ b/chapter04/03-PriorityQueue.js @@ -0,0 +1,53 @@ +function PriorityQueue() { + + this.items = []; + + function QueueElement (element, priority){ + this.element = element; + this.priority = priority; + } + + this.enqueue = function(element, priority){ + var queueElement = new QueueElement(element, priority); + + if (this.isEmpty()){ + this.items.push(queueElement); + } else { + for (var i=0; i + + + + + + + + + + \ No newline at end of file diff --git a/chapter04/04-HotPotato.js b/chapter04/04-HotPotato.js new file mode 100644 index 00000000..83554a1c --- /dev/null +++ b/chapter04/04-HotPotato.js @@ -0,0 +1,23 @@ +function hotPotato (nameList, num){ + + var queue = new Queue(); + + for (var i=0; i 1){ + for (var i=0; i Date: Wed, 9 Jul 2014 14:53:37 -0300 Subject: [PATCH 007/162] added chapter 05 --- chapter05/01-Linked-List.js | 166 ++++++++++++++++++ chapter05/02-UsingLinkedLists.html | 11 ++ chapter05/02-UsingLinkedLists.js | 32 ++++ chapter05/03-Doubly-Linked-List.js | 212 +++++++++++++++++++++++ chapter05/04-UsingDoublyLinkedLists.html | 11 ++ chapter05/04-UsingDoublyLinkedLists.js | 49 ++++++ chapter05/05-CircularLinkedList.js | 0 chapter05/06-CircularDoublyLinkedList.js | 0 8 files changed, 481 insertions(+) create mode 100644 chapter05/01-Linked-List.js create mode 100644 chapter05/02-UsingLinkedLists.html create mode 100644 chapter05/02-UsingLinkedLists.js create mode 100644 chapter05/03-Doubly-Linked-List.js create mode 100644 chapter05/04-UsingDoublyLinkedLists.html create mode 100644 chapter05/04-UsingDoublyLinkedLists.js create mode 100644 chapter05/05-CircularLinkedList.js create mode 100644 chapter05/06-CircularDoublyLinkedList.js diff --git a/chapter05/01-Linked-List.js b/chapter05/01-Linked-List.js new file mode 100644 index 00000000..483e9f70 --- /dev/null +++ b/chapter05/01-Linked-List.js @@ -0,0 +1,166 @@ +function LinkedList() { + + var Node = function(element){ + + this.element = element; + this.next = null; + }; + + var length = 0; + var head = null; + + this.append = function(element){ + + var node = new Node(element), + current; + + if (head === null){ //first node on list + head = node; + } else { + + current = head; + + //loop the list until find last item + while(current.next){ + current = current.next; + } + + //get last item and assign next to added item to make the link + current.next = node; + } + + length++; //update size of list + }; + + this.insert = function(position, element){ + + //check for out-of-bounds values + if (position >= 0 && position <= length){ + + var node = new Node(element), + current = head, + previous, + index = 0; + + if (position === 0){ //add on first position + + node.next = current; + head = node; + + } else { + while (index++ < position){ + previous = current; + current = current.next; + } + node.next = current; + previous.next = node; + } + + length++; //update size of list + + return true; + + } else { + return false; + } + }; + + this.removeAt = function(position){ + + //check for out-of-bounds values + if (position > -1 && position < length){ + + var current = head, + previous, + index = 0; + + //removing first item + if (position === 0){ + head = current.next; + } else { + + while (index++ < position){ + + previous = current; + current = current.next; + } + + //link previous with current's next - skip it to remove + previous.next = current.next; + } + + length--; + + return current.element; + + } else { + return null; + } + }; + + this.remove = function(element){ + + var index = this.indexOf(element); + return this.removeAt(index); + }; + + this.indexOf = function(element){ + + var current = head, + index = -1; + + //check first item + if (element == current.element){ + return 0; + } + + index++; + + //check in the middle of the list + while(current.next){ + + if (element == current.element){ + return index; + } + + current = current.next; + index++; + } + + //check last item + if (element == current.element){ + return index; + } + + return -1; + }; + + this.isEmpty = function() { + return length === 0; + }; + + this.size = function() { + return length; + }; + + this.getHead = function(){ + return head; + }; + + this.toString = function(){ + + var current = head, + s = current.element; + + while(current.next){ + current = current.next; + s += ', ' + current.element; + } + + return s; + }; + + this.print = function(){ + console.log(this.toString()); + } +} \ No newline at end of file diff --git a/chapter05/02-UsingLinkedLists.html b/chapter05/02-UsingLinkedLists.html new file mode 100644 index 00000000..da977b75 --- /dev/null +++ b/chapter05/02-UsingLinkedLists.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter05/02-UsingLinkedLists.js b/chapter05/02-UsingLinkedLists.js new file mode 100644 index 00000000..9c92c483 --- /dev/null +++ b/chapter05/02-UsingLinkedLists.js @@ -0,0 +1,32 @@ +var list = new LinkedList(); +list.append(15); +list.print(); +console.log(list.indexOf(15)); +list.append(10); +list.print(); +console.log(list.indexOf(10)); +list.append(13); +list.print(); +console.log(list.indexOf(13)); +console.log(list.indexOf(10)); +list.append(11); +list.append(12); +list.print(); +console.log(list.removeAt(1)); +list.print() +console.log(list.removeAt(3)); +list.print(); +list.append(14); +list.print(); +list.insert(0,16); +list.print(); +list.insert(1,17); +list.print(); +list.insert(list.size(),18); +list.print(); +list.remove(16); +list.print(); +list.remove(11); +list.print(); +list.remove(18); +list.print(); \ No newline at end of file diff --git a/chapter05/03-Doubly-Linked-List.js b/chapter05/03-Doubly-Linked-List.js new file mode 100644 index 00000000..0197cb19 --- /dev/null +++ b/chapter05/03-Doubly-Linked-List.js @@ -0,0 +1,212 @@ +function DoublyLinkedList() { + + var Node = function(element){ + + this.element = element; + this.next = null; + this.prev = null; //NEW + }; + + var length = 0; + var head = null; + var tail = null; //NEW + + this.append = function(element){ + + var node = new Node(element), + current; + + if (head === null){ //first node on list + head = node; + tail = node; //NEW + } else { + + //attach to the tail node //NEW + tail.next = node; + node.prev = tail; + tail = node; + } + + length++; //update size of list + }; + + this.insert = function(position, element){ + + //check for out-of-bounds values + if (position >= 0 && position <= length){ + + var node = new Node(element), + current = head, + previous, + index = 0; + + if (position === 0){ //add on first position + + node.next = current; + current.prev = node; //NEW {1} + head = node; + + } else if (position === length-1) { //last item //NEW + + current = tail; // {2} + current.next = node; + node.prev = current; + tail = node; + + } else { + while (index++ < position){ //{3} + previous = current; + current = current.next; + } + node.next = current; + previous.next = node; + + current.prev = node; //NEW + node.prev = previous; //NEW + } + + length++; //update size of list + + return true; + + } else { + return false; + } + }; + + this.removeAt = function(position){ + + //check for out-of-bounds values + if (position > -1 && position < length){ + + var current = head, + previous, + index = 0; + + //removing first item + if (position === 0){ + + head = current.next; // {1} + + //if there is only one item, then we update tail as well //NEW + if (length === 1){ // {2} + tail = null; + } else { + head.prev = null; // {3} + } + + } else if (position === length-1){ //last item //NEW + + current = tail; // {4} + tail = current.prev; + tail.next = null; + + } else { + + while (index++ < position){ // {5} + + previous = current; + current = current.next; + } + + //link previous with current's next - skip it to remove + previous.next = current.next; // {6} + current.next.prev = previous; //NEW + } + + length--; + + return current.element; + + } else { + return null; + } + }; + + this.remove = function(element){ + + var index = this.indexOf(element); + return this.removeAt(index); + }; + + this.indexOf = function(element){ + + var current = head, + index = -1; + + //check first item + if (element == current.element){ + return 0; + } + + index++; + + //check in the middle of the list + while(current.next){ + + if (element == current.element){ + return index; + } + + current = current.next; + index++; + } + + //check last item + if (element == current.element){ + return index; + } + + return -1; + }; + + this.isEmpty = function() { + return length === 0; + }; + + this. size = function() { + return length; + }; + + this.toString = function(){ + + var current = head, + s = current ? current.element : ''; + + while(current && current.next){ + current = current.next; + s += ', ' + current.element; + } + + return s; + }; + + this.inverseToString = function() { + + var current = tail, + s = current ? current.element : ''; + + while(current && current.prev){ + current = current.prev; + s += ', ' + current.element; + } + + return s; + }; + + this.print = function(){ + console.log(this.toString()); + }; + + this.printInverse = function(){ + console.log(this.inverseToString()); + }; + + this.getHead = function(){ + return head; + }; + + this.getTail = function(){ + return tail; + } +} \ No newline at end of file diff --git a/chapter05/04-UsingDoublyLinkedLists.html b/chapter05/04-UsingDoublyLinkedLists.html new file mode 100644 index 00000000..d4b60521 --- /dev/null +++ b/chapter05/04-UsingDoublyLinkedLists.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter05/04-UsingDoublyLinkedLists.js b/chapter05/04-UsingDoublyLinkedLists.js new file mode 100644 index 00000000..31fba8e8 --- /dev/null +++ b/chapter05/04-UsingDoublyLinkedLists.js @@ -0,0 +1,49 @@ +var list = new DoublyLinkedList(); + +list.append(15); +list.print(); +list.printInverse(); + +list.append(16); +list.print(); +list.printInverse(); + +list.append(17); +list.print(); +list.printInverse(); + +list.insert(0,13); +list.print(); +list.printInverse(); + +list.insert(list.size()-1,18); +list.print(); +list.printInverse(); + +list.insert(1,14); +list.print(); +list.printInverse(); + +list.removeAt(0); +list.print(); +list.printInverse(); + +list.removeAt(list.size()-1); +list.print(); +list.printInverse(); + +list.removeAt(1); +list.print(); +list.printInverse(); + +list.remove(16); +list.print(); +list.printInverse(); + +list.remove(14); +list.print(); +list.printInverse(); + +list.remove(17); +list.print(); +list.printInverse(); \ No newline at end of file diff --git a/chapter05/05-CircularLinkedList.js b/chapter05/05-CircularLinkedList.js new file mode 100644 index 00000000..e69de29b diff --git a/chapter05/06-CircularDoublyLinkedList.js b/chapter05/06-CircularDoublyLinkedList.js new file mode 100644 index 00000000..e69de29b From 0a445ccf1f88b8b8419bb5c46319aedd4f5ff4a9 Mon Sep 17 00:00:00 2001 From: loiane Date: Wed, 9 Jul 2014 14:53:44 -0300 Subject: [PATCH 008/162] added chapter 06 --- chapter06/01-Set.js | 135 +++++++++++++++++++++++++++++++++++ chapter06/02-UsingSets.html | 11 +++ chapter06/02-UsingSets.js | 17 +++++ chapter06/03-Operations.html | 11 +++ chapter06/03-Operations.js | 64 +++++++++++++++++ 5 files changed, 238 insertions(+) create mode 100644 chapter06/01-Set.js create mode 100644 chapter06/02-UsingSets.html create mode 100644 chapter06/02-UsingSets.js create mode 100644 chapter06/03-Operations.html create mode 100644 chapter06/03-Operations.js diff --git a/chapter06/01-Set.js b/chapter06/01-Set.js new file mode 100644 index 00000000..7791c03d --- /dev/null +++ b/chapter06/01-Set.js @@ -0,0 +1,135 @@ +/** + * ECMSCRIPT 6 already have a Set class implementation: + * https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Set + * We will try to copy the same functionalities + * @constructor + */ +function Set() { + + var items = {}; + + this.add = function(value){ + if (!this.has(value)){ + items[value] = value; + return true; + } + return false; + }; + + this.remove = function(value){ + if (this.has(value)){ + delete items[value]; + return true; + } + return false; + }; + + this.has = function(value){ + return value in items; + }; + + this.clear = function(){ + items = {}; + }; + + /** + * Modern browsers function + * IE9+, FF4+, Chrome5+, Opera12+, Safari5+ + * @returns {Number} + */ + this.size = function(){ + return Object.keys(items).length; + }; + + /** + * cross browser compatibility - legacy browsers + * for modern browsers use size function + * @returns {number} + */ + this.sizeLegacy = function(){ + var count = 0; + for(var prop in items) { + if(items.hasOwnProperty(prop)) + ++count; + } + return count; + }; + + /** + * Modern browsers function + * IE9+, FF4+, Chrome5+, Opera12+, Safari5+ + * @returns {Array} + */ + this.values = function(){ + return Object.keys(items); + }; + + this.valuesLegacy = function(){ + var keys = []; + for(var key in items){ + keys.push(key); + } + return keys; + }; + + this.getItems = function(){ + return items; + }; + + this.union = function(otherSet){ + var unionSet = new Set(); //{1} + + var values = this.values(); //{2} + for (var i=0; i otherSet.size()){ //{1} + return false; + } else { + var values = this.values(); + for (var i=0; i + + + + + + + + + + \ No newline at end of file diff --git a/chapter06/02-UsingSets.js b/chapter06/02-UsingSets.js new file mode 100644 index 00000000..ebdd0671 --- /dev/null +++ b/chapter06/02-UsingSets.js @@ -0,0 +1,17 @@ +var set = new Set(); + +set.add(1); +console.log(set.values()); //outputs ["1"] +console.log(set.has(1)); //outputs true +console.log(set.size()); //outputs 1 + +set.add(2); +console.log(set.values()); //outputs ["1", "2"] +console.log(set.has(2)); //true +console.log(set.size()); //2 + +set.remove(1); +console.log(set.values()); //outputs ["2"] + +set.remove(2); +console.log(set.values()); //outputs [] \ No newline at end of file diff --git a/chapter06/03-Operations.html b/chapter06/03-Operations.html new file mode 100644 index 00000000..ff01c7ae --- /dev/null +++ b/chapter06/03-Operations.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter06/03-Operations.js b/chapter06/03-Operations.js new file mode 100644 index 00000000..571e34a4 --- /dev/null +++ b/chapter06/03-Operations.js @@ -0,0 +1,64 @@ +//--------- Union ---------- + +var setA = new Set(); +setA.add(1); +setA.add(2); +setA.add(3); + +var setB = new Set(); +setB.add(4); +setB.add(5); +setB.add(6); + +var unionAB = setA.union(setB); +console.log(unionAB.values()); + + +//--------- Intersection ---------- + +var setA = new Set(); +setA.add(1); +setA.add(2); +setA.add(3); + +var setB = new Set(); +setB.add(2); +setB.add(3); +setB.add(4); + +var intersectionAB = setA.intersection(setB); +console.log(intersectionAB.values()); + +//--------- Difference ---------- + +var setA = new Set(); +setA.add(1); +setA.add(2); +setA.add(3); + +var setB = new Set(); +setB.add(2); +setB.add(3); +setB.add(4); + +var differenceAB = setA.difference(setB); +console.log(differenceAB.values()); + +//--------- Subset ---------- + +var setA = new Set(); +setA.add(1); +setA.add(2); + +var setB = new Set(); +setB.add(1); +setB.add(2); +setB.add(3); + +var setC = new Set(); +setC.add(2); +setC.add(3); +setC.add(4); + +console.log(setA.subset(setB)); +console.log(setA.subset(setC)); From 66b57b4bbd7e7259e1045f5d40489c0074b322e5 Mon Sep 17 00:00:00 2001 From: loiane Date: Mon, 14 Jul 2014 14:09:11 -0300 Subject: [PATCH 009/162] added chapter 7 --- chapter07/01-Dictionaries.js | 58 +++++++++++ chapter07/02-UsingDictionaries.html | 11 +++ chapter07/02-UsingDictionaries.js | 19 ++++ chapter07/03-HashTable.js | 46 +++++++++ chapter07/04-UsingHash.html | 11 +++ chapter07/04-UsingHash.js | 29 ++++++ chapter07/05-HashCollisionSeparateChaining.js | 99 +++++++++++++++++++ ...06-UsingHashCollisionSeparateChaining.html | 12 +++ .../06-UsingHashCollisionSeparateChaining.js | 40 ++++++++ chapter07/07-HashCollisionLinearProbing.js | 85 ++++++++++++++++ .../08-UsingHashCollisionLinearProbing.html | 11 +++ .../08-UsingHashCollisionLinearProbing.js | 29 ++++++ 12 files changed, 450 insertions(+) create mode 100644 chapter07/01-Dictionaries.js create mode 100644 chapter07/02-UsingDictionaries.html create mode 100644 chapter07/02-UsingDictionaries.js create mode 100644 chapter07/03-HashTable.js create mode 100644 chapter07/04-UsingHash.html create mode 100644 chapter07/04-UsingHash.js create mode 100644 chapter07/05-HashCollisionSeparateChaining.js create mode 100644 chapter07/06-UsingHashCollisionSeparateChaining.html create mode 100644 chapter07/06-UsingHashCollisionSeparateChaining.js create mode 100644 chapter07/07-HashCollisionLinearProbing.js create mode 100644 chapter07/08-UsingHashCollisionLinearProbing.html create mode 100644 chapter07/08-UsingHashCollisionLinearProbing.js diff --git a/chapter07/01-Dictionaries.js b/chapter07/01-Dictionaries.js new file mode 100644 index 00000000..4f102099 --- /dev/null +++ b/chapter07/01-Dictionaries.js @@ -0,0 +1,58 @@ +function Dictionary(){ + + var items = {}; + + this.set = function(key, value){ + items[key] = value; //{1} + }; + + this.remove = function(key){ + if (this.has(key)){ + delete items[key]; + return true; + } + return false; + }; + + this.has = function(key){ + return key in items; + }; + + this.get = function(key) { + return this.has(key) ? items[key] : undefined; + }; + + this.clear = function(){ + items = {}; + }; + + this.size = function(){ + return Object.keys(items).length; + }; + + this.keys = function(){ + return Object.keys(items); + }; + + this.values = function(){ + var values = []; + for (var k in items) { + if (this.has(k)) { + values.push(items[k]); + } + } + return values; + }; + + this.each = function(fn) { + for (var k in items) { + if (this.has(k)) { + fn(k, items[k]); + } + } + }; + + this.getItems = function(){ + return items; + } +} \ No newline at end of file diff --git a/chapter07/02-UsingDictionaries.html b/chapter07/02-UsingDictionaries.html new file mode 100644 index 00000000..f0f8e0eb --- /dev/null +++ b/chapter07/02-UsingDictionaries.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter07/02-UsingDictionaries.js b/chapter07/02-UsingDictionaries.js new file mode 100644 index 00000000..3fc4db6f --- /dev/null +++ b/chapter07/02-UsingDictionaries.js @@ -0,0 +1,19 @@ +var dictionary = new Dictionary(); + +dictionary.set('Gandalf', 'gandalf@email.com'); +dictionary.set('John', 'johnsnow@email.com'); +dictionary.set('Tyrion', 'tyrion@email.com'); + +console.log(dictionary.has('Gandalf')); //outputs true +console.log(dictionary.size()); //outputs 3 + +console.log(dictionary.keys()); //outputs ["Gandalf", "John", "Tyrion"] +console.log(dictionary.values()); //outputs ["gandalf@email.com", "johnsnow@email.com", "tyrion@email.com"] +console.log(dictionary.get('Tyrion')); //outputs tyrion@email.com + +dictionary.remove('John'); + +console.log(dictionary.keys()); //outputs ["Gandalf", "Tyrion"] +console.log(dictionary.values()); //outputs ["gandalf@email.com", "tyrion@email.com"] + +console.log(dictionary.getItems()); //Object {Gandalf: "gandalf@email.com", Tyrion: "tyrion@email.com"} \ No newline at end of file diff --git a/chapter07/03-HashTable.js b/chapter07/03-HashTable.js new file mode 100644 index 00000000..c72783aa --- /dev/null +++ b/chapter07/03-HashTable.js @@ -0,0 +1,46 @@ +function HashTable() { + + var table = []; + + var loseloseHashCode = function (key) { + var hash = 0; + for (var i = 0; i < key.length; i++) { + hash += key.charCodeAt(i); + } + return hash % 37; + }; + + var djb2HashCode = function (key) { + var hash = 5381; + for (var i = 0; i < key.length; i++) { + hash = hash * 33 + key.charCodeAt(i); + } + return hash % 1013; + }; + + var hashCode = function (key) { + return loseloseHashCode(key); + }; + + this.put = function (key, value) { + var position = hashCode(key); + console.log(position + ' - ' + key); + table[position] = value; + }; + + this.get = function (key) { + return table[hashCode(key)]; + }; + + this.remove = function(key){ + table[hashCode(key)] = undefined; + }; + + this.print = function () { + for (var i = 0; i < table.length; ++i) { + if (table[i] !== undefined) { + console.log(i + ": " + table[i]); + } + } + }; +} \ No newline at end of file diff --git a/chapter07/04-UsingHash.html b/chapter07/04-UsingHash.html new file mode 100644 index 00000000..104be603 --- /dev/null +++ b/chapter07/04-UsingHash.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter07/04-UsingHash.js b/chapter07/04-UsingHash.js new file mode 100644 index 00000000..d0735eeb --- /dev/null +++ b/chapter07/04-UsingHash.js @@ -0,0 +1,29 @@ +var hash = new HashTable(); + +hash.put('Gandalf', 'gandalf@email.com'); +hash.put('John', 'johnsnow@email.com'); +hash.put('Tyrion', 'tyrion@email.com'); +hash.put('Aaron', 'aaron@email.com'); +hash.put('Donnie', 'donnie@email.com'); +hash.put('Ana', 'ana@email.com'); +hash.put('Jonathan', 'jonathan@email.com'); +hash.put('Jamie', 'jamie@email.com'); +hash.put('Sue', 'sue@email.com'); +hash.put('Mindy', 'mindy@email.com'); +hash.put('Paul', 'paul@email.com'); +hash.put('Nathan', 'nathan@email.com'); + +console.log('**** Printing Hash **** '); + +hash.print(); + +console.log('**** Get **** '); + +console.log(hash.get('Gandalf')); +console.log(hash.get('Loiane')); + +console.log('**** Remove **** '); + +hash.remove('Gandalf'); +console.log(hash.get('Gandalf')); +hash.print(); \ No newline at end of file diff --git a/chapter07/05-HashCollisionSeparateChaining.js b/chapter07/05-HashCollisionSeparateChaining.js new file mode 100644 index 00000000..f32833cf --- /dev/null +++ b/chapter07/05-HashCollisionSeparateChaining.js @@ -0,0 +1,99 @@ +function HashTableSeparateChaining(){ + + var table = []; + + var ValuePair = function(key, value){ + this.key = key; + this.value = value; + + this.toString = function() { + return '[' + this.key + ' - ' + this.value + ']'; + } + }; + + var loseloseHashCode = function (key) { + var hash = 0; + for (var i = 0; i < key.length; i++) { + hash += key.charCodeAt(i); + } + return hash % 37; + }; + + var hashCode = function(key){ + return loseloseHashCode(key); + }; + + this.put = function(key, value){ + var position = hashCode(key); + console.log(position + ' - ' + key); + + if (table[position] == undefined) { + table[position] = new LinkedList(); + } + table[position].append(new ValuePair(key, value)); + }; + + this.get = function(key) { + var position = hashCode(key); + + if (table[position] !== undefined && !table[position].isEmpty()){ + + //iterate linked list to find key/value + var current = table[position].getHead(); + + while(current.next){ + if (current.element.key === key){ + return current.element.value; + } + current = current.next; + } + + //check in case first or last element + if (current.element.key === key){ + return current.element.value; + } + } + return undefined; + }; + + this.remove = function(key){ + + var position = hashCode(key); + + if (table[position] !== undefined){ + + //iterate linked list to find key/value + var current = table[position].getHead(); + + while(current.next){ + if (current.element.key === key){ + table[position].remove(current.element); + if (table[position].isEmpty()){ + table[position] = undefined; + } + return true; + } + current = current.next; + } + + //check in case first or last element + if (current.element.key === key){ + table[position].remove(current.element); + if (table[position].isEmpty()){ + table[position] = undefined; + } + return true; + } + } + + return false; + }; + + this.print = function() { + for (var i = 0; i < table.length; ++i) { + if (table[i] !== undefined) { + console.log(table[i].toString()); + } + } + }; +} \ No newline at end of file diff --git a/chapter07/06-UsingHashCollisionSeparateChaining.html b/chapter07/06-UsingHashCollisionSeparateChaining.html new file mode 100644 index 00000000..e1741527 --- /dev/null +++ b/chapter07/06-UsingHashCollisionSeparateChaining.html @@ -0,0 +1,12 @@ + + + + + + + + + + + + \ No newline at end of file diff --git a/chapter07/06-UsingHashCollisionSeparateChaining.js b/chapter07/06-UsingHashCollisionSeparateChaining.js new file mode 100644 index 00000000..2a0d3c37 --- /dev/null +++ b/chapter07/06-UsingHashCollisionSeparateChaining.js @@ -0,0 +1,40 @@ +var hashTableSeparateChaining = new HashTableSeparateChaining(); + +hashTableSeparateChaining.put('Gandalf', 'gandalf@email.com'); +hashTableSeparateChaining.put('John', 'johnsnow@email.com'); +hashTableSeparateChaining.put('Tyrion', 'tyrion@email.com'); +hashTableSeparateChaining.put('Aaron', 'aaron@email.com'); +hashTableSeparateChaining.put('Donnie', 'donnie@email.com'); +hashTableSeparateChaining.put('Ana', 'ana@email.com'); +hashTableSeparateChaining.put('Jonathan', 'jonathan@email.com'); +hashTableSeparateChaining.put('Jamie', 'jamie@email.com'); +hashTableSeparateChaining.put('Sue', 'sue@email.com'); +hashTableSeparateChaining.put('Mindy', 'mindy@email.com'); +hashTableSeparateChaining.put('Paul', 'paul@email.com'); +hashTableSeparateChaining.put('Nathan', 'nathan@email.com'); + +console.log('**** Printing Hash **** '); + +hashTableSeparateChaining.print(); + +console.log('**** Get **** '); + +console.log(hashTableSeparateChaining.get('Jamie')); +console.log(hashTableSeparateChaining.get('Sue')); +console.log(hashTableSeparateChaining.get('Jonathan')); +console.log(hashTableSeparateChaining.get('Loiane')); + +console.log('**** Remove **** '); + +console.log(hashTableSeparateChaining.remove('Gandalf')); +console.log(hashTableSeparateChaining.get('Gandalf')); +hashTableSeparateChaining.print(); + +console.log(hashTableSeparateChaining.remove('Sue')); +hashTableSeparateChaining.print(); + +console.log(hashTableSeparateChaining.remove('Jamie')); +hashTableSeparateChaining.print(); + +console.log(hashTableSeparateChaining.remove('Donnie')); +hashTableSeparateChaining.print(); \ No newline at end of file diff --git a/chapter07/07-HashCollisionLinearProbing.js b/chapter07/07-HashCollisionLinearProbing.js new file mode 100644 index 00000000..74fdbac5 --- /dev/null +++ b/chapter07/07-HashCollisionLinearProbing.js @@ -0,0 +1,85 @@ +function HashLinearProbing(){ + + var table = []; + + var ValuePair = function(key, value){ + this.key = key; + this.value = value; + + this.toString = function() { + return '[' + this.key + ' - ' + this.value + ']'; + } + }; + + var loseloseHashCode = function (key) { + var hash = 0; + for (var i = 0; i < key.length; i++) { + hash += key.charCodeAt(i); + } + return hash % 37; + }; + + var hashCode = function(key){ + return loseloseHashCode(key); + }; + + this.put = function(key, value){ + var position = hashCode(key); + console.log(position + ' - ' + key); + + if (table[position] == undefined) { + table[position] = new ValuePair(key, value); + } else { + var index = ++position; + while (table[index] != undefined){ + index++; + } + table[index] = new ValuePair(key, value); + } + }; + + this.get = function(key) { + var position = hashCode(key); + + if (table[position] !== undefined){ + if (table[position].key === key) { + return table[position].value; + } else { + var index = ++position; + while (table[index] === undefined || table[index].key !== key){ + index++; + } + if (table[index].key === key) { + return table[index].value; + } + } + } + return undefined; + }; + + this.remove = function(key){ + var position = hashCode(key); + + if (table[position] !== undefined){ + if (table[position].key === key) { + table[position] = undefined; + } else { + var index = ++position; + while (table[index] === undefined || table[index].key !== key){ + index++; + } + if (table[index].key === key) { + table[index] = undefined; + } + } + } + }; + + this.print = function() { + for (var i = 0; i < table.length; ++i) { + if (table[i] !== undefined) { + console.log(i + ' -> ' + table[i].toString()); + } + } + }; +} \ No newline at end of file diff --git a/chapter07/08-UsingHashCollisionLinearProbing.html b/chapter07/08-UsingHashCollisionLinearProbing.html new file mode 100644 index 00000000..f5fd9ad5 --- /dev/null +++ b/chapter07/08-UsingHashCollisionLinearProbing.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter07/08-UsingHashCollisionLinearProbing.js b/chapter07/08-UsingHashCollisionLinearProbing.js new file mode 100644 index 00000000..902384ee --- /dev/null +++ b/chapter07/08-UsingHashCollisionLinearProbing.js @@ -0,0 +1,29 @@ +var hashLinearProbing = new HashLinearProbing(); + +hashLinearProbing.put('Gandalf', 'gandalf@email.com'); +hashLinearProbing.put('John', 'johnsnow@email.com'); +hashLinearProbing.put('Tyrion', 'tyrion@email.com'); +hashLinearProbing.put('Aaron', 'aaron@email.com'); +hashLinearProbing.put('Donnie', 'donnie@email.com'); +hashLinearProbing.put('Ana', 'ana@email.com'); +hashLinearProbing.put('Jonathan', 'jonathan@email.com'); +hashLinearProbing.put('Jamie', 'jamie@email.com'); +hashLinearProbing.put('Sue', 'sue@email.com'); +hashLinearProbing.put('Mindy', 'mindy@email.com'); +hashLinearProbing.put('Paul', 'paul@email.com'); +hashLinearProbing.put('Nathan', 'nathan@email.com'); + +console.log('**** Printing Hash **** '); + +hashLinearProbing.print(); + +console.log('**** Get **** '); + +console.log(hashLinearProbing.get('Nathan')); +console.log(hashLinearProbing.get('Loiane')); + +console.log('**** Remove **** '); + +hashLinearProbing.remove('Gandalf'); +console.log(hashLinearProbing.get('Gandalf')); +hashLinearProbing.print(); \ No newline at end of file From aea3084d37e35af79c445774e95edeed4ca05f1f Mon Sep 17 00:00:00 2001 From: loiane Date: Mon, 14 Jul 2014 14:09:44 -0300 Subject: [PATCH 010/162] small fixes applied to code - chap 5 --- chapter05/01-Linked-List.js | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/chapter05/01-Linked-List.js b/chapter05/01-Linked-List.js index 483e9f70..be63c981 100644 --- a/chapter05/01-Linked-List.js +++ b/chapter05/01-Linked-List.js @@ -149,7 +149,7 @@ function LinkedList() { this.toString = function(){ - var current = head, + var current = head, s = current.element; while(current.next){ @@ -157,10 +157,10 @@ function LinkedList() { s += ', ' + current.element; } - return s; + return s.toString(); }; this.print = function(){ console.log(this.toString()); - } + }; } \ No newline at end of file From d0f7bbfccef2796bb3f9e5efb7c9757b0f194d44 Mon Sep 17 00:00:00 2001 From: loiane Date: Thu, 24 Jul 2014 11:25:21 -0300 Subject: [PATCH 011/162] added chapter 08 --- chapter08.zip | Bin 0 -> 2596 bytes chapter08/01-BinarySearchTree.js | 181 ++++++++++++++++++++++++ chapter08/02-UsingBinarySearchTree.html | 11 ++ chapter08/02-UsingBinarySearchTree.js | 52 +++++++ chapter08/03-AVLTree.js | 0 chapter08/04-UsingAVLTree.html | 11 ++ chapter08/04-UsingAVLTree.js | 0 7 files changed, 255 insertions(+) create mode 100644 chapter08.zip create mode 100644 chapter08/01-BinarySearchTree.js create mode 100644 chapter08/02-UsingBinarySearchTree.html create mode 100644 chapter08/02-UsingBinarySearchTree.js create mode 100644 chapter08/03-AVLTree.js create mode 100644 chapter08/04-UsingAVLTree.html create mode 100644 chapter08/04-UsingAVLTree.js diff --git a/chapter08.zip b/chapter08.zip new file mode 100644 index 0000000000000000000000000000000000000000..b46214def3ca36afb913311088f6f53986269dac GIT binary patch literal 2596 zcma)7c|4Ts9)GPfO=CMGr>3~bHii*t4wA7XP390rhGYpd*(pmXu55)cTC7n+%$Uxx zjIDICWIL0H%CTk7iH@>msoa?+*Nl5RpYuMS=Y8LQp6_pYzQ6C+0>j4-0a#D$-38;X zKi^&uKooE#IQyM*3qYdOZB9Y~lpVt=(Sl*M$YTLmFwaQl{)8VMz3G z4hXe!a}IDNSO>VdshthnK%*aJqt)5A`Sc@2>(=1C7$-g=wBPi=p@kty!aQGz)|G@- z>tkI((8hJgD_PZTY1w%?;7a$Atb>~4zYcU~lQQr4UUmsu6}mOiuPBH-oj30l+Z6a1 z`nhPk!L_2EzWJRfM8}Cf{cubs=z|#{K6vudFL~pJ1|My99F+sor>-X3C_bn;W$Z~^Wm5pnY=e4O7_sYNL7S&@9n2w0_;X9Aa$PPiYbr=o=I zdFN_CS*%@FYasbe!{Jjun0p5QLX%9kYclj0i#`5iJ*=F&~BE8YllN@@vC zroI*FI6Z(}q~{ppCs0}2P&!63s7nnWpvqDYRki?jOnRw*>Yb$zHf3!7+zF0A< zHb<_tJ3;9At0*5UoV3YbqUL5zjWZv!%^vobP2++3S>Ukt3SPHS!h9d-vJIe3rJ#y!F5v z`k}Q`K>xhg`<8X5v&cCA+3{g)zHkfn(wea%pZQZs_lcpEhTTey1&fmYjeU)B@ozk9 z23+v*$9iSLyo-tGz8<5o?a=NeN* z?s40Xun8pkc>K@I5zcvgZA_hBM*G(pPP(Qc+<=6de9V;%QRh*JmFE+{r4T?zNO*Z0 zdrFhx!jd(aF+5@RWr;+ST(h!td>^|n%BVt`&eZI? zd&Z^k4Bo2B^bj^)dpSzr8XwW=LaEpLgyQY8f>dXENARN-q$4=`yqgSOTTH=Y*IIX3 z8+B@JP5pYd2U!rpH;o7G#k1_ORL8=BB8Of5s=rJ zSQpvoq=w5W)v{6iVNpekN60TT(kfgHAL^2->l^{(aVMrvID#$kiQNn zKe&i?D}QB|VzNK!PN9C!c;|(Gxmg6oz;FDnAs%wEe$Mm8Jy=MG05(NV&0)WDMa!_7 zoc<)aCe*z(gEub5Ee?!c1saAf%6A z!KFTZVR-s)K45K6mMO|&Y;Qm#_eLtMzA{Sljl8PQuJ(< za^-{IIkoT~6W5^4>rOIZd&Xa@_CNwAcA$Kz4BH^z!KFups4ss=y)JpI$hsZb=hGlv z9sua!XWtInI$YzpEnp}2?PwyO))n9S}~*p@P3 ze_JM-z_rW*S)1K39^M^%-?MBeGuGF~;2oOv069#G{(}Il4sY$u z_gKx@8C^jxcy5k^fensx=F4I@Cn@%F node.key){ + return searchNode(node.right, key); + + } else { //element is equal to node.item + return true; + } + }; + + this.inOrderTraverse = function(callback){ + inOrderTraverseNode(root, callback); + }; + + var inOrderTraverseNode = function (node, callback) { + if (node !== null) { + inOrderTraverseNode(node.left, callback); + callback(node.key); + inOrderTraverseNode(node.right, callback); + } + }; + + this.preOrderTraverse = function(callback){ + preOrderTraverseNode(root, callback); + }; + + var preOrderTraverseNode = function (node, callback) { + if (node !== null) { + callback(node.key); + preOrderTraverseNode(node.left, callback); + preOrderTraverseNode(node.right, callback); + } + }; + + this.postOrderTraverse = function(callback){ + postOrderTraverseNode(root, callback); + }; + + var postOrderTraverseNode = function (node, callback) { + if (node !== null) { + postOrderTraverseNode(node.left, callback); + postOrderTraverseNode(node.right, callback); + callback(node.key); + } + }; + + this.min = function() { + return minNode(root); + }; + + var minNode = function (node) { + while (node && node.left !== null) { + node = node.left; + } + + return node.key; + }; + + this.max = function() { + return maxNode(root); + }; + + var maxNode = function (node) { + while (node && node.right !== null) { + node = node.right; + } + + return node.key; + }; + + this.remove = function(element){ + root = removeNode(root, element); + }; + + var findMinNode = function(node){ + while (node && node.left !== null) { + node = node.left; + } + + return node; + }; + + var removeNode = function(node, element){ + + if (node === null){ + return null; + } + + if (element < node.key){ + node.left = removeNode(node.left, element); + return node; + + } else if (element > node.key){ + node.right = removeNode(node.right, element); + return node; + + } else { //element is equal to node.item + + //handle 3 special conditions + //1 - a leaf node + //2 - a node with only 1 child + //3 - a node with 2 children + + //case 1 + if (node.left === null && node.right === null){ + node = null; + return node; + } + + //case 2 + if (node.left === null){ + node = node.right; + return node; + + } else if (node.right === null){ + node = node.left; + return node; + } + + //case 3 + var aux = findMinNode(node.right); + node.key = aux.key; + node.right = removeNode(node.right, aux.key); + return node; + } + }; +} \ No newline at end of file diff --git a/chapter08/02-UsingBinarySearchTree.html b/chapter08/02-UsingBinarySearchTree.html new file mode 100644 index 00000000..ed25a2c4 --- /dev/null +++ b/chapter08/02-UsingBinarySearchTree.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter08/02-UsingBinarySearchTree.js b/chapter08/02-UsingBinarySearchTree.js new file mode 100644 index 00000000..3caef17c --- /dev/null +++ b/chapter08/02-UsingBinarySearchTree.js @@ -0,0 +1,52 @@ +var tree = new BinarySearchTree(); + +tree.insert(11); +tree.insert(7); +tree.insert(15); +tree.insert(5); +tree.insert(3); +tree.insert(9); +tree.insert(8); +tree.insert(10); +tree.insert(13); +tree.insert(12); +tree.insert(14); +tree.insert(20); +tree.insert(18); +tree.insert(25); +tree.insert(6); + +console.log('********* in-order transverse ***********'); +function printNode(value){ + console.log(value); +} +tree.inOrderTraverse(printNode); + +console.log('********* pre-order transverse ***********'); +tree.preOrderTraverse(printNode); + +console.log('********* post-order transverse ***********'); +tree.postOrderTraverse(printNode); + + +console.log('********* max and min ***********'); +console.log(tree.max()); +console.log(tree.min()); +console.log(tree.search(1) ? 'Key 1 found.' : 'Key 1 not found.'); +console.log(tree.search(8) ? 'Key 8 found.' : 'Key 8 not found.'); + + +console.log('********* remove 6 ***********'); +tree.remove(6); +tree.inOrderTraverse(printNode); + +console.log('********* remove 5 ***********'); +tree.remove(5); +tree.inOrderTraverse(printNode); + +console.log('********* remove 15 ***********'); +tree.remove(15); +tree.inOrderTraverse(printNode); + +console.log('********* raw data structure ***********'); +console.log(tree.getRoot()); \ No newline at end of file diff --git a/chapter08/03-AVLTree.js b/chapter08/03-AVLTree.js new file mode 100644 index 00000000..e69de29b diff --git a/chapter08/04-UsingAVLTree.html b/chapter08/04-UsingAVLTree.html new file mode 100644 index 00000000..f7ce18b0 --- /dev/null +++ b/chapter08/04-UsingAVLTree.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter08/04-UsingAVLTree.js b/chapter08/04-UsingAVLTree.js new file mode 100644 index 00000000..e69de29b From fa3a0779295801db2315772e8938b3c2d0e11f19 Mon Sep 17 00:00:00 2001 From: loiane Date: Wed, 30 Jul 2014 20:44:08 -0300 Subject: [PATCH 012/162] added chapter 09 --- chapter08.zip | Bin 2596 -> 0 bytes chapter09/01-Graph.js | 172 ++++++++++++++++++++++++++++++++++ chapter09/02-UsingGraphs.html | 14 +++ chapter09/02-UsingGraphs.js | 97 +++++++++++++++++++ 4 files changed, 283 insertions(+) delete mode 100644 chapter08.zip create mode 100644 chapter09/01-Graph.js create mode 100644 chapter09/02-UsingGraphs.html create mode 100644 chapter09/02-UsingGraphs.js diff --git a/chapter08.zip b/chapter08.zip deleted file mode 100644 index b46214def3ca36afb913311088f6f53986269dac..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 2596 zcma)7c|4Ts9)GPfO=CMGr>3~bHii*t4wA7XP390rhGYpd*(pmXu55)cTC7n+%$Uxx zjIDICWIL0H%CTk7iH@>msoa?+*Nl5RpYuMS=Y8LQp6_pYzQ6C+0>j4-0a#D$-38;X zKi^&uKooE#IQyM*3qYdOZB9Y~lpVt=(Sl*M$YTLmFwaQl{)8VMz3G z4hXe!a}IDNSO>VdshthnK%*aJqt)5A`Sc@2>(=1C7$-g=wBPi=p@kty!aQGz)|G@- z>tkI((8hJgD_PZTY1w%?;7a$Atb>~4zYcU~lQQr4UUmsu6}mOiuPBH-oj30l+Z6a1 z`nhPk!L_2EzWJRfM8}Cf{cubs=z|#{K6vudFL~pJ1|My99F+sor>-X3C_bn;W$Z~^Wm5pnY=e4O7_sYNL7S&@9n2w0_;X9Aa$PPiYbr=o=I zdFN_CS*%@FYasbe!{Jjun0p5QLX%9kYclj0i#`5iJ*=F&~BE8YllN@@vC zroI*FI6Z(}q~{ppCs0}2P&!63s7nnWpvqDYRki?jOnRw*>Yb$zHf3!7+zF0A< zHb<_tJ3;9At0*5UoV3YbqUL5zjWZv!%^vobP2++3S>Ukt3SPHS!h9d-vJIe3rJ#y!F5v z`k}Q`K>xhg`<8X5v&cCA+3{g)zHkfn(wea%pZQZs_lcpEhTTey1&fmYjeU)B@ozk9 z23+v*$9iSLyo-tGz8<5o?a=NeN* z?s40Xun8pkc>K@I5zcvgZA_hBM*G(pPP(Qc+<=6de9V;%QRh*JmFE+{r4T?zNO*Z0 zdrFhx!jd(aF+5@RWr;+ST(h!td>^|n%BVt`&eZI? zd&Z^k4Bo2B^bj^)dpSzr8XwW=LaEpLgyQY8f>dXENARN-q$4=`yqgSOTTH=Y*IIX3 z8+B@JP5pYd2U!rpH;o7G#k1_ORL8=BB8Of5s=rJ zSQpvoq=w5W)v{6iVNpekN60TT(kfgHAL^2->l^{(aVMrvID#$kiQNn zKe&i?D}QB|VzNK!PN9C!c;|(Gxmg6oz;FDnAs%wEe$Mm8Jy=MG05(NV&0)WDMa!_7 zoc<)aCe*z(gEub5Ee?!c1saAf%6A z!KFTZVR-s)K45K6mMO|&Y;Qm#_eLtMzA{Sljl8PQuJ(< za^-{IIkoT~6W5^4>rOIZd&Xa@_CNwAcA$Kz4BH^z!KFups4ss=y)JpI$hsZb=hGlv z9sua!XWtInI$YzpEnp}2?PwyO))n9S}~*p@P3 ze_JM-z_rW*S)1K39^M^%-?MBeGuGF~;2oOv069#G{(}Il4sY$u z_gKx@8C^jxcy5k^fensx=F4I@Cn@%F '; + var neighbors = adjList.get(vertices[i]); + for (var j=0; j + + + + + + + + + + + + + \ No newline at end of file diff --git a/chapter09/02-UsingGraphs.js b/chapter09/02-UsingGraphs.js new file mode 100644 index 00000000..3f143525 --- /dev/null +++ b/chapter09/02-UsingGraphs.js @@ -0,0 +1,97 @@ +var graph = new Graph(); + +var myVertices = ['A','B','C','D','E','F','G','H','I']; + +for (var i=0; i max){ + max = fTimes[myVertices[i]]; + maxName = myVertices[i]; + } + } + s += ' - ' + maxName; + delete fTimes[maxName]; +} +console.log(s); From 3e0fde17683ca5923a2689368290ead4526061a7 Mon Sep 17 00:00:00 2001 From: loiane Date: Fri, 8 Aug 2014 09:59:57 -0300 Subject: [PATCH 013/162] added missing code to chapter 5 --- chapter05/05-CircularLinkedList.js | 187 ++++++++++++++++++++++ chapter05/06-CircularDoublyLinkedList.js | 0 chapter05/06-UsingCircularLinkedList.html | 11 ++ chapter05/06-UsingCircularLinkedList.js | 28 ++++ 4 files changed, 226 insertions(+) delete mode 100644 chapter05/06-CircularDoublyLinkedList.js create mode 100644 chapter05/06-UsingCircularLinkedList.html create mode 100644 chapter05/06-UsingCircularLinkedList.js diff --git a/chapter05/05-CircularLinkedList.js b/chapter05/05-CircularLinkedList.js index e69de29b..590c08f4 100644 --- a/chapter05/05-CircularLinkedList.js +++ b/chapter05/05-CircularLinkedList.js @@ -0,0 +1,187 @@ +function CircularLinkedList() { + + var Node = function(element){ + + this.element = element; + this.next = null; + }; + + var length = 0; + var head = null; + + this.append = function(element){ + + var node = new Node(element), + current; + + if (head === null){ //first node on list + head = node; + } else { + + current = head; + + //loop the list until find last item + while(current.next !== head){ //last element will be head instead of NULL + current = current.next; + } + + //get last item and assign next to added item to make the link + current.next = node; + } + + //set node.next to head - to have circular list + node.next = head; + + length++; //update size of list + }; + + this.insert = function(position, element){ + + //check for out-of-bounds values + if (position >= 0 && position <= length){ + + var node = new Node(element), + current = head, + previous, + index = 0; + + if (position === 0){ //add on first position + + node.next = current; + + //update last element + while(current.next !== head){ //last element will be head instead of NULL + current = current.next; + } + + head = node; + current.next = head; + + } else { + while (index++ < position){ + previous = current; + current = current.next; + } + node.next = current; + previous.next = node; + + if (node.next === null){ //update in case last element + node.next = head; + } + } + + length++; //update size of list + + return true; + + } else { + return false; + } + }; + + this.removeAt = function(position){ + + //check for out-of-bounds values + if (position > -1 && position < length){ + + var current = head, + previous, + index = 0; + + //removing first item + if (position === 0){ + + while(current.next !== head){ //needs to update last element first + current = current.next; + } + + head = head.next; + current.next = head; + + } else { //no need to update last element for circular list + + while (index++ < position){ + + previous = current; + current = current.next; + } + + //link previous with current's next - skip it to remove + previous.next = current.next; + } + + length--; + + return current.element; + + } else { + return null; + } + }; + + this.remove = function(element){ + + var index = this.indexOf(element); + return this.removeAt(index); + }; + + this.indexOf = function(element){ + + var current = head, + index = -1; + + //check first item + if (element == current.element){ + return 0; + } + + index++; + + //check in the middle of the list + while(current.next !== head){ + + if (element == current.element){ + return index; + } + + current = current.next; + index++; + } + + //check last item + if (element == current.element){ + return index; + } + + return -1; + }; + + this.isEmpty = function() { + return length === 0; + }; + + this.size = function() { + return length; + }; + + this.getHead = function(){ + return head; + }; + + this.toString = function(){ + + var current = head, + s = current.element; + + while(current.next !== head){ + current = current.next; + s += ', ' + current.element; + } + + return s.toString(); + }; + + this.print = function(){ + console.log(this.toString()); + }; +} \ No newline at end of file diff --git a/chapter05/06-CircularDoublyLinkedList.js b/chapter05/06-CircularDoublyLinkedList.js deleted file mode 100644 index e69de29b..00000000 diff --git a/chapter05/06-UsingCircularLinkedList.html b/chapter05/06-UsingCircularLinkedList.html new file mode 100644 index 00000000..5a2fbb5d --- /dev/null +++ b/chapter05/06-UsingCircularLinkedList.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter05/06-UsingCircularLinkedList.js b/chapter05/06-UsingCircularLinkedList.js new file mode 100644 index 00000000..33d9f8c9 --- /dev/null +++ b/chapter05/06-UsingCircularLinkedList.js @@ -0,0 +1,28 @@ +var circularLinkedList = new CircularLinkedList(); + +circularLinkedList.append(15); +circularLinkedList.print(); + +circularLinkedList.append(16); +circularLinkedList.print(); + +circularLinkedList.insert(0,14); +circularLinkedList.print(); + +circularLinkedList.insert(1,14.5); +circularLinkedList.print(); + +circularLinkedList.insert(4,17); +circularLinkedList.print(); + +circularLinkedList.removeAt(0); +circularLinkedList.print(); + +circularLinkedList.removeAt(1); +circularLinkedList.print(); + +circularLinkedList.removeAt(2); +circularLinkedList.print(); + +console.log(circularLinkedList.indexOf(14.5)); +console.log(circularLinkedList.indexOf(16)); \ No newline at end of file From ee469697267500aa773dfa3e1d8d2d308fe83381 Mon Sep 17 00:00:00 2001 From: loiane Date: Fri, 8 Aug 2014 10:00:07 -0300 Subject: [PATCH 014/162] added chapter 10 --- chapter10/01-SortingAlgorithms.js | 79 ++++++++++++++++++++++ chapter10/02-TestingSortingAlgorithms.html | 11 +++ chapter10/02-TestingSortingAlgorithms.js | 61 +++++++++++++++++ 3 files changed, 151 insertions(+) create mode 100644 chapter10/01-SortingAlgorithms.js create mode 100644 chapter10/02-TestingSortingAlgorithms.html create mode 100644 chapter10/02-TestingSortingAlgorithms.js diff --git a/chapter10/01-SortingAlgorithms.js b/chapter10/01-SortingAlgorithms.js new file mode 100644 index 00000000..e7a70b08 --- /dev/null +++ b/chapter10/01-SortingAlgorithms.js @@ -0,0 +1,79 @@ +function ArrayList(){ + + var array = []; + + this.insert = function(item){ + array.push(item); + }; + + var swap = function(index1, index2){ + var aux = array[index1]; + array[index1] = array[index2]; + array[index2] = aux; + }; + + this.toString= function(){ + var s = array[0] ? array[0] : ''; + for (var i=1; i array[j+1]){ + swap(j, j+1); + } + } + } + }; + + this.modifiedBubbleSort = function(){ + var length = array.length, + swapped; + + do { + swapped = false; + for (var i=0; i array[i+1]){ + swap(i, i+1); + swapped = true; + } + } + } while (swapped); + + }; + + this.selectionSort = function(){ + var length = array.length, + indexMin; + + for (var i=0; iarray[j]){ + indexMin = j; + } + } + swap(i, indexMin); + } + }; + + this.insertionSort = function(){ + var length = array.length, + j, temp; + for (var i=1; i0 && array[j-1] > temp){ + array[j] = array[j-1]; + j--; + } + array[j] = temp; + } + }; +} \ No newline at end of file diff --git a/chapter10/02-TestingSortingAlgorithms.html b/chapter10/02-TestingSortingAlgorithms.html new file mode 100644 index 00000000..418c547e --- /dev/null +++ b/chapter10/02-TestingSortingAlgorithms.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter10/02-TestingSortingAlgorithms.js b/chapter10/02-TestingSortingAlgorithms.js new file mode 100644 index 00000000..98fc2076 --- /dev/null +++ b/chapter10/02-TestingSortingAlgorithms.js @@ -0,0 +1,61 @@ +function createNonSortedArray(){ + var array = new ArrayList(); + + for (var i = 5; i> 0; i--){ + array.insert(i); + } + + return array; +} + +console.log('********** Bubble Sort **********'); + +var array = createNonSortedArray(); + +console.log(array.toString()); + +array.bubbleSort(); + +console.log(array.toString()); + +console.log('********** Modified Bubble Sort **********'); + +array = createNonSortedArray(); + +console.log(array.toString()); + +array.modifiedBubbleSort(); + +console.log(array.toString()); + +console.log('********** Selection Sort **********'); + +array = createNonSortedArray(); + +console.log(array.toString()); + +array.selectionSort(); + +console.log(array.toString()); + +console.log('********** Insertion Sort **********'); + +array = createNonSortedArray(); + +console.log(array.toString()); + +array.insertionSort(); + +console.log(array.toString()); + +console.log('********** Merge Sort **********'); + +array = createNonSortedArray(); + +console.log(array.toString()); + +array.insertionSort(); + +console.log(array.toString()); + + From 460344223b081f06ec3dd1d710bfd7a25a7416c6 Mon Sep 17 00:00:00 2001 From: loiane Date: Fri, 8 Aug 2014 11:31:08 -0300 Subject: [PATCH 015/162] added chapter 10 --- chapter10/01-SortingAlgorithms.js | 92 +++++++++++++++++++ ...ms.html => 02-UsingSortingAlgorithms.html} | 2 +- ...rithms.js => 02-UsingSortingAlgorithms.js} | 12 ++- 3 files changed, 104 insertions(+), 2 deletions(-) mode change 100644 => 100755 chapter10/01-SortingAlgorithms.js rename chapter10/{02-TestingSortingAlgorithms.html => 02-UsingSortingAlgorithms.html} (69%) mode change 100644 => 100755 rename chapter10/{02-TestingSortingAlgorithms.js => 02-UsingSortingAlgorithms.js} (84%) mode change 100644 => 100755 diff --git a/chapter10/01-SortingAlgorithms.js b/chapter10/01-SortingAlgorithms.js old mode 100644 new mode 100755 index e7a70b08..7d6b0ef2 --- a/chapter10/01-SortingAlgorithms.js +++ b/chapter10/01-SortingAlgorithms.js @@ -76,4 +76,96 @@ function ArrayList(){ array[j] = temp; } }; + + this.mergeSort = function(){ + array = mergeSortRec(array); + }; + + var mergeSortRec = function(array){ + + var length = array.length; + + if(length === 1) { + return array; + } + + var mid = Math.floor(length / 2), + left = array.slice(0, mid), + right = array.slice(mid, length); + + return merge(mergeSortRec(left), mergeSortRec(right)); + }; + + var merge = function(left, right){ + var result = [], + il = 0, + ir = 0; + + while(il < left.length && ir < right.length) { + + if(left[il] < right[ir]) { + result.push(left[il++]); + } else{ + result.push(right[ir++]); + } + } + + while (il < left.length){ + result.push(left[il++]); + } + + while (ir < right.length){ + result.push(right[ir++]); + } + + return result; + }; + + this.quickStort = function(){ + quick(array, 0, array.length - 1); + }; + + var partition = function(array, left, right) { + + var pivot = array[Math.floor((right + left) / 2)], + i = left, + j = right; + + while (i <= j) { + while (array[i] < pivot) { + i++; + } + + while (array[j] > pivot) { + j--; + } + + if (i <= j) { + swap(array, i, j); + i++; + j--; + } + } + + return i; + }; + + var quick = function(array, left, right){ + + var index; + + if (array.length > 1) { + + index = partition(array, left, right); + + if (left < index - 1) { + quick(array, left, index - 1); + } + + if (index < right) { + quick(array, index, right); + } + } + return array; + }; } \ No newline at end of file diff --git a/chapter10/02-TestingSortingAlgorithms.html b/chapter10/02-UsingSortingAlgorithms.html old mode 100644 new mode 100755 similarity index 69% rename from chapter10/02-TestingSortingAlgorithms.html rename to chapter10/02-UsingSortingAlgorithms.html index 418c547e..6fd6bc9e --- a/chapter10/02-TestingSortingAlgorithms.html +++ b/chapter10/02-UsingSortingAlgorithms.html @@ -6,6 +6,6 @@ - + \ No newline at end of file diff --git a/chapter10/02-TestingSortingAlgorithms.js b/chapter10/02-UsingSortingAlgorithms.js old mode 100644 new mode 100755 similarity index 84% rename from chapter10/02-TestingSortingAlgorithms.js rename to chapter10/02-UsingSortingAlgorithms.js index 98fc2076..d833b187 --- a/chapter10/02-TestingSortingAlgorithms.js +++ b/chapter10/02-UsingSortingAlgorithms.js @@ -54,7 +54,17 @@ array = createNonSortedArray(); console.log(array.toString()); -array.insertionSort(); +array.mergeSort(); + +console.log(array.toString()); + +console.log('********** Quick Sort **********'); + +array = createNonSortedArray(); + +console.log(array.toString()); + +array.mergeSort(); console.log(array.toString()); From e7b77097cd7260ce206b511bb5974f9ef1cd36bc Mon Sep 17 00:00:00 2001 From: loiane Date: Fri, 8 Aug 2014 12:10:25 -0300 Subject: [PATCH 016/162] added chapter 10 --- chapter10/01-SortingAlgorithms.js | 10 ++++++++-- chapter10/02-UsingSortingAlgorithms.js | 2 +- 2 files changed, 9 insertions(+), 3 deletions(-) diff --git a/chapter10/01-SortingAlgorithms.js b/chapter10/01-SortingAlgorithms.js index 7d6b0ef2..eaf35add 100755 --- a/chapter10/01-SortingAlgorithms.js +++ b/chapter10/01-SortingAlgorithms.js @@ -121,7 +121,7 @@ function ArrayList(){ return result; }; - this.quickStort = function(){ + this.quickSort = function(){ quick(array, 0, array.length - 1); }; @@ -141,7 +141,7 @@ function ArrayList(){ } if (i <= j) { - swap(array, i, j); + swapQuickStort(array, i, j); i++; j--; } @@ -150,6 +150,12 @@ function ArrayList(){ return i; }; + var swapQuickStort = function(array, index1, index2){ + var aux = array[index1]; + array[index1] = array[index2]; + array[index2] = aux; + }; + var quick = function(array, left, right){ var index; diff --git a/chapter10/02-UsingSortingAlgorithms.js b/chapter10/02-UsingSortingAlgorithms.js index d833b187..226e5391 100755 --- a/chapter10/02-UsingSortingAlgorithms.js +++ b/chapter10/02-UsingSortingAlgorithms.js @@ -64,7 +64,7 @@ array = createNonSortedArray(); console.log(array.toString()); -array.mergeSort(); +array.quickSort(); console.log(array.toString()); From 648abe9b5bbd4a252113dc16573f9ba1f4d6e6ac Mon Sep 17 00:00:00 2001 From: loiane Date: Fri, 8 Aug 2014 12:15:04 -0300 Subject: [PATCH 017/162] added chapter 11 --- chapter11/01-SearchingAlgorithms.js | 124 +++++++++++++++++++++ chapter11/02-UsingSearchingAlgorithms.html | 11 ++ chapter11/02-UsingSearchingAlgorithms.js | 27 +++++ 3 files changed, 162 insertions(+) create mode 100755 chapter11/01-SearchingAlgorithms.js create mode 100755 chapter11/02-UsingSearchingAlgorithms.html create mode 100755 chapter11/02-UsingSearchingAlgorithms.js diff --git a/chapter11/01-SearchingAlgorithms.js b/chapter11/01-SearchingAlgorithms.js new file mode 100755 index 00000000..ef571b0f --- /dev/null +++ b/chapter11/01-SearchingAlgorithms.js @@ -0,0 +1,124 @@ +function ArrayList(){ + + var array = []; + + this.insert = function(item){ + array.push(item); + }; + + this.toString = function(){ + var s = array[0] ? array[0] : ''; + for (var i=1; i array[i]){ + min = array[i]; + } + } + + return min; + }; + + this.binarySearch = function(item){ + this.quickSort(); + + var low = 0, + high = array.length - 1, + mid, element; + + while (low <= high){ + mid = Math.floor((low + high) / 2); + element = array[mid]; + if (element < item) { + low = mid + 1; + } else if (element > item) { + high = mid - 1; + } else { + return mid; + } + } + return -1; + }; + + this.quickSort = function(){ + quick(array, 0, array.length - 1); + }; + + var partition = function(array, left, right) { + + var pivot = array[Math.floor((right + left) / 2)], + i = left, + j = right; + + while (i <= j) { + while (array[i] < pivot) { + i++; + } + + while (array[j] > pivot) { + j--; + } + + if (i <= j) { + swapQuickStort(array, i, j); + i++; + j--; + } + } + + return i; + }; + + var swapQuickStort = function(array, index1, index2){ + var aux = array[index1]; + array[index1] = array[index2]; + array[index2] = aux; + }; + + var quick = function(array, left, right){ + + var index; + + if (array.length > 1) { + + index = partition(array, left, right); + + if (left < index - 1) { + quick(array, left, index - 1); + } + + if (index < right) { + quick(array, index, right); + } + } + return array; + }; +} \ No newline at end of file diff --git a/chapter11/02-UsingSearchingAlgorithms.html b/chapter11/02-UsingSearchingAlgorithms.html new file mode 100755 index 00000000..45b9269e --- /dev/null +++ b/chapter11/02-UsingSearchingAlgorithms.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter11/02-UsingSearchingAlgorithms.js b/chapter11/02-UsingSearchingAlgorithms.js new file mode 100755 index 00000000..239d5023 --- /dev/null +++ b/chapter11/02-UsingSearchingAlgorithms.js @@ -0,0 +1,27 @@ +function createNonSortedArray(){ + var array = new ArrayList(); + + for (var i = 5; i> 0; i--){ + array.insert(i); + } + + return array; +} + +var array = createNonSortedArray(); + +console.log('********** Sequential Sort #3 **********'); + +console.log(array.sequentialSearch(3)); + +console.log('********** Min **********'); + +console.log(array.findMinValue()); + +console.log('********** Max **********'); + +console.log(array.findMaxValue()); + +console.log('********** Binary Search #3 **********'); + +console.log(array.binarySearch(3)); \ No newline at end of file From c14829b41f92ff07efd77dd7c26197174affb67c Mon Sep 17 00:00:00 2001 From: loiane Date: Sat, 9 Aug 2014 14:06:16 -0300 Subject: [PATCH 018/162] added chapter 10 --- chapter10/01-SortingAlgorithms.js | 41 ++++++++++++++++++-------- chapter10/02-UsingSortingAlgorithms.js | 37 +++++++++++++++++------ 2 files changed, 57 insertions(+), 21 deletions(-) diff --git a/chapter10/01-SortingAlgorithms.js b/chapter10/01-SortingAlgorithms.js index eaf35add..b323c648 100755 --- a/chapter10/01-SortingAlgorithms.js +++ b/chapter10/01-SortingAlgorithms.js @@ -25,7 +25,9 @@ function ArrayList(){ for (var i=0; i array[j+1]){ + console.log('swap ' + array[j] + ' with ' + array[j+1]); swap(j, j+1); } } @@ -33,18 +35,17 @@ function ArrayList(){ }; this.modifiedBubbleSort = function(){ - var length = array.length, - swapped; - - do { - swapped = false; - for (var i=0; i array[i+1]){ - swap(i, i+1); - swapped = true; + var length = array.length; + + for (var i=0; i array[j+1]){ + console.log('swap ' + array[j] + ' with ' + array[j+1]); + swap(j, j+1); } } - } while (swapped); + } }; @@ -52,14 +53,19 @@ function ArrayList(){ var length = array.length, indexMin; - for (var i=0; iarray[j]){ + console.log('new index min ' + array[j]); indexMin = j; } } - swap(i, indexMin); + if (i !== indexMin){ + console.log('swap ' + array[i] + ' with ' + array[indexMin]); + swap(i, indexMin); + } } }; @@ -69,10 +75,13 @@ function ArrayList(){ for (var i=1; i0 && array[j-1] > temp){ + console.log('shift ' + array[j-1]); array[j] = array[j-1]; j--; } + console.log('insert ' + temp); array[j] = temp; } }; @@ -86,6 +95,7 @@ function ArrayList(){ var length = array.length; if(length === 1) { + console.log(array); return array; } @@ -118,6 +128,8 @@ function ArrayList(){ result.push(right[ir++]); } + console.log(result); + return result; }; @@ -131,16 +143,21 @@ function ArrayList(){ i = left, j = right; + console.log('pivot is ' + pivot + '; left is ' + left + '; right is ' + right); + while (i <= j) { while (array[i] < pivot) { i++; + console.log('i = ' + i); } while (array[j] > pivot) { j--; + console.log('j = ' + j); } if (i <= j) { + console.log('swap ' + array[i] + ' with ' + array[j]); swapQuickStort(array, i, j); i++; j--; diff --git a/chapter10/02-UsingSortingAlgorithms.js b/chapter10/02-UsingSortingAlgorithms.js index 226e5391..e09c3e33 100755 --- a/chapter10/02-UsingSortingAlgorithms.js +++ b/chapter10/02-UsingSortingAlgorithms.js @@ -1,16 +1,28 @@ -function createNonSortedArray(){ +function createNonSortedArray(size){ var array = new ArrayList(); - for (var i = 5; i> 0; i--){ + for (var i = size; i> 0; i--){ array.insert(i); } return array; } +function createRandomNonSortedArray(){ + var array = new ArrayList(); + + array.insert(3); + array.insert(5); + array.insert(1); + array.insert(4); + array.insert(2); + + return array; +} + console.log('********** Bubble Sort **********'); -var array = createNonSortedArray(); +var array = createNonSortedArray(5); console.log(array.toString()); @@ -20,7 +32,7 @@ console.log(array.toString()); console.log('********** Modified Bubble Sort **********'); -array = createNonSortedArray(); +array = createNonSortedArray(5); console.log(array.toString()); @@ -30,7 +42,7 @@ console.log(array.toString()); console.log('********** Selection Sort **********'); -array = createNonSortedArray(); +array = createNonSortedArray(5); console.log(array.toString()); @@ -40,7 +52,7 @@ console.log(array.toString()); console.log('********** Insertion Sort **********'); -array = createNonSortedArray(); +array = createRandomNonSortedArray(); console.log(array.toString()); @@ -50,7 +62,7 @@ console.log(array.toString()); console.log('********** Merge Sort **********'); -array = createNonSortedArray(); +array = createNonSortedArray(8); console.log(array.toString()); @@ -59,8 +71,15 @@ array.mergeSort(); console.log(array.toString()); console.log('********** Quick Sort **********'); - -array = createNonSortedArray(); +array = new ArrayList(); + +array.insert(3); +array.insert(5); +array.insert(1); +array.insert(6); +array.insert(4); +array.insert(7); +array.insert(2); console.log(array.toString()); From b99f882fefaeda92d07d02f7bc00ccacbb9fe698 Mon Sep 17 00:00:00 2001 From: loiane Date: Sat, 9 Aug 2014 14:06:23 -0300 Subject: [PATCH 019/162] added chapter 11 --- chapter11/01-SearchingAlgorithms.js | 4 ++++ chapter11/02-UsingSearchingAlgorithms.js | 14 ++++++++++---- 2 files changed, 14 insertions(+), 4 deletions(-) diff --git a/chapter11/01-SearchingAlgorithms.js b/chapter11/01-SearchingAlgorithms.js index ef571b0f..0f3a29e2 100755 --- a/chapter11/01-SearchingAlgorithms.js +++ b/chapter11/01-SearchingAlgorithms.js @@ -57,11 +57,15 @@ function ArrayList(){ while (low <= high){ mid = Math.floor((low + high) / 2); element = array[mid]; + console.log('mid element is ' + element); if (element < item) { low = mid + 1; + console.log('low is ' + low); } else if (element > item) { high = mid - 1; + console.log('high is ' + high); } else { + console.log('found it'); return mid; } } diff --git a/chapter11/02-UsingSearchingAlgorithms.js b/chapter11/02-UsingSearchingAlgorithms.js index 239d5023..62201e80 100755 --- a/chapter11/02-UsingSearchingAlgorithms.js +++ b/chapter11/02-UsingSearchingAlgorithms.js @@ -1,14 +1,14 @@ -function createNonSortedArray(){ +function createNonSortedArray(items){ var array = new ArrayList(); - for (var i = 5; i> 0; i--){ + for (var i = items; i> 0; i--){ array.insert(i); } return array; } -var array = createNonSortedArray(); +var array = createNonSortedArray(5); console.log('********** Sequential Sort #3 **********'); @@ -24,4 +24,10 @@ console.log(array.findMaxValue()); console.log('********** Binary Search #3 **********'); -console.log(array.binarySearch(3)); \ No newline at end of file +console.log(array.binarySearch(3)); + +console.log('********** Binary Search #2 **********'); + +var array = createNonSortedArray(8); + +console.log(array.binarySearch(2)); \ No newline at end of file From e9cd528bdc3d4f5519c2da4306e2613dcacdcbeb Mon Sep 17 00:00:00 2001 From: loiane Date: Mon, 11 Aug 2014 10:04:59 -0300 Subject: [PATCH 020/162] added chapter 10 --- ...ms.js => 01-SortingSearchingAlgorithms.js} | 61 +++++++++ chapter10/02-UsingSortingAlgorithms.html | 2 +- chapter10/03-UsingSearchingAlgorithms.html | 11 ++ .../03-UsingSearchingAlgorithms.js | 0 chapter11/01-SearchingAlgorithms.js | 128 ------------------ chapter11/02-UsingSearchingAlgorithms.html | 11 -- 6 files changed, 73 insertions(+), 140 deletions(-) rename chapter10/{01-SortingAlgorithms.js => 01-SortingSearchingAlgorithms.js} (77%) create mode 100755 chapter10/03-UsingSearchingAlgorithms.html rename chapter11/02-UsingSearchingAlgorithms.js => chapter10/03-UsingSearchingAlgorithms.js (100%) delete mode 100755 chapter11/01-SearchingAlgorithms.js delete mode 100755 chapter11/02-UsingSearchingAlgorithms.html diff --git a/chapter10/01-SortingAlgorithms.js b/chapter10/01-SortingSearchingAlgorithms.js similarity index 77% rename from chapter10/01-SortingAlgorithms.js rename to chapter10/01-SortingSearchingAlgorithms.js index b323c648..1204ace2 100755 --- a/chapter10/01-SortingAlgorithms.js +++ b/chapter10/01-SortingSearchingAlgorithms.js @@ -24,6 +24,7 @@ function ArrayList(){ var length = array.length; for (var i=0; i array[j+1]){ @@ -38,6 +39,7 @@ function ArrayList(){ var length = array.length; for (var i=0; i array[j+1]){ @@ -191,4 +193,63 @@ function ArrayList(){ } return array; }; + + this.sequentialSearch = function(item){ + + for (var i=0; i array[i]){ + min = array[i]; + } + } + + return min; + }; + + this.binarySearch = function(item){ + this.quickSort(); + + var low = 0, + high = array.length - 1, + mid, element; + + while (low <= high){ + mid = Math.floor((low + high) / 2); + element = array[mid]; + console.log('mid element is ' + element); + if (element < item) { + low = mid + 1; + console.log('low is ' + low); + } else if (element > item) { + high = mid - 1; + console.log('high is ' + high); + } else { + console.log('found it'); + return mid; + } + } + return -1; + }; + } \ No newline at end of file diff --git a/chapter10/02-UsingSortingAlgorithms.html b/chapter10/02-UsingSortingAlgorithms.html index 6fd6bc9e..7a666fdb 100755 --- a/chapter10/02-UsingSortingAlgorithms.html +++ b/chapter10/02-UsingSortingAlgorithms.html @@ -5,7 +5,7 @@ - + \ No newline at end of file diff --git a/chapter10/03-UsingSearchingAlgorithms.html b/chapter10/03-UsingSearchingAlgorithms.html new file mode 100755 index 00000000..a4e4b6a3 --- /dev/null +++ b/chapter10/03-UsingSearchingAlgorithms.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter11/02-UsingSearchingAlgorithms.js b/chapter10/03-UsingSearchingAlgorithms.js similarity index 100% rename from chapter11/02-UsingSearchingAlgorithms.js rename to chapter10/03-UsingSearchingAlgorithms.js diff --git a/chapter11/01-SearchingAlgorithms.js b/chapter11/01-SearchingAlgorithms.js deleted file mode 100755 index 0f3a29e2..00000000 --- a/chapter11/01-SearchingAlgorithms.js +++ /dev/null @@ -1,128 +0,0 @@ -function ArrayList(){ - - var array = []; - - this.insert = function(item){ - array.push(item); - }; - - this.toString = function(){ - var s = array[0] ? array[0] : ''; - for (var i=1; i array[i]){ - min = array[i]; - } - } - - return min; - }; - - this.binarySearch = function(item){ - this.quickSort(); - - var low = 0, - high = array.length - 1, - mid, element; - - while (low <= high){ - mid = Math.floor((low + high) / 2); - element = array[mid]; - console.log('mid element is ' + element); - if (element < item) { - low = mid + 1; - console.log('low is ' + low); - } else if (element > item) { - high = mid - 1; - console.log('high is ' + high); - } else { - console.log('found it'); - return mid; - } - } - return -1; - }; - - this.quickSort = function(){ - quick(array, 0, array.length - 1); - }; - - var partition = function(array, left, right) { - - var pivot = array[Math.floor((right + left) / 2)], - i = left, - j = right; - - while (i <= j) { - while (array[i] < pivot) { - i++; - } - - while (array[j] > pivot) { - j--; - } - - if (i <= j) { - swapQuickStort(array, i, j); - i++; - j--; - } - } - - return i; - }; - - var swapQuickStort = function(array, index1, index2){ - var aux = array[index1]; - array[index1] = array[index2]; - array[index2] = aux; - }; - - var quick = function(array, left, right){ - - var index; - - if (array.length > 1) { - - index = partition(array, left, right); - - if (left < index - 1) { - quick(array, left, index - 1); - } - - if (index < right) { - quick(array, index, right); - } - } - return array; - }; -} \ No newline at end of file diff --git a/chapter11/02-UsingSearchingAlgorithms.html b/chapter11/02-UsingSearchingAlgorithms.html deleted file mode 100755 index 45b9269e..00000000 --- a/chapter11/02-UsingSearchingAlgorithms.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - \ No newline at end of file From e014ac6b7b1faba831be4d43ae924de41fa929a7 Mon Sep 17 00:00:00 2001 From: loiane Date: Tue, 26 Aug 2014 20:49:45 -0300 Subject: [PATCH 021/162] add chapter 11 --- chapter11/01-Recursion.js | 20 ++++++++++++++++++++ 1 file changed, 20 insertions(+) create mode 100644 chapter11/01-Recursion.js diff --git a/chapter11/01-Recursion.js b/chapter11/01-Recursion.js new file mode 100644 index 00000000..d7348f99 --- /dev/null +++ b/chapter11/01-Recursion.js @@ -0,0 +1,20 @@ +function fibonacci(num){ + if (num === 1 || num === 2){ + return 1; + } + if (num > 2){ + return fibonacci(num - 1) + fibonacci(num - 2); + } +} + +function fib(num){ + var n1 = 1, + n2 = 1, + n = 1; + for (var i = 3; i<=num; i++){ + n = n1 + n2; + n1 = n2; + n2 = n; + } + return n; +} \ No newline at end of file From 7b5bc4770d1c14b4fb4db3b137a561886241d6c9 Mon Sep 17 00:00:00 2001 From: loiane Date: Fri, 29 Aug 2014 13:24:06 -0300 Subject: [PATCH 022/162] added chapter 11 --- chapter11/02-MinCoinChangeDP.html | 10 +++++ chapter11/02-MinCoinChangeDP.js | 38 ++++++++++++++++++ chapter11/BigONotation.html | 10 +++++ chapter11/BigONotation.js | 65 +++++++++++++++++++++++++++++++ chapter11/MinCoinChangeGreedy.js | 11 ++++++ 5 files changed, 134 insertions(+) create mode 100644 chapter11/02-MinCoinChangeDP.html create mode 100644 chapter11/02-MinCoinChangeDP.js create mode 100644 chapter11/BigONotation.html create mode 100644 chapter11/BigONotation.js create mode 100644 chapter11/MinCoinChangeGreedy.js diff --git a/chapter11/02-MinCoinChangeDP.html b/chapter11/02-MinCoinChangeDP.html new file mode 100644 index 00000000..7516a9da --- /dev/null +++ b/chapter11/02-MinCoinChangeDP.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter11/02-MinCoinChangeDP.js b/chapter11/02-MinCoinChangeDP.js new file mode 100644 index 00000000..b9c65506 --- /dev/null +++ b/chapter11/02-MinCoinChangeDP.js @@ -0,0 +1,38 @@ +function MinCoinChange(coins){ + + var coins = coins; + + var cache = {}; + + this.makeChange = function(amount) { + var me = this; + if (!amount) { + return []; + } + if (cache[amount]) { + return cache[amount]; + } + var min = [], newMin, newAmount; + for (var i=0; i= 0){ + newMin = me.makeChange(newAmount); + } + if ( + newAmount >= 0 && + (newMin.length < min.length-1 || !min.length) && + (newMin.length || !newAmount) + ){ + min = [coin].concat(newMin); + console.log('new Min ' + min + ' for ' + amount); + } + } + return (cache[amount] = min); + }; +} + + +var minCoinChange = new MinCoinChange([1, 5, 10, 25]); + +console.log(minCoinChange.makeChange(37)); \ No newline at end of file diff --git a/chapter11/BigONotation.html b/chapter11/BigONotation.html new file mode 100644 index 00000000..ff2919a6 --- /dev/null +++ b/chapter11/BigONotation.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter11/BigONotation.js b/chapter11/BigONotation.js new file mode 100644 index 00000000..8a03acd7 --- /dev/null +++ b/chapter11/BigONotation.js @@ -0,0 +1,65 @@ +//*************** o(1) +function increment(num){ + console.log('cost for increment with input ' + num + ' is 1'); + return ++num; +} + +increment(1); +increment(2); + +//*************** o(n) + +function createNonSortedArray(size){ + var array = [] + + for (var i = size; i> 0; i--){ + array[i] = i; + } + + return array; +} + +function sequentialSearch(array, item){ + var cost = 0; + for (var i=0; i array[j+1]){ + swap(array, j, j+1); + } + } + } + console.log('cost for bubbleSort with input size ' + length + ' is ' + cost); +} + +var array1 = createNonSortedArray(99); +var array2 = createNonSortedArray(999); +var array3 = createNonSortedArray(9999); +bubbleSort(array1); +bubbleSort(array2); +bubbleSort(array3); \ No newline at end of file diff --git a/chapter11/MinCoinChangeGreedy.js b/chapter11/MinCoinChangeGreedy.js new file mode 100644 index 00000000..06f5655c --- /dev/null +++ b/chapter11/MinCoinChangeGreedy.js @@ -0,0 +1,11 @@ +var makeChange = function(amount) { + var change = [], + total = 0; + [25, 10, 5, 1].forEach(function(coin) { + while (total + coin <= amount) { + change.push(coin); + total += coin; + } + }); + return change; +}; \ No newline at end of file From cd4edd01b92b1afd11b22559c1dd9fb40fd58ef8 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Mon, 1 Sep 2014 12:05:00 -0300 Subject: [PATCH 023/162] added chapter 11 --- chapter11/02-MinCoinChangeDP.js | 4 +++- chapter11/MinCoinChangeGreedy.html | 10 +++++++++ chapter11/MinCoinChangeGreedy.js | 35 +++++++++++++++++++++--------- 3 files changed, 38 insertions(+), 11 deletions(-) create mode 100644 chapter11/MinCoinChangeGreedy.html diff --git a/chapter11/02-MinCoinChangeDP.js b/chapter11/02-MinCoinChangeDP.js index b9c65506..75d0bfd2 100644 --- a/chapter11/02-MinCoinChangeDP.js +++ b/chapter11/02-MinCoinChangeDP.js @@ -34,5 +34,7 @@ function MinCoinChange(coins){ var minCoinChange = new MinCoinChange([1, 5, 10, 25]); +console.log(minCoinChange.makeChange(36)); -console.log(minCoinChange.makeChange(37)); \ No newline at end of file +var minCoinChange2 = new MinCoinChange([1, 3, 4]); +console.log(minCoinChange2.makeChange(6)); \ No newline at end of file diff --git a/chapter11/MinCoinChangeGreedy.html b/chapter11/MinCoinChangeGreedy.html new file mode 100644 index 00000000..b1c90657 --- /dev/null +++ b/chapter11/MinCoinChangeGreedy.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter11/MinCoinChangeGreedy.js b/chapter11/MinCoinChangeGreedy.js index 06f5655c..a935c16b 100644 --- a/chapter11/MinCoinChangeGreedy.js +++ b/chapter11/MinCoinChangeGreedy.js @@ -1,11 +1,26 @@ -var makeChange = function(amount) { - var change = [], - total = 0; - [25, 10, 5, 1].forEach(function(coin) { - while (total + coin <= amount) { - change.push(coin); - total += coin; +function MinCoinChange(coins){ + + var coins = coins; + + var cache = {}; + + this.makeChange = function(amount) { + var change = [], + total = 0; + for (var i=coins.length; i>=0; i--){ + var coin = coins[i]; + while (total + coin <= amount) { + change.push(coin); + total += coin; + } } - }); - return change; -}; \ No newline at end of file + return change; + }; +} + + +var minCoinChange = new MinCoinChange([1, 5, 10, 25]); +console.log(minCoinChange.makeChange(36)); + +var minCoinChange2 = new MinCoinChange([1, 3, 4]); +console.log(minCoinChange2.makeChange(6)); \ No newline at end of file From 7db601d32b05d4e004284a2b620883a898a57909 Mon Sep 17 00:00:00 2001 From: loiane Date: Mon, 1 Sep 2014 12:44:49 -0300 Subject: [PATCH 024/162] added chapter 11 --- chapter11/{BigONotation.html => 01-Recursion.html} | 2 +- chapter11/01-Recursion.js | 7 ++++++- chapter11/03-MinCoinChangeGreedy.html | 10 ++++++++++ ...inCoinChangeGreedy.js => 03-MinCoinChangeGreedy.js} | 0 .../{MinCoinChangeGreedy.html => 04-BigONotation.html} | 2 +- chapter11/{BigONotation.js => 04-BigONotation.js} | 2 +- 6 files changed, 19 insertions(+), 4 deletions(-) rename chapter11/{BigONotation.html => 01-Recursion.html} (62%) create mode 100644 chapter11/03-MinCoinChangeGreedy.html rename chapter11/{MinCoinChangeGreedy.js => 03-MinCoinChangeGreedy.js} (100%) rename chapter11/{MinCoinChangeGreedy.html => 04-BigONotation.html} (60%) rename chapter11/{BigONotation.js => 04-BigONotation.js} (98%) diff --git a/chapter11/BigONotation.html b/chapter11/01-Recursion.html similarity index 62% rename from chapter11/BigONotation.html rename to chapter11/01-Recursion.html index ff2919a6..5961583b 100644 --- a/chapter11/BigONotation.html +++ b/chapter11/01-Recursion.html @@ -5,6 +5,6 @@ - + \ No newline at end of file diff --git a/chapter11/01-Recursion.js b/chapter11/01-Recursion.js index d7348f99..bd16253d 100644 --- a/chapter11/01-Recursion.js +++ b/chapter11/01-Recursion.js @@ -1,3 +1,4 @@ +//Recursive solution - DP function fibonacci(num){ if (num === 1 || num === 2){ return 1; @@ -7,6 +8,7 @@ function fibonacci(num){ } } +//Non Recursive solution function fib(num){ var n1 = 1, n2 = 1, @@ -17,4 +19,7 @@ function fib(num){ n2 = n; } return n; -} \ No newline at end of file +} + +console.log(fibonacci(6)); +console.log(fib(6)); \ No newline at end of file diff --git a/chapter11/03-MinCoinChangeGreedy.html b/chapter11/03-MinCoinChangeGreedy.html new file mode 100644 index 00000000..7ebac53d --- /dev/null +++ b/chapter11/03-MinCoinChangeGreedy.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter11/MinCoinChangeGreedy.js b/chapter11/03-MinCoinChangeGreedy.js similarity index 100% rename from chapter11/MinCoinChangeGreedy.js rename to chapter11/03-MinCoinChangeGreedy.js diff --git a/chapter11/MinCoinChangeGreedy.html b/chapter11/04-BigONotation.html similarity index 60% rename from chapter11/MinCoinChangeGreedy.html rename to chapter11/04-BigONotation.html index b1c90657..995ac4d9 100644 --- a/chapter11/MinCoinChangeGreedy.html +++ b/chapter11/04-BigONotation.html @@ -5,6 +5,6 @@ - + \ No newline at end of file diff --git a/chapter11/BigONotation.js b/chapter11/04-BigONotation.js similarity index 98% rename from chapter11/BigONotation.js rename to chapter11/04-BigONotation.js index 8a03acd7..a48bd6ab 100644 --- a/chapter11/BigONotation.js +++ b/chapter11/04-BigONotation.js @@ -10,7 +10,7 @@ increment(2); //*************** o(n) function createNonSortedArray(size){ - var array = [] + var array = []; for (var i = size; i> 0; i--){ array[i] = i; From 2ca9d40ee2ba1ede33ab0f8e414422ed4083ea66 Mon Sep 17 00:00:00 2001 From: loiane Date: Mon, 1 Sep 2014 17:37:28 -0300 Subject: [PATCH 025/162] added big-o notation chart - chapter 11 --- chapter11/bigOChart/chart.js | 37 +++++++ chapter11/bigOChart/index.html | 14 +++ npm-debug.log | 180 +++++++++++++++++++++++++++++++++ 3 files changed, 231 insertions(+) create mode 100644 chapter11/bigOChart/chart.js create mode 100644 chapter11/bigOChart/index.html create mode 100644 npm-debug.log diff --git a/chapter11/bigOChart/chart.js b/chapter11/bigOChart/chart.js new file mode 100644 index 00000000..765794df --- /dev/null +++ b/chapter11/bigOChart/chart.js @@ -0,0 +1,37 @@ +google.load('visualization', '1.0', {'packages':['corechart']}); +google.setOnLoadCallback(drawChart); + +function drawChart() { + + var data = new google.visualization.DataTable(); + data.addColumn('string', 'n'); + data.addColumn('number', 'O(1)'); + data.addColumn('number', 'O(log n)'); + data.addColumn('number', 'O(n)'); + data.addColumn('number', 'O(n log n)'); + data.addColumn('number', 'O(n^2)'); + data.addColumn('number', 'O(2^n)'); + + for (var i = 0; i <= 30; i++) { + data.addRow([i+'', 1, Math.log(i), i, Math.log(i)*i, Math.pow(i,2), Math.pow(2,i)]); + } + + var options = {'title':'Big O Notation Complexity Chart', + 'width':700, + 'height':600, + 'backgroundColor':{stroke:'#CCC',strokeWidth:1}, + 'curveType':'function', + 'hAxis':{ + title:'Elements (n)', + showTextEvery:5 + }, + 'vAxis':{ + title:'Operations', + viewWindowMode:'explicit', + viewWindow:{min:0,max:450} + } + }; + + var chart = new google.visualization.LineChart(document.getElementById('chart_div')); + chart.draw(data, options); +} \ No newline at end of file diff --git a/chapter11/bigOChart/index.html b/chapter11/bigOChart/index.html new file mode 100644 index 00000000..31118263 --- /dev/null +++ b/chapter11/bigOChart/index.html @@ -0,0 +1,14 @@ + + + + + + + + + +
+ + \ No newline at end of file diff --git a/npm-debug.log b/npm-debug.log new file mode 100644 index 00000000..324f5d2d --- /dev/null +++ b/npm-debug.log @@ -0,0 +1,180 @@ +0 info it worked if it ends with ok +1 verbose cli [ 'node', '/usr/local/bin/npm', 'install', 'http-server', '-g' ] +2 info using npm@1.4.23 +3 info using node@v0.10.31 +4 verbose cache add [ 'http-server', null ] +5 verbose cache add name=undefined spec="http-server" args=["http-server",null] +6 verbose parsed url { protocol: null, +6 verbose parsed url slashes: null, +6 verbose parsed url auth: null, +6 verbose parsed url host: null, +6 verbose parsed url port: null, +6 verbose parsed url hostname: null, +6 verbose parsed url hash: null, +6 verbose parsed url search: null, +6 verbose parsed url query: null, +6 verbose parsed url pathname: 'http-server', +6 verbose parsed url path: 'http-server', +6 verbose parsed url href: 'http-server' } +7 silly lockFile ed608307-http-server http-server +8 verbose lock http-server /Users/loiane/.npm/ed608307-http-server.lock +9 silly lockFile ed608307-http-server http-server +10 silly lockFile ed608307-http-server http-server +11 verbose addNamed [ 'http-server', '' ] +12 verbose addNamed [ null, '*' ] +13 silly lockFile 550353c6-http-server http-server@ +14 verbose lock http-server@ /Users/loiane/.npm/550353c6-http-server.lock +15 silly addNameRange { name: 'http-server', range: '*', hasData: false } +16 verbose request where is /http-server +17 verbose request registry https://registry.npmjs.org/ +18 verbose request id 5de596c601e747df +19 verbose url raw /http-server +20 verbose url resolving [ 'https://registry.npmjs.org/', './http-server' ] +21 verbose url resolved https://registry.npmjs.org/http-server +22 verbose request where is https://registry.npmjs.org/http-server +23 info trying registry request attempt 1 at 16:26:40 +24 http GET https://registry.npmjs.org/http-server +25 http 200 https://registry.npmjs.org/http-server +26 silly registry.get cb [ 200, +26 silly registry.get { date: 'Mon, 01 Sep 2014 19:26:41 GMT', +26 silly registry.get server: 'CouchDB/1.5.0 (Erlang OTP/R16B03)', +26 silly registry.get etag: '"GRUZZAK9N6WU29IC3EFS78GW"', +26 silly registry.get 'content-type': 'application/json', +26 silly registry.get 'cache-control': 'max-age=60', +26 silly registry.get 'content-length': '42618', +26 silly registry.get 'accept-ranges': 'bytes', +26 silly registry.get via: '1.1 varnish', +26 silly registry.get age: '942', +26 silly registry.get 'x-served-by': 'cache-iad2134-IAD', +26 silly registry.get 'x-cache': 'HIT', +26 silly registry.get 'x-cache-hits': '1', +26 silly registry.get 'x-timer': 'S1409599601.088721,VS0,VE16', +26 silly registry.get vary: 'Accept', +26 silly registry.get 'keep-alive': 'timeout=10, max=50', +26 silly registry.get connection: 'Keep-Alive' } ] +27 silly addNameRange number 2 { name: 'http-server', range: '*', hasData: true } +28 silly addNameRange versions [ 'http-server', +28 silly addNameRange [ '0.1.0', +28 silly addNameRange '0.1.1', +28 silly addNameRange '0.1.3', +28 silly addNameRange '0.2.1', +28 silly addNameRange '0.2.2', +28 silly addNameRange '0.2.3', +28 silly addNameRange '0.2.4', +28 silly addNameRange '0.2.5', +28 silly addNameRange '0.2.6', +28 silly addNameRange '0.2.9', +28 silly addNameRange '0.3.0', +28 silly addNameRange '0.4.0', +28 silly addNameRange '0.4.1', +28 silly addNameRange '0.5.0', +28 silly addNameRange '0.5.1', +28 silly addNameRange '0.5.2', +28 silly addNameRange '0.5.3', +28 silly addNameRange '0.5.5', +28 silly addNameRange '0.6.0', +28 silly addNameRange '0.6.1' ] ] +29 verbose addNamed [ 'http-server', '0.6.1' ] +30 verbose addNamed [ '0.6.1', '0.6.1' ] +31 silly lockFile 1e2b2518-http-server-0-6-1 http-server@0.6.1 +32 verbose lock http-server@0.6.1 /Users/loiane/.npm/1e2b2518-http-server-0-6-1.lock +33 silly lockFile c3f4b4b6-ttp-server-http-server-0-6-1-tgz https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz +34 verbose lock https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz /Users/loiane/.npm/c3f4b4b6-ttp-server-http-server-0-6-1-tgz.lock +35 verbose addRemoteTarball [ 'https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz', +35 verbose addRemoteTarball '06fce65cf2bd4132a578bdac62ffacb97d613981' ] +36 info retry fetch attempt 1 at 16:26:42 +37 verbose fetch to= /var/folders/p6/h5zxx5c5153gfhgsvg1_s6n80000gn/T/npm-4783-wjg257Iq/registry.npmjs.org/http-server/-/http-server-0.6.1.tgz +38 http GET https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz +39 http 200 https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz +40 silly lockFile c3f4b4b6-ttp-server-http-server-0-6-1-tgz https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz +41 silly lockFile c3f4b4b6-ttp-server-http-server-0-6-1-tgz https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz +42 silly lockFile 1e2b2518-http-server-0-6-1 http-server@0.6.1 +43 silly lockFile 1e2b2518-http-server-0-6-1 http-server@0.6.1 +44 silly lockFile 550353c6-http-server http-server@ +45 silly lockFile 550353c6-http-server http-server@ +46 silly resolved [ { name: 'http-server', +46 silly resolved version: '0.6.1', +46 silly resolved author: { name: 'Nodejitsu', email: 'support@nodejitsu.com' }, +46 silly resolved description: 'a simple zero-configuration command-line http server', +46 silly resolved main: './lib/http-server', +46 silly resolved repository: +46 silly resolved { type: 'git', +46 silly resolved url: 'git://github.com/nodeapps/http-server.git' }, +46 silly resolved keywords: [ 'cli', 'command' ], +46 silly resolved scripts: +46 silly resolved { start: 'node ./bin/http-server', +46 silly resolved test: 'vows --spec --isolate' }, +46 silly resolved contributors: +46 silly resolved [ [Object], +46 silly resolved [Object], +46 silly resolved [Object], +46 silly resolved [Object], +46 silly resolved [Object], +46 silly resolved [Object], +46 silly resolved [Object], +46 silly resolved [Object] ], +46 silly resolved dependencies: +46 silly resolved { colors: '0.6.x', +46 silly resolved optimist: '0.5.x', +46 silly resolved union: '0.3.x', +46 silly resolved ecstatic: '0.4.x', +46 silly resolved portfinder: '0.2.x', +46 silly resolved opener: '~1.3.0' }, +46 silly resolved devDependencies: { vows: '0.7.x', request: '2.21.x' }, +46 silly resolved bugs: { url: 'https://github.com/nodeapps/http-server/issues' }, +46 silly resolved licenses: [ [Object] ], +46 silly resolved analyze: false, +46 silly resolved preferGlobal: 'true', +46 silly resolved bin: { 'http-server': './bin/http-server' }, +46 silly resolved readme: '# http-server: a command-line http server\n\n`http-server` is a simple, zero-configuration command-line http server. It is powerful enough for production usage, but it\'s simple and hackable enough to be used for testing, local development, and learning.\n\n![](https://github.com/nodeapps/http-server/raw/master/screenshots/public.png)\n\n# Installing globally:\n\nInstallation via `npm`. If you don\'t have `npm` yet:\n\n curl https://npmjs.org/install.sh | sh\n \nOnce you have `npm`:\n\n npm install http-server -g\n \nThis will install `http-server` globally so that it may be run from the command line.\n\n## Usage:\n\n http-server [path] [options]\n\n`[path]` defaults to `./public` if the folder exists, and `./` otherwise.\n\n# Installing as a node app\n\n mkdir myapp\n cd myapp/\n jitsu install http-server\n\n*If you do not have `jitsu` installed you can install it via `npm install jitsu -g`*\n\n## Usage\n\n### Starting http-server locally\n\n node bin/http-server\n\n*Now you can visit http://localhost:8080 to view your server*\n\n### Deploy http-server to nodejitsu\n\n jitsu deploy\n\n*You will now be prompted for a `subdomain` to deploy your application on*\n\n## Available Options:\n\n`-p` Port to listen for connections on (defaults to 8080)\n\n`-a` Address to bind to (defaults to \'0.0.0.0\')\n\n`-d` Show directory listings (defaults to \'True\')\n\n`-i` Display autoIndex (defaults to \'True\')\n\n`-e` or `--ext` Default file extension (defaults to \'html\')\n\n`-s` or `--silent` In silent mode, log messages aren\'t logged to the console.\n\n`-h` or `--help` Displays a list of commands and exits.\n\n`-c` Set cache time (in seconds) for cache-control max-age header, e.g. -c10 for 10 seconds. To disable caching, use -c-1.\n', +46 silly resolved readmeFilename: 'README.md', +46 silly resolved homepage: 'https://github.com/nodeapps/http-server', +46 silly resolved _id: 'http-server@0.6.1', +46 silly resolved dist: +46 silly resolved { shasum: '06fce65cf2bd4132a578bdac62ffacb97d613981', +46 silly resolved tarball: 'http://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz' }, +46 silly resolved _from: 'http-server@', +46 silly resolved _npmVersion: '1.3.14', +46 silly resolved _npmUser: { name: 'indexzero', email: 'charlie.robbins@gmail.com' }, +46 silly resolved maintainers: [ [Object], [Object], [Object] ], +46 silly resolved directories: {}, +46 silly resolved _shasum: '06fce65cf2bd4132a578bdac62ffacb97d613981', +46 silly resolved _resolved: 'https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz' } ] +47 info install http-server@0.6.1 into /usr/local/lib +48 info installOne http-server@0.6.1 +49 verbose lib/node_modules/http-server unbuild +50 verbose tar unpack /Users/loiane/.npm/http-server/0.6.1/package.tgz +51 silly lockFile c2cc12bc-cal-lib-node-modules-http-server tar:///usr/local/lib/node_modules/http-server +52 verbose lock tar:///usr/local/lib/node_modules/http-server /Users/loiane/.npm/c2cc12bc-cal-lib-node-modules-http-server.lock +53 silly lockFile 57f8618f-pm-http-server-0-6-1-package-tgz tar:///Users/loiane/.npm/http-server/0.6.1/package.tgz +54 verbose lock tar:///Users/loiane/.npm/http-server/0.6.1/package.tgz /Users/loiane/.npm/57f8618f-pm-http-server-0-6-1-package-tgz.lock +55 silly gunzTarPerm modes [ '755', '644' ] +56 error Error: EACCES, mkdir '/usr/local/lib/node_modules/http-server' +56 error { [Error: EACCES, mkdir '/usr/local/lib/node_modules/http-server'] +56 error errno: 3, +56 error code: 'EACCES', +56 error path: '/usr/local/lib/node_modules/http-server', +56 error fstream_type: 'Directory', +56 error fstream_path: '/usr/local/lib/node_modules/http-server', +56 error fstream_class: 'DirWriter', +56 error fstream_stack: +56 error [ '/usr/local/lib/node_modules/npm/node_modules/fstream/lib/dir-writer.js:36:23', +56 error '/usr/local/lib/node_modules/npm/node_modules/mkdirp/index.js:46:53', +56 error 'Object.oncomplete (fs.js:107:15)' ] } +57 error Please try running this command again as root/Administrator. +58 error System Darwin 13.3.0 +59 error command "node" "/usr/local/bin/npm" "install" "http-server" "-g" +60 error cwd /Applications/XAMPP/xamppfiles/htdocs/javascript-datastructures-algorithms +61 error node -v v0.10.31 +62 error npm -v 1.4.23 +63 error path /usr/local/lib/node_modules/http-server +64 error fstream_path /usr/local/lib/node_modules/http-server +65 error fstream_type Directory +66 error fstream_class DirWriter +67 error code EACCES +68 error errno 3 +69 error stack Error: EACCES, mkdir '/usr/local/lib/node_modules/http-server' +70 error fstream_stack /usr/local/lib/node_modules/npm/node_modules/fstream/lib/dir-writer.js:36:23 +70 error fstream_stack /usr/local/lib/node_modules/npm/node_modules/mkdirp/index.js:46:53 +70 error fstream_stack Object.oncomplete (fs.js:107:15) +71 verbose exit [ 3, true ] From 1e39ccd7dfc90e38074f0b07594a12d1e450c444 Mon Sep 17 00:00:00 2001 From: loiane Date: Thu, 4 Sep 2014 17:49:32 -0300 Subject: [PATCH 026/162] added Fibonacci sequence fix --- chapter02/02-CreatingAndInitialingArrays.js | 13 ++++++++----- 1 file changed, 8 insertions(+), 5 deletions(-) diff --git a/chapter02/02-CreatingAndInitialingArrays.js b/chapter02/02-CreatingAndInitialingArrays.js index a3d18fcd..1b20431e 100644 --- a/chapter02/02-CreatingAndInitialingArrays.js +++ b/chapter02/02-CreatingAndInitialingArrays.js @@ -19,13 +19,16 @@ for (var i=0; i Date: Thu, 4 Sep 2014 17:49:41 -0300 Subject: [PATCH 027/162] added more examples --- chapter02/05-ArrayMethods.js | 73 ++++++++++++++++++++++++++++++++---- 1 file changed, 65 insertions(+), 8 deletions(-) diff --git a/chapter02/05-ArrayMethods.js b/chapter02/05-ArrayMethods.js index eff8218b..7b59b8c0 100644 --- a/chapter02/05-ArrayMethods.js +++ b/chapter02/05-ArrayMethods.js @@ -4,7 +4,9 @@ var positiveNumbers = [1,2,3]; var negativeNumbers = [-3,-2,-1]; var numbers = negativeNumbers.concat(zero, positiveNumbers); -//document.writeln(numbers); +console.log(numbers); + +//console.log(numbers); //*** every and some var isEven = function (x) { @@ -24,24 +26,79 @@ numbers.forEach(function(x){ console.log((x % 2 == 0)); }); -document.writeln(numbers.reverse()); +console.log(numbers.reverse()); -//document.writeln('*** filter ***'); +//console.log('*** filter ***'); var evenNumbers = numbers.filter(isEven); -//document.writeln(evenNumbers); +//console.log(evenNumbers); + +console.log('*** map ***'); -document.writeln('*** map ***'); +//console.log(numbers.map(isEven)); -//document.writeln(numbers.map(isEven)); +console.log(numbers.reduce(function(previous, current, index){ + return previous + current; +})); -document.writeln(numbers.sort()); +console.log(numbers.sort()); -document.writeln(numbers.sort(function(a,b){ +console.log(numbers.sort(function(a,b){ return a-b; })); +function compare(a, b) { + if (a < b) { + return -1; + } + if (a > b) { + return 1; + } + // a must be equal to b + return 0; +} + +console.log(numbers.sort(compare)); + +//Sorting objects + +var friends = [ + {name: 'John', age: 30}, + {name: 'Ana', age: 20}, + {name: 'Chris', age: 25} +]; + +function comparePerson(a, b){ + if (a.age < b.age){ + return -1 + } + if (a.age > b.age){ + return 1 + } + return 0; +} + +console.log(friends.sort(comparePerson)); + +var names =['Ana', 'ana', 'john', 'John']; +console.log(names.sort()); + +console.log(names.sort(function(a, b){ + if (a.toLowerCase() < b.toLowerCase()){ + return -1 + } + if (a.toLowerCase() > b.toLowerCase()){ + return 1 + } + return 0; +})); + +var names2 = ['Maève', 'Maeve']; +console.log(names2.sort(function(a, b){ + return a.localeCompare(b); +})); + //*** toString console.log(numbers.toString()); From 48108dd2a2888f6865f4c316196fad2afdd28ac0 Mon Sep 17 00:00:00 2001 From: loiane Date: Thu, 4 Sep 2014 17:49:54 -0300 Subject: [PATCH 028/162] code refactor --- chapter03/01-Stack.js | 22 +++++++++++++++------- chapter04/01-Queue.js | 18 +++++++++++------- 2 files changed, 26 insertions(+), 14 deletions(-) diff --git a/chapter03/01-Stack.js b/chapter03/01-Stack.js index 139d5fea..0cb3960a 100644 --- a/chapter03/01-Stack.js +++ b/chapter03/01-Stack.js @@ -1,28 +1,36 @@ function Stack() { - this.items = []; + var items = []; this.push = function(element){ - this.items.push(element); + items.push(element); }; this.pop = function(){ - return this.items.pop(); + return items.pop(); }; this.peek = function(){ - return this.items[this.items.length-1]; + return items[items.length-1]; }; this.isEmpty = function(){ - return this.items.length == 0; + return items.length == 0; }; this.size = function(){ - return this.items.length; + return items.length; + }; + + this.clear = function(){ + items = []; }; this.print = function(){ - console.log(this.items.toString()); + console.log(items.toString()); + }; + + this.toString = function(){ + return items.toString(); }; } \ No newline at end of file diff --git a/chapter04/01-Queue.js b/chapter04/01-Queue.js index 6058724d..8656893a 100644 --- a/chapter04/01-Queue.js +++ b/chapter04/01-Queue.js @@ -1,28 +1,32 @@ function Queue() { - this.items = []; + var items = []; this.enqueue = function(element){ - this.items.push(element); + items.push(element); }; this.dequeue = function(){ - return this.items.shift(); + return items.shift(); }; this.front = function(){ - return this.items[0]; + return items[0]; }; this.isEmpty = function(){ - return this.items.length == 0; + return items.length == 0; + }; + + this.clear = function(){ + items = []; }; this.size = function(){ - return this.items.length; + return items.length; }; this.print = function(){ - console.log(this.items.toString()); + console.log(items.toString()); }; } From 86ab0e45c82b5864c8d2b82b148fb570bf57d788 Mon Sep 17 00:00:00 2001 From: loiane Date: Thu, 4 Sep 2014 17:50:16 -0300 Subject: [PATCH 029/162] code refactoring --- chapter03/05-TowerOfHanoi.js | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/chapter03/05-TowerOfHanoi.js b/chapter03/05-TowerOfHanoi.js index 34205bc1..255e02fb 100644 --- a/chapter03/05-TowerOfHanoi.js +++ b/chapter03/05-TowerOfHanoi.js @@ -4,9 +4,9 @@ function towerOfHanoi(n, from, to, helper){ towerOfHanoi(n-1, from, helper, to); to.push(from.pop()); console.log('-----') - console.log('Source: ' + from.items.toString()); - console.log('Dest: ' + to.items.toString()); - console.log('Helper: ' + helper.items.toString()); + console.log('Source: ' + from.toString()); + console.log('Dest: ' + to.toString()); + console.log('Helper: ' + helper.toString()); towerOfHanoi(n-1, helper, to, from); } } From a4526c06c9a65779e50b6dd8870a368d4cf61baa Mon Sep 17 00:00:00 2001 From: loiane Date: Thu, 4 Sep 2014 17:51:03 -0300 Subject: [PATCH 030/162] code refactoring and bug fix --- chapter04/03-PriorityQueue.js | 37 +++++++++++++++++++++-------------- 1 file changed, 22 insertions(+), 15 deletions(-) diff --git a/chapter04/03-PriorityQueue.js b/chapter04/03-PriorityQueue.js index be93eff7..b7aa2d6b 100644 --- a/chapter04/03-PriorityQueue.js +++ b/chapter04/03-PriorityQueue.js @@ -1,46 +1,51 @@ function PriorityQueue() { - this.items = []; + var items = []; function QueueElement (element, priority){ - this.element = element; - this.priority = priority; + element = element; + priority = priority; } this.enqueue = function(element, priority){ var queueElement = new QueueElement(element, priority); - if (this.isEmpty()){ - this.items.push(queueElement); + if (isEmpty()){ + items.push(queueElement); } else { - for (var i=0; i Date: Thu, 4 Sep 2014 17:53:07 -0300 Subject: [PATCH 031/162] code refactoring --- chapter04/03-PriorityQueue.js | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/chapter04/03-PriorityQueue.js b/chapter04/03-PriorityQueue.js index b7aa2d6b..5b6442bb 100644 --- a/chapter04/03-PriorityQueue.js +++ b/chapter04/03-PriorityQueue.js @@ -3,14 +3,14 @@ function PriorityQueue() { var items = []; function QueueElement (element, priority){ - element = element; - priority = priority; + this.element = element; + this.priority = priority; } this.enqueue = function(element, priority){ var queueElement = new QueueElement(element, priority); - if (isEmpty()){ + if (this.isEmpty()){ items.push(queueElement); } else { var added = false; From 573a6b7f4c7ac6eb6ce729415f2bbd6123cfc6e9 Mon Sep 17 00:00:00 2001 From: loiane Date: Sat, 6 Sep 2014 14:48:30 -0300 Subject: [PATCH 032/162] added new examples --- chapter01/02-Variables.js | 30 ++++++++++++++++++++++---- chapter01/03-Operators.js | 23 ++++++++++++++++++-- chapter01/04-TruthyFalsy.html | 10 +++++++++ chapter01/04-TruthyFalsy.js | 23 ++++++++++++++++++++ chapter01/05-EqualsOperators.html | 10 +++++++++ chapter01/05-EqualsOperators.js | 36 +++++++++++++++++++++++++++++++ 6 files changed, 126 insertions(+), 6 deletions(-) create mode 100644 chapter01/04-TruthyFalsy.html create mode 100644 chapter01/04-TruthyFalsy.js create mode 100644 chapter01/05-EqualsOperators.html create mode 100644 chapter01/05-EqualsOperators.js diff --git a/chapter01/02-Variables.js b/chapter01/02-Variables.js index 502ad0e9..e75cf459 100644 --- a/chapter01/02-Variables.js +++ b/chapter01/02-Variables.js @@ -8,8 +8,30 @@ var nullVar = null; //{6} var und; //7 console.log("num: "+ num); -console.log("name: "+ num); -console.log("trueValue: "+ num); -console.log("price: "+ num); +console.log("name: "+ name); +console.log("trueValue: "+ trueValue); +console.log("price: "+ price); console.log("nullVar: "+ nullVar); -console.log("und: "+ und); \ No newline at end of file +console.log("und: "+ und); + +//******* Variable Scope + +var myVariable = 'global'; +myOtherVariable = 'global'; + +function myFunction(){ + var myVariable = 'local'; + return myVariable; +} + +function myOtherFunction(){ + myOtherVariable = 'local'; + return myOtherVariable; +} + +console.log(myVariable); //{1} +console.log(myFunction()); //{2} + +console.log(myOtherVariable); //{3} +console.log(myOtherFunction()); //{4} +console.log(myOtherVariable); //{5} diff --git a/chapter01/03-Operators.js b/chapter01/03-Operators.js index 3f1a0dcc..d1044b92 100644 --- a/chapter01/03-Operators.js +++ b/chapter01/03-Operators.js @@ -42,8 +42,27 @@ console.log('num < 1 : ' + (num < 1)); console.log('num >= 1 : ' + (num >= 1)); console.log('num <= 1 : ' + (num <= 1)); - /* Logical operators */ console.log('true && false : ' + (true && false)); console.log('true || false : ' + (true || false)); -console.log('!true : ' + (!true)); \ No newline at end of file +console.log('!true : ' + (!true)); + +/* Bitwise operators */ +console.log('5 & 1:', (5 & 1)); //same as 0101 & 0001 (result 0001 / 1) +console.log('5 | 1:', (5 | 1)); //same as 0101 | 0001 (result 0101 / 5) +console.log('~ 5:', (~5)); //same as ~0101 (result 1010 / 10) +console.log('5 ^ 1:', (5 ^ 1)); //same as 0101 ^ 0001 (result 0100 / 4) +console.log('5 << 1:', (5 << 1)); //same as 0101 << 1 (result 1010 / 10) +console.log('5 >> 1:', (5 >> 1)); //same as 0101 >> 1 (result 0010 / 2) + +/* typeOf */ +console.log('typeof num:', typeof num); +console.log('typeof Packt:', typeof 'Packt'); +console.log('typeof true:', typeof true); +console.log('typeof [1,2,3]:', typeof [1,2,3]); +console.log('typeof {name:John}:', typeof {name:'John'}); + +/* delete */ +var myObj = {name: 'John', age: 21}; +delete myObj.age; +console.log(myObj); //Object {name: "John"} \ No newline at end of file diff --git a/chapter01/04-TruthyFalsy.html b/chapter01/04-TruthyFalsy.html new file mode 100644 index 00000000..9b20f161 --- /dev/null +++ b/chapter01/04-TruthyFalsy.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/04-TruthyFalsy.js b/chapter01/04-TruthyFalsy.js new file mode 100644 index 00000000..d700cd2c --- /dev/null +++ b/chapter01/04-TruthyFalsy.js @@ -0,0 +1,23 @@ +function testTruthy(val){ + return val ? console.log('truthy') : console.log('falsy'); +} + +testTruthy(true); //true +testTruthy(false); //false +testTruthy(new Boolean(false)); //true (object is always true) + +testTruthy(''); //false +testTruthy('Packt'); //true +testTruthy(new String('')); //true (object is always true) + +testTruthy(1); //true +testTruthy(-1); //true +testTruthy(NaN); //false +testTruthy(new Number(NaN)); //true (object is always true) + +testTruthy({}); //true (object is always true) + +var obj = {name:'John'}; +testTruthy(obj); //true +testTruthy(obj.name); //true +testTruthy(obj.age); //age (prop does not exist) \ No newline at end of file diff --git a/chapter01/05-EqualsOperators.html b/chapter01/05-EqualsOperators.html new file mode 100644 index 00000000..bf26fbf3 --- /dev/null +++ b/chapter01/05-EqualsOperators.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/05-EqualsOperators.js b/chapter01/05-EqualsOperators.js new file mode 100644 index 00000000..253c21b9 --- /dev/null +++ b/chapter01/05-EqualsOperators.js @@ -0,0 +1,36 @@ +//Packt == true + +console.log('packt' ? true : false); +//outputs true + +console.log('packt' == true); +//1 - converts Boolean using toNumber +//'packt' == 1 +//2 - converts String using toNumber +//NaN == 1 +//outputs false + +console.log('packt' == false); +//1 - converts Boolean using toNumber +//'packt' == 0 +//2 - converts String using toNumber +//NaN == 0 +//outputs false + +console.log([0] == true); +//1 - converts Boolean using toNumber +//[0] == 1 +//2 - converts Object using toPrimitive +//2.1 - [0].valueOf() is not primitive +//2.2 - [0].toString is 0 +//0 == 1 +//outputs false + +//******************************* === +console.log('packt' === true); //false + +console.log('packt' === 'packt'); //true + +var person1 = {name:'John'}; +var person2 = {name:'John'}; +console.log(person1 === person2); //false, different objects \ No newline at end of file From d665cf632947ed66d26b482d957578429d2d9fde Mon Sep 17 00:00:00 2001 From: loiane Date: Sat, 6 Sep 2014 14:48:45 -0300 Subject: [PATCH 033/162] added *.log --- .gitignore | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/.gitignore b/.gitignore index bc8a670e..6fee6d3a 100644 --- a/.gitignore +++ b/.gitignore @@ -1 +1,2 @@ -.idea/* \ No newline at end of file +.idea/* +*.log \ No newline at end of file From f4e3adcc454361b0ac583b506e05eabe32bf57d4 Mon Sep 17 00:00:00 2001 From: loiane Date: Sat, 6 Sep 2014 14:48:55 -0300 Subject: [PATCH 034/162] renamed files --- ...nts.html => 06-ConditionalStatements.html} | 2 +- ...tements.js => 06-ConditionalStatements.js} | 22 ++++++++++++++----- chapter01/{05-Loops.html => 07-Loops.html} | 2 +- chapter01/{05-Loops.js => 07-Loops.js} | 0 .../{06-Functions.html => 08-Functions.html} | 2 +- .../{06-Functions.js => 08-Functions.js} | 0 ...ientedJS.html => 09-ObjectOrientedJS.html} | 2 +- ...ctOrientedJS.js => 09-ObjectOrientedJS.js} | 0 8 files changed, 20 insertions(+), 10 deletions(-) rename chapter01/{04-ConditionalStatements.html => 06-ConditionalStatements.html} (64%) rename chapter01/{04-ConditionalStatements.js => 06-ConditionalStatements.js} (75%) rename chapter01/{05-Loops.html => 07-Loops.html} (64%) rename chapter01/{05-Loops.js => 07-Loops.js} (100%) rename chapter01/{06-Functions.html => 08-Functions.html} (62%) rename chapter01/{06-Functions.js => 08-Functions.js} (100%) rename chapter01/{07-ObjectOrientedJS.html => 09-ObjectOrientedJS.html} (63%) rename chapter01/{07-ObjectOrientedJS.js => 09-ObjectOrientedJS.js} (100%) diff --git a/chapter01/04-ConditionalStatements.html b/chapter01/06-ConditionalStatements.html similarity index 64% rename from chapter01/04-ConditionalStatements.html rename to chapter01/06-ConditionalStatements.html index d1f7d8f0..885a409b 100644 --- a/chapter01/04-ConditionalStatements.html +++ b/chapter01/06-ConditionalStatements.html @@ -5,6 +5,6 @@ - + \ No newline at end of file diff --git a/chapter01/04-ConditionalStatements.js b/chapter01/06-ConditionalStatements.js similarity index 75% rename from chapter01/04-ConditionalStatements.js rename to chapter01/06-ConditionalStatements.js index 3d9cf0e5..c7256c80 100644 --- a/chapter01/04-ConditionalStatements.js +++ b/chapter01/06-ConditionalStatements.js @@ -1,12 +1,12 @@ /* Example 01 - if */ var num = 1; -if (num == 1) { +if (num === 1) { console.log("num is equal to 1"); } /* Example 02 - if-else */ var num = 0; -if (num == 1) { +if (num === 1) { console.log("num is equal to 1"); } else { console.log("num is not equal to 1, the value of num is " + num); @@ -14,11 +14,11 @@ if (num == 1) { /* Example 03 - if-else-if-else... */ var month = 5; -if (month == 1) { +if (month === 1) { console.log("January"); -} else if (month == 2){ +} else if (month === 2){ console.log("February"); -} else if (month == 3){ +} else if (month === 3){ console.log("March"); } else { console.log("Month is not January, February or March"); @@ -38,4 +38,14 @@ switch(month) { break; default: console.log("Month is not January, February or March"); -} \ No newline at end of file +} + +/* Example 05 - ternary operator - if..else */ +if (num === 1){ + num--; +} else { + num++; +} + +//is the same as +(num === 1) ? num-- : num++; \ No newline at end of file diff --git a/chapter01/05-Loops.html b/chapter01/07-Loops.html similarity index 64% rename from chapter01/05-Loops.html rename to chapter01/07-Loops.html index 0fefd73b..e87a478f 100644 --- a/chapter01/05-Loops.html +++ b/chapter01/07-Loops.html @@ -5,6 +5,6 @@ - + \ No newline at end of file diff --git a/chapter01/05-Loops.js b/chapter01/07-Loops.js similarity index 100% rename from chapter01/05-Loops.js rename to chapter01/07-Loops.js diff --git a/chapter01/06-Functions.html b/chapter01/08-Functions.html similarity index 62% rename from chapter01/06-Functions.html rename to chapter01/08-Functions.html index 7468734f..cde89bcf 100644 --- a/chapter01/06-Functions.html +++ b/chapter01/08-Functions.html @@ -5,6 +5,6 @@ - + \ No newline at end of file diff --git a/chapter01/06-Functions.js b/chapter01/08-Functions.js similarity index 100% rename from chapter01/06-Functions.js rename to chapter01/08-Functions.js diff --git a/chapter01/07-ObjectOrientedJS.html b/chapter01/09-ObjectOrientedJS.html similarity index 63% rename from chapter01/07-ObjectOrientedJS.html rename to chapter01/09-ObjectOrientedJS.html index 91a3b533..9fef9dab 100644 --- a/chapter01/07-ObjectOrientedJS.html +++ b/chapter01/09-ObjectOrientedJS.html @@ -5,6 +5,6 @@ - + \ No newline at end of file diff --git a/chapter01/07-ObjectOrientedJS.js b/chapter01/09-ObjectOrientedJS.js similarity index 100% rename from chapter01/07-ObjectOrientedJS.js rename to chapter01/09-ObjectOrientedJS.js From bc3158a6f0f20c62b15593003f89b2dfcf99b0be Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 13 Sep 2014 11:23:32 -0300 Subject: [PATCH 035/162] fixed typos and refactored methods --- chapter06/01-Set.js | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/chapter06/01-Set.js b/chapter06/01-Set.js index 7791c03d..ea1eb6c1 100644 --- a/chapter06/01-Set.js +++ b/chapter06/01-Set.js @@ -25,7 +25,8 @@ function Set() { }; this.has = function(value){ - return value in items; + return items.hasOwnProperty(value); + //return value in items; }; this.clear = function(){ @@ -49,8 +50,7 @@ function Set() { this.sizeLegacy = function(){ var count = 0; for(var prop in items) { - if(items.hasOwnProperty(prop)) - ++count; + ++count; } return count; }; @@ -93,16 +93,16 @@ function Set() { }; this.intersection = function(otherSet){ - var insertectionSet = new Set(); //{1} + var intersectionSet = new Set(); //{1} var values = this.values(); for (var i=0; i Date: Sat, 13 Sep 2014 11:23:57 -0300 Subject: [PATCH 036/162] added one more example --- chapter06/02-UsingSets.js | 1 + 1 file changed, 1 insertion(+) diff --git a/chapter06/02-UsingSets.js b/chapter06/02-UsingSets.js index ebdd0671..2eb0a487 100644 --- a/chapter06/02-UsingSets.js +++ b/chapter06/02-UsingSets.js @@ -9,6 +9,7 @@ set.add(2); console.log(set.values()); //outputs ["1", "2"] console.log(set.has(2)); //true console.log(set.size()); //2 +console.log(set.sizeLegacy()); //3 set.remove(1); console.log(set.values()); //outputs ["2"] From f05375c81589897388db2b0a5af2b7af6e0930ee Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 13 Sep 2014 11:24:10 -0300 Subject: [PATCH 037/162] added example --- chapter06/03-Operations.js | 1 + 1 file changed, 1 insertion(+) diff --git a/chapter06/03-Operations.js b/chapter06/03-Operations.js index 571e34a4..fc866c0c 100644 --- a/chapter06/03-Operations.js +++ b/chapter06/03-Operations.js @@ -6,6 +6,7 @@ setA.add(2); setA.add(3); var setB = new Set(); +setB.add(3); setB.add(4); setB.add(5); setB.add(6); From 54da31ab49019bc0d1b228d61ea323da5c558172 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 13 Sep 2014 16:02:27 -0300 Subject: [PATCH 038/162] fixed code --- chapter06/01-Set.js | 3 ++- chapter07/01-Dictionaries.js | 3 ++- 2 files changed, 4 insertions(+), 2 deletions(-) diff --git a/chapter06/01-Set.js b/chapter06/01-Set.js index ea1eb6c1..aff644a1 100644 --- a/chapter06/01-Set.js +++ b/chapter06/01-Set.js @@ -50,7 +50,8 @@ function Set() { this.sizeLegacy = function(){ var count = 0; for(var prop in items) { - ++count; + if(items.hasOwnProperty(prop)) + ++count; } return count; }; diff --git a/chapter07/01-Dictionaries.js b/chapter07/01-Dictionaries.js index 4f102099..695209ec 100644 --- a/chapter07/01-Dictionaries.js +++ b/chapter07/01-Dictionaries.js @@ -15,7 +15,8 @@ function Dictionary(){ }; this.has = function(key){ - return key in items; + return items.hasOwnProperty(value); + //return value in items; }; this.get = function(key) { From 0852027e18913830f454c2fdf0a03170c33d501c Mon Sep 17 00:00:00 2001 From: loiane Date: Mon, 15 Sep 2014 20:47:00 -0300 Subject: [PATCH 039/162] simplified toString method --- chapter05/01-Linked-List.js | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/chapter05/01-Linked-List.js b/chapter05/01-Linked-List.js index be63c981..3df7056f 100644 --- a/chapter05/01-Linked-List.js +++ b/chapter05/01-Linked-List.js @@ -149,15 +149,15 @@ function LinkedList() { this.toString = function(){ - var current = head, - s = current.element; + var current = head, + string = ''; - while(current.next){ + while (current) { + string = current.element; current = current.next; - s += ', ' + current.element; } + return string; - return s.toString(); }; this.print = function(){ From dd6e29bc0d3b491ce27a9fc63a1d7f0d0f4d9f24 Mon Sep 17 00:00:00 2001 From: loiane Date: Mon, 15 Sep 2014 20:47:14 -0300 Subject: [PATCH 040/162] added empty tree constraint --- chapter08/01-BinarySearchTree.js | 22 ++++++++++++++-------- 1 file changed, 14 insertions(+), 8 deletions(-) diff --git a/chapter08/01-BinarySearchTree.js b/chapter08/01-BinarySearchTree.js index fe86e8fc..ae813fce 100644 --- a/chapter08/01-BinarySearchTree.js +++ b/chapter08/01-BinarySearchTree.js @@ -103,11 +103,14 @@ function BinarySearchTree() { }; var minNode = function (node) { - while (node && node.left !== null) { - node = node.left; - } + if (node){ + while (node && node.left !== null) { + node = node.left; + } - return node.key; + return node.key; + } + return null; }; this.max = function() { @@ -115,11 +118,14 @@ function BinarySearchTree() { }; var maxNode = function (node) { - while (node && node.right !== null) { - node = node.right; - } + if (node){ + while (node && node.right !== null) { + node = node.right; + } - return node.key; + return node.key; + } + return null; }; this.remove = function(element){ From e52f99f476cee4b1e3e429fcc1b2f6a9f54be876 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Mon, 15 Sep 2014 21:38:10 -0300 Subject: [PATCH 041/162] simplified some methods --- chapter05/01-Linked-List.js | 23 ++++------------------- 1 file changed, 4 insertions(+), 19 deletions(-) diff --git a/chapter05/01-Linked-List.js b/chapter05/01-Linked-List.js index 3df7056f..76556c09 100644 --- a/chapter05/01-Linked-List.js +++ b/chapter05/01-Linked-List.js @@ -107,29 +107,14 @@ function LinkedList() { this.indexOf = function(element){ var current = head, - index = -1; + index = 0; - //check first item - if (element == current.element){ - return 0; - } - - index++; - - //check in the middle of the list - while(current.next){ - - if (element == current.element){ + while (current) { + if (element === current.element) { return index; } - - current = current.next; index++; - } - - //check last item - if (element == current.element){ - return index; + current = current.next; } return -1; From a3ca7bb8f851ef497b5bf41b00917d47178ffb51 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Mon, 15 Sep 2014 21:54:32 -0300 Subject: [PATCH 042/162] added constraint - empty list --- chapter05/03-Doubly-Linked-List.js | 13 +++++++++---- 1 file changed, 9 insertions(+), 4 deletions(-) diff --git a/chapter05/03-Doubly-Linked-List.js b/chapter05/03-Doubly-Linked-List.js index 0197cb19..1ca53298 100644 --- a/chapter05/03-Doubly-Linked-List.js +++ b/chapter05/03-Doubly-Linked-List.js @@ -42,11 +42,16 @@ function DoublyLinkedList() { if (position === 0){ //add on first position - node.next = current; - current.prev = node; //NEW {1} - head = node; + if (!head){ //NEW + head = node; + tail = node; + } else { + node.next = current; + current.prev = node; //NEW {1} + head = node; + } - } else if (position === length-1) { //last item //NEW + } else if (position === length) { //last item //NEW current = tail; // {2} current.next = node; From f6a56ddbfa6592bb9236be245bf8ae9cefa4526c Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Mon, 15 Sep 2014 21:54:37 -0300 Subject: [PATCH 043/162] added new test --- chapter05/04-UsingDoublyLinkedLists.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/chapter05/04-UsingDoublyLinkedLists.js b/chapter05/04-UsingDoublyLinkedLists.js index 31fba8e8..00534d49 100644 --- a/chapter05/04-UsingDoublyLinkedLists.js +++ b/chapter05/04-UsingDoublyLinkedLists.js @@ -16,7 +16,7 @@ list.insert(0,13); list.print(); list.printInverse(); -list.insert(list.size()-1,18); +list.insert(4,18); list.print(); list.printInverse(); From a124b542f0ff87254ca532ee12245e38359f2b75 Mon Sep 17 00:00:00 2001 From: loiane Date: Tue, 23 Sep 2014 10:23:09 -0300 Subject: [PATCH 044/162] fixed issue --- chapter07/01-Dictionaries.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/chapter07/01-Dictionaries.js b/chapter07/01-Dictionaries.js index 695209ec..ea26cd05 100644 --- a/chapter07/01-Dictionaries.js +++ b/chapter07/01-Dictionaries.js @@ -15,7 +15,7 @@ function Dictionary(){ }; this.has = function(key){ - return items.hasOwnProperty(value); + return items.hasOwnProperty(key); //return value in items; }; From 7f9c822bf579a840516d40bc6d643cccbee5e0a4 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 28 Sep 2014 21:31:52 -0300 Subject: [PATCH 045/162] modified toString --- chapter10/01-SortingSearchingAlgorithms.js | 6 +----- 1 file changed, 1 insertion(+), 5 deletions(-) diff --git a/chapter10/01-SortingSearchingAlgorithms.js b/chapter10/01-SortingSearchingAlgorithms.js index 1204ace2..b4081024 100755 --- a/chapter10/01-SortingSearchingAlgorithms.js +++ b/chapter10/01-SortingSearchingAlgorithms.js @@ -13,11 +13,7 @@ function ArrayList(){ }; this.toString= function(){ - var s = array[0] ? array[0] : ''; - for (var i=1; i Date: Sun, 28 Sep 2014 21:32:06 -0300 Subject: [PATCH 046/162] added new example to chapter 11 --- chapter11/02-InfiniteRecursion.js | 15 +++++++++++++++ chapter11/05-BigONotation.html | 10 ++++++++++ 2 files changed, 25 insertions(+) create mode 100644 chapter11/02-InfiniteRecursion.js create mode 100644 chapter11/05-BigONotation.html diff --git a/chapter11/02-InfiniteRecursion.js b/chapter11/02-InfiniteRecursion.js new file mode 100644 index 00000000..2ca26d33 --- /dev/null +++ b/chapter11/02-InfiniteRecursion.js @@ -0,0 +1,15 @@ +var i = 0; + +function recursiveFn () { + i++; + recursiveFn(); +} + +try { + recursiveFn(); +} catch (ex) { + alert('i = ' + i + ' error: ' + ex); +} + +//chrome 37 = 20955 RangeError: Maximum call stack size exceeded +//ff 27 = 343429 InternalError: too much recursion \ No newline at end of file diff --git a/chapter11/05-BigONotation.html b/chapter11/05-BigONotation.html new file mode 100644 index 00000000..317a5bfb --- /dev/null +++ b/chapter11/05-BigONotation.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file From 87e9c04e5499c1198126fbb9d6f279d34ea1cb62 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 28 Sep 2014 21:32:22 -0300 Subject: [PATCH 047/162] renamed files --- chapter11/{04-BigONotation.html => 02-InfiniteRecursion.html} | 2 +- chapter11/{02-MinCoinChangeDP.html => 03-MinCoinChangeDP.html} | 2 +- chapter11/{02-MinCoinChangeDP.js => 03-MinCoinChangeDP.js} | 0 ...{03-MinCoinChangeGreedy.html => 04-MinCoinChangeGreedy.html} | 2 +- .../{03-MinCoinChangeGreedy.js => 04-MinCoinChangeGreedy.js} | 0 chapter11/{04-BigONotation.js => 05-BigONotation.js} | 0 6 files changed, 3 insertions(+), 3 deletions(-) rename chapter11/{04-BigONotation.html => 02-InfiniteRecursion.html} (60%) rename chapter11/{02-MinCoinChangeDP.html => 03-MinCoinChangeDP.html} (63%) rename chapter11/{02-MinCoinChangeDP.js => 03-MinCoinChangeDP.js} (100%) rename chapter11/{03-MinCoinChangeGreedy.html => 04-MinCoinChangeGreedy.html} (64%) rename chapter11/{03-MinCoinChangeGreedy.js => 04-MinCoinChangeGreedy.js} (100%) rename chapter11/{04-BigONotation.js => 05-BigONotation.js} (100%) diff --git a/chapter11/04-BigONotation.html b/chapter11/02-InfiniteRecursion.html similarity index 60% rename from chapter11/04-BigONotation.html rename to chapter11/02-InfiniteRecursion.html index 995ac4d9..e51a8132 100644 --- a/chapter11/04-BigONotation.html +++ b/chapter11/02-InfiniteRecursion.html @@ -5,6 +5,6 @@ - + \ No newline at end of file diff --git a/chapter11/02-MinCoinChangeDP.html b/chapter11/03-MinCoinChangeDP.html similarity index 63% rename from chapter11/02-MinCoinChangeDP.html rename to chapter11/03-MinCoinChangeDP.html index 7516a9da..c4171470 100644 --- a/chapter11/02-MinCoinChangeDP.html +++ b/chapter11/03-MinCoinChangeDP.html @@ -5,6 +5,6 @@ - + \ No newline at end of file diff --git a/chapter11/02-MinCoinChangeDP.js b/chapter11/03-MinCoinChangeDP.js similarity index 100% rename from chapter11/02-MinCoinChangeDP.js rename to chapter11/03-MinCoinChangeDP.js diff --git a/chapter11/03-MinCoinChangeGreedy.html b/chapter11/04-MinCoinChangeGreedy.html similarity index 64% rename from chapter11/03-MinCoinChangeGreedy.html rename to chapter11/04-MinCoinChangeGreedy.html index 7ebac53d..cc01ddc2 100644 --- a/chapter11/03-MinCoinChangeGreedy.html +++ b/chapter11/04-MinCoinChangeGreedy.html @@ -5,6 +5,6 @@ - + \ No newline at end of file diff --git a/chapter11/03-MinCoinChangeGreedy.js b/chapter11/04-MinCoinChangeGreedy.js similarity index 100% rename from chapter11/03-MinCoinChangeGreedy.js rename to chapter11/04-MinCoinChangeGreedy.js diff --git a/chapter11/04-BigONotation.js b/chapter11/05-BigONotation.js similarity index 100% rename from chapter11/04-BigONotation.js rename to chapter11/05-BigONotation.js From 37e35765cb0ad43b21387e5255a0b554bd87c467 Mon Sep 17 00:00:00 2001 From: Jonathan Haygood Date: Mon, 17 Nov 2014 22:52:03 -0800 Subject: [PATCH 048/162] Add concatenation to toString() A number of different routes could be taken to print out the list. This change will concatenate the string to print each element on a separate line. --- chapter05/01-Linked-List.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/chapter05/01-Linked-List.js b/chapter05/01-Linked-List.js index 76556c09..d4f4637f 100644 --- a/chapter05/01-Linked-List.js +++ b/chapter05/01-Linked-List.js @@ -138,7 +138,7 @@ function LinkedList() { string = ''; while (current) { - string = current.element; + string += current.element + (current.next ? '\n' : ''); current = current.next; } return string; @@ -148,4 +148,4 @@ function LinkedList() { this.print = function(){ console.log(this.toString()); }; -} \ No newline at end of file +} From 6f8ad8ee7987bd4db793fb3b67021ba6056165d0 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Thu, 29 Jan 2015 09:27:28 -0200 Subject: [PATCH 049/162] fixed - missed array creation. --- chapter02/01-Introduction.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/chapter02/01-Introduction.js b/chapter02/01-Introduction.js index 737ad09b..93d80a8d 100644 --- a/chapter02/01-Introduction.js +++ b/chapter02/01-Introduction.js @@ -4,8 +4,9 @@ var averageTempMar = 42.4; var averageTempApr = 52; var averageTempMay = 60.8; +var averageTemp = []; averageTemp[0] = 31.9; averageTemp[1] = 35.3; averageTemp[2] = 42.4; averageTemp[3] = 52; -averageTemp[4] = 60.8; \ No newline at end of file +averageTemp[4] = 60.8; From 10b0c041a5b9d5530ff9902a1dd51c4d1f6f5cc2 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Wed, 18 Mar 2015 17:47:11 -0300 Subject: [PATCH 050/162] Update README.md --- README.md | 28 ++++++++++++++++++++++++++-- 1 file changed, 26 insertions(+), 2 deletions(-) diff --git a/README.md b/README.md index b4771d7f..8facc4a0 100644 --- a/README.md +++ b/README.md @@ -1,4 +1,28 @@ -javascript-datastructures-algorithms +Learning JavaScript Data Structures and Algorithms ==================================== -JavaScript algorithms +Source code of **Learning JavaScript Data Structures and Algorithms** book. + +Book link: + - [Packt](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms) + - [Amazon](http://www.amazon.com/gp/product/1783554878/ref=as_li_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=1783554878&linkCode=as2&tag=loiagron-20&linkId=7VBQ7OMJ47XY7MUV) + + +###List of Chapters: + +* 1: JAVASCRIPT – A QUICK OVERVIEW +* 2: ARRAYS +* 3: STACKS +* 4: QUEUES +* 5: LINKED LISTS +* 6: SETS +* 7: DICTIONARIES AND HASHES +* 8: TREES +* 9: GRAPHS +* 10: SORTING AND SEARCHING ALGORITHMS +* 11: More about Algorithms (Recursion, Dynamic Programing, Greedy Algorithms and Big-O Notation) - Extra chapter that can be donwloaded from [Packt](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms) website +* Apendix A: Big-O Cheat Sheet - Extra chapter that can be donwloaded from [Packt](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms) website + +###Found and issue or have a question? + +Please create an [Issue](https://github.com/loiane/javascript-datastructures-algorithms/issues) or [Pull Request](https://github.com/loiane/javascript-datastructures-algorithms/pulls) From a7285d9d526352f7676b47c7b12c283718aa9d57 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Fri, 27 Mar 2015 21:41:28 -0300 Subject: [PATCH 051/162] fixed typo --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index 8facc4a0..9712708a 100644 --- a/README.md +++ b/README.md @@ -23,6 +23,6 @@ Book link: * 11: More about Algorithms (Recursion, Dynamic Programing, Greedy Algorithms and Big-O Notation) - Extra chapter that can be donwloaded from [Packt](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms) website * Apendix A: Big-O Cheat Sheet - Extra chapter that can be donwloaded from [Packt](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms) website -###Found and issue or have a question? +###Found an issue or have a question? Please create an [Issue](https://github.com/loiane/javascript-datastructures-algorithms/issues) or [Pull Request](https://github.com/loiane/javascript-datastructures-algorithms/pulls) From 3243eff472c38f0edcecd7ac6f4d3830fa046d39 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Fri, 8 Jan 2016 15:07:05 -0200 Subject: [PATCH 052/162] EcmaScript 6 const and let examples --- chapter01/02-Variables.js | 48 +++++++++++++++++++++++++++++++++++++++ 1 file changed, 48 insertions(+) diff --git a/chapter01/02-Variables.js b/chapter01/02-Variables.js index e75cf459..a12f9535 100644 --- a/chapter01/02-Variables.js +++ b/chapter01/02-Variables.js @@ -14,6 +14,21 @@ console.log("price: "+ price); console.log("nullVar: "+ nullVar); console.log("und: "+ und); +//******* EcmaScript 6: let and const keywords +// EcmaScript 6 Constants +const PI = 3.141593; +//PI = 3.0; //throws error +console.log(PI); + +// EcmaScript 6: let is the new var +var framework = 'Angular'; +var framework = 'React'; +console.log(framework); + +let language = 'JavaScript!'; +//let language = 'Ruby!'; //throws error +console.log(language); + //******* Variable Scope var myVariable = 'global'; @@ -35,3 +50,36 @@ console.log(myFunction()); //{2} console.log(myOtherVariable); //{3} console.log(myOtherFunction()); //{4} console.log(myOtherVariable); //{5} + +//******* EcmaScript 6: variables scope +let movie = 'Lord of the Rings'; +//var movie = 'Batman v Superman'; //throws error, variable movie already declared + +function starWarsFan(){ + let movie = 'Star Wars'; + return movie; +} + +function marvelFan(){ + movie = 'The Avengers'; + return movie; +} + +function blizzardFan(){ + let isFan = true; + let phrase = 'Warcraft'; + console.log('Before if: ' + phrase); + if (isFan){ + let phrase = 'initial text'; + phrase = 'For the Horde!'; + console.log('Inside if: ' + phrase); + } + phrase = 'For the Alliance!'; + console.log('After if: ' + phrase); +} + +console.log(movie); +console.log(starWarsFan()); +console.log(marvelFan()); +console.log(movie); +blizzardFan(); \ No newline at end of file From acc3a6c4a05aeebce2310d016b5afb7c158ad144 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 9 Jan 2016 12:38:57 -0200 Subject: [PATCH 053/162] EcmaScript 6: Parameter handlings --- chapter01/09-ES6ParameterHandling.html | 10 +++++++ chapter01/09-ES6ParameterHandling.js | 37 ++++++++++++++++++++++++++ 2 files changed, 47 insertions(+) create mode 100644 chapter01/09-ES6ParameterHandling.html create mode 100644 chapter01/09-ES6ParameterHandling.js diff --git a/chapter01/09-ES6ParameterHandling.html b/chapter01/09-ES6ParameterHandling.html new file mode 100644 index 00000000..e1547af6 --- /dev/null +++ b/chapter01/09-ES6ParameterHandling.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/09-ES6ParameterHandling.js b/chapter01/09-ES6ParameterHandling.js new file mode 100644 index 00000000..5b95e94f --- /dev/null +++ b/chapter01/09-ES6ParameterHandling.js @@ -0,0 +1,37 @@ +//******* EcmaScript 6: Default Parameter Values +function sum (x = 1, y = 2, z = 3) { + return x + y + z +}; +console.log(sum(4,2)); //outpus 10 + +//function above is the same as +function sum2 (x, y, z) { + if (x === undefined) + x = 1; + if (y === undefined) + y = 2; + if (z === undefined) + z = 3; + return x + y + z; +}; +console.log(sum2(4,2)); //outpus 10 + +//******* EcmaScript 6: spread operator ('...') +var params = [3, 4, 5]; +console.log(sum(...params)); + +var numbers = [1, 2, ...params]; //pushing values into array +console.log(numbers); + +//******* EcmaScript 6: rest parameter ('...') +function restParamaterFunction (x, y, ...a) { + return (x + y) * a.length; +} +console.log(restParamaterFunction(1, 2, "hello", true, 7)); // outputs 9; + +//code above is the same as ES5: +function restParamaterFunction2 (x, y) { + var a = Array.prototype.slice.call(arguments, 2); + return (x + y) * a.length; +}; +console.log(restParamaterFunction2(1, 2, "hello", true, 7)); \ No newline at end of file From 2e754cfb482541165e546601592005018cd21d3f Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 9 Jan 2016 12:41:39 -0200 Subject: [PATCH 054/162] object oriented javascript --- .../{09-ObjectOrientedJS.html => 10-ObjectOrientedJS.html} | 2 +- chapter01/{09-ObjectOrientedJS.js => 10-ObjectOrientedJS.js} | 0 2 files changed, 1 insertion(+), 1 deletion(-) rename chapter01/{09-ObjectOrientedJS.html => 10-ObjectOrientedJS.html} (63%) rename chapter01/{09-ObjectOrientedJS.js => 10-ObjectOrientedJS.js} (100%) diff --git a/chapter01/09-ObjectOrientedJS.html b/chapter01/10-ObjectOrientedJS.html similarity index 63% rename from chapter01/09-ObjectOrientedJS.html rename to chapter01/10-ObjectOrientedJS.html index 9fef9dab..1b3848bd 100644 --- a/chapter01/09-ObjectOrientedJS.html +++ b/chapter01/10-ObjectOrientedJS.html @@ -5,6 +5,6 @@ - + \ No newline at end of file diff --git a/chapter01/09-ObjectOrientedJS.js b/chapter01/10-ObjectOrientedJS.js similarity index 100% rename from chapter01/09-ObjectOrientedJS.js rename to chapter01/10-ObjectOrientedJS.js From 46960da78f0ab4e1770c4818e91033c4399c80fc Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 9 Jan 2016 14:06:42 -0200 Subject: [PATCH 055/162] ES6: arrow functions --- chapter01/08-Functions.js | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/chapter01/08-Functions.js b/chapter01/08-Functions.js index c307c6d0..5caddcfb 100644 --- a/chapter01/08-Functions.js +++ b/chapter01/08-Functions.js @@ -24,5 +24,17 @@ var result = sum(1,2); output(result); +//ES6: arrow functions +let circleArea = (r) => { + const PI = 3.14; + let area = PI * r * r; + return area; +} +console.log(circleArea(2)); + +let circleArea2 = (r) => 3.14 * r * r; +console.log(circleArea2(2)); + + From 59055a9c0a3f781a4c9b27f8fe0f64b0a360efbb Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 9 Jan 2016 14:06:58 -0200 Subject: [PATCH 056/162] ES6: enhanceded object properties --- chapter01/11-ES6EnhancedObjectProperties.html | 11 +++++++ chapter01/11-ES6EnhancedObjectProperties.js | 30 +++++++++++++++++++ 2 files changed, 41 insertions(+) create mode 100644 chapter01/11-ES6EnhancedObjectProperties.html create mode 100644 chapter01/11-ES6EnhancedObjectProperties.js diff --git a/chapter01/11-ES6EnhancedObjectProperties.html b/chapter01/11-ES6EnhancedObjectProperties.html new file mode 100644 index 00000000..f384706e --- /dev/null +++ b/chapter01/11-ES6EnhancedObjectProperties.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/11-ES6EnhancedObjectProperties.js b/chapter01/11-ES6EnhancedObjectProperties.js new file mode 100644 index 00000000..3d1ce76d --- /dev/null +++ b/chapter01/11-ES6EnhancedObjectProperties.js @@ -0,0 +1,30 @@ +// Destructuring Assignment + Property Shorthand +var [x, y] = ['a', 'b']; +var obj = { x, y }; +console.log(obj); // { x: "a", y: "b" } + +//code above is the same as +var x = 'a'; +var y = 'b'; + +var obj2 = { x: x, y: y }; +console.log(obj2); // { x: "a", y: "b" } + + +// Method Properties +var hello = { + name : 'abcdef', + printHello(){ + console.log('Hello'); + } +} +console.log(hello.printHello()); + +//code above is the same as: +var hello2 = { + name: 'abcdef', + printHello: function printHello() { + console.log('Hello'); + } +}; +console.log(hello2.printHello()); \ No newline at end of file From 5761b027d299634c4a66a303a1e7c69cc74e5ab3 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 9 Jan 2016 16:13:21 -0200 Subject: [PATCH 057/162] ES6 classes --- chapter01/12-ES6Classes.html | 10 ++++ chapter01/12-ES6Classes.js | 90 ++++++++++++++++++++++++++++++++++++ 2 files changed, 100 insertions(+) create mode 100644 chapter01/12-ES6Classes.html create mode 100644 chapter01/12-ES6Classes.js diff --git a/chapter01/12-ES6Classes.html b/chapter01/12-ES6Classes.html new file mode 100644 index 00000000..a1b1e46c --- /dev/null +++ b/chapter01/12-ES6Classes.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/12-ES6Classes.js b/chapter01/12-ES6Classes.js new file mode 100644 index 00000000..09f3ca71 --- /dev/null +++ b/chapter01/12-ES6Classes.js @@ -0,0 +1,90 @@ +// ES6 classes +class Book { + constructor (title, pages, isbn) { + this.title = title; + this.pages = pages; + this.isbn = isbn; + } + printIsbn(){ + console.log(this.isbn); + } +} + +let book = new Book('title', 'pag', 'isbn'); + +console.log(book.title); //outputs the book title + +book.title = 'new title'; //update the value of the book title + +console.log(book.title); //outputs the book title + + +//inheritance +class ITBook extends Book { + + constructor (title, pages, isbn, technology) { + super(title, pages, isbn); + this.technology = technology; + } + + printTechnology(){ + console.log(this.technology); + } +} + +let jsBook = new ITBook('Learning JS Algorithms', '200', '1234567890', 'JavaScript'); + +console.log(jsBook.title); +console.log(jsBook.printTechnology()); + +//getter and setters +class Person { + + constructor (name) { + this._name = name; + } + + get name() { + return this._name; + } + + set name(value) { + this._name = value; + } +} + +let lotrChar = new Person('Frodo'); +console.log(lotrChar.name); +lotrChar.name = 'Gandalf'; +console.log(lotrChar.name); + +lotrChar._name = 'Sam'; +console.log(lotrChar.name); + + +//using symbols for private atributes + +var _name = Symbol(); +class Person2 { + + constructor (name) { + this[_name] = name; + } + + get name() { + return this[_name]; + } + + set name(value) { + this[_name] = value; + } +} + +let lotrChar2 = new Person2('Frodo'); +console.log(lotrChar2.name); +lotrChar2.name = 'Gandalf'; +console.log(lotrChar2.name); + +console.log(Object.getOwnPropertySymbols(lotrChar2)); + +//http://davidvujic.blogspot.com.br/2015/03/what-wait-really-oh-no-a-post-about-es6-classes-and-privacy.html \ No newline at end of file From 275ed76c6fbbb0c145b72792768967d5c790810c Mon Sep 17 00:00:00 2001 From: Ward Ruth Date: Fri, 15 Jan 2016 12:02:17 -0800 Subject: [PATCH 058/162] update Set values() and valuesLegacy() to return items values instead of items keys --- chapter06/01-Set.js | 20 +++++++++++++------- chapter06/02-UsingSets.js | 6 +++--- 2 files changed, 16 insertions(+), 10 deletions(-) diff --git a/chapter06/01-Set.js b/chapter06/01-Set.js index aff644a1..fa2148b7 100644 --- a/chapter06/01-Set.js +++ b/chapter06/01-Set.js @@ -49,8 +49,8 @@ function Set() { */ this.sizeLegacy = function(){ var count = 0; - for(var prop in items) { - if(items.hasOwnProperty(prop)) + for(var key in items) { + if(items.hasOwnProperty(key)) ++count; } return count; @@ -62,15 +62,21 @@ function Set() { * @returns {Array} */ this.values = function(){ - return Object.keys(items); + var values = []; + for (var i=0, keys=Object.keys(items); i Date: Sun, 17 Jan 2016 11:22:59 -0200 Subject: [PATCH 059/162] chapter 01 examples --- chapter01/02-Variables.js | 50 +--------------------------- chapter01/08-Functions.js | 11 ------ chapter01/11-ES6letconst.js | 3 ++ chapter01/13-Es6StringTemplates.html | 10 ++++++ 4 files changed, 14 insertions(+), 60 deletions(-) create mode 100644 chapter01/11-ES6letconst.js create mode 100644 chapter01/13-Es6StringTemplates.html diff --git a/chapter01/02-Variables.js b/chapter01/02-Variables.js index a12f9535..2920e5be 100644 --- a/chapter01/02-Variables.js +++ b/chapter01/02-Variables.js @@ -14,21 +14,6 @@ console.log("price: "+ price); console.log("nullVar: "+ nullVar); console.log("und: "+ und); -//******* EcmaScript 6: let and const keywords -// EcmaScript 6 Constants -const PI = 3.141593; -//PI = 3.0; //throws error -console.log(PI); - -// EcmaScript 6: let is the new var -var framework = 'Angular'; -var framework = 'React'; -console.log(framework); - -let language = 'JavaScript!'; -//let language = 'Ruby!'; //throws error -console.log(language); - //******* Variable Scope var myVariable = 'global'; @@ -49,37 +34,4 @@ console.log(myFunction()); //{2} console.log(myOtherVariable); //{3} console.log(myOtherFunction()); //{4} -console.log(myOtherVariable); //{5} - -//******* EcmaScript 6: variables scope -let movie = 'Lord of the Rings'; -//var movie = 'Batman v Superman'; //throws error, variable movie already declared - -function starWarsFan(){ - let movie = 'Star Wars'; - return movie; -} - -function marvelFan(){ - movie = 'The Avengers'; - return movie; -} - -function blizzardFan(){ - let isFan = true; - let phrase = 'Warcraft'; - console.log('Before if: ' + phrase); - if (isFan){ - let phrase = 'initial text'; - phrase = 'For the Horde!'; - console.log('Inside if: ' + phrase); - } - phrase = 'For the Alliance!'; - console.log('After if: ' + phrase); -} - -console.log(movie); -console.log(starWarsFan()); -console.log(marvelFan()); -console.log(movie); -blizzardFan(); \ No newline at end of file +console.log(myOtherVariable); //{5} \ No newline at end of file diff --git a/chapter01/08-Functions.js b/chapter01/08-Functions.js index 5caddcfb..9915e566 100644 --- a/chapter01/08-Functions.js +++ b/chapter01/08-Functions.js @@ -24,17 +24,6 @@ var result = sum(1,2); output(result); -//ES6: arrow functions -let circleArea = (r) => { - const PI = 3.14; - let area = PI * r * r; - return area; -} -console.log(circleArea(2)); - -let circleArea2 = (r) => 3.14 * r * r; -console.log(circleArea2(2)); - diff --git a/chapter01/11-ES6letconst.js b/chapter01/11-ES6letconst.js new file mode 100644 index 00000000..9a8a73ae --- /dev/null +++ b/chapter01/11-ES6letconst.js @@ -0,0 +1,3 @@ +/** + * Created by loiane on 1/10/16. + */ diff --git a/chapter01/13-Es6StringTemplates.html b/chapter01/13-Es6StringTemplates.html new file mode 100644 index 00000000..71ce6922 --- /dev/null +++ b/chapter01/13-Es6StringTemplates.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file From fb62b1ac4f62a69a7ca562cae4ac7930eecbd2fc Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 17 Jan 2016 11:26:52 -0200 Subject: [PATCH 060/162] ES6 parameter handling example --- chapter01/09-ES6ParameterHandling.html | 10 ------- chapter01/09-ES6ParameterHandling.js | 37 -------------------------- 2 files changed, 47 deletions(-) delete mode 100644 chapter01/09-ES6ParameterHandling.html delete mode 100644 chapter01/09-ES6ParameterHandling.js diff --git a/chapter01/09-ES6ParameterHandling.html b/chapter01/09-ES6ParameterHandling.html deleted file mode 100644 index e1547af6..00000000 --- a/chapter01/09-ES6ParameterHandling.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter01/09-ES6ParameterHandling.js b/chapter01/09-ES6ParameterHandling.js deleted file mode 100644 index 5b95e94f..00000000 --- a/chapter01/09-ES6ParameterHandling.js +++ /dev/null @@ -1,37 +0,0 @@ -//******* EcmaScript 6: Default Parameter Values -function sum (x = 1, y = 2, z = 3) { - return x + y + z -}; -console.log(sum(4,2)); //outpus 10 - -//function above is the same as -function sum2 (x, y, z) { - if (x === undefined) - x = 1; - if (y === undefined) - y = 2; - if (z === undefined) - z = 3; - return x + y + z; -}; -console.log(sum2(4,2)); //outpus 10 - -//******* EcmaScript 6: spread operator ('...') -var params = [3, 4, 5]; -console.log(sum(...params)); - -var numbers = [1, 2, ...params]; //pushing values into array -console.log(numbers); - -//******* EcmaScript 6: rest parameter ('...') -function restParamaterFunction (x, y, ...a) { - return (x + y) * a.length; -} -console.log(restParamaterFunction(1, 2, "hello", true, 7)); // outputs 9; - -//code above is the same as ES5: -function restParamaterFunction2 (x, y) { - var a = Array.prototype.slice.call(arguments, 2); - return (x + y) * a.length; -}; -console.log(restParamaterFunction2(1, 2, "hello", true, 7)); \ No newline at end of file From 3953a6e98e3210833ef860b0acf2432064f95bfc Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 17 Jan 2016 11:27:21 -0200 Subject: [PATCH 061/162] ES6 let and const example --- chapter01/11-ES6letconst.js | 50 ++++++++++++++++++++++++++++++++++--- 1 file changed, 47 insertions(+), 3 deletions(-) diff --git a/chapter01/11-ES6letconst.js b/chapter01/11-ES6letconst.js index 9a8a73ae..6be49b70 100644 --- a/chapter01/11-ES6letconst.js +++ b/chapter01/11-ES6letconst.js @@ -1,3 +1,47 @@ -/** - * Created by loiane on 1/10/16. - */ +//******* EcmaScript 6: let and const keywords +// EcmaScript 6 Constants +const PI = 3.141593; +//PI = 3.0; //throws error +console.log(PI); + +//******* EcmaScript 6: let is the new var +var framework = 'Angular'; +var framework = 'React'; +console.log(framework); + +let language = 'JavaScript!'; +//let language = 'Ruby!'; //throws error +console.log(language); + +//******* EcmaScript 6: variables scope +let movie = 'Lord of the Rings'; +//var movie = 'Batman v Superman'; //throws error, variable movie already declared + +function starWarsFan(){ + let movie = 'Star Wars'; + return movie; +} + +function marvelFan(){ + movie = 'The Avengers'; + return movie; +} + +function blizzardFan(){ + let isFan = true; + let phrase = 'Warcraft'; + console.log('Before if: ' + phrase); + if (isFan){ + let phrase = 'initial text'; + phrase = 'For the Horde!'; + console.log('Inside if: ' + phrase); + } + phrase = 'For the Alliance!'; + console.log('After if: ' + phrase); +} + +console.log(movie); +console.log(starWarsFan()); +console.log(marvelFan()); +console.log(movie); +blizzardFan(); \ No newline at end of file From 1f4647d30865d8862c9eca412f0856f8fb819ac0 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 17 Jan 2016 11:27:40 -0200 Subject: [PATCH 062/162] ES6 obj properties enhanc example --- chapter01/11-ES6EnhancedObjectProperties.html | 11 ------- chapter01/11-ES6EnhancedObjectProperties.js | 30 ------------------- 2 files changed, 41 deletions(-) delete mode 100644 chapter01/11-ES6EnhancedObjectProperties.html delete mode 100644 chapter01/11-ES6EnhancedObjectProperties.js diff --git a/chapter01/11-ES6EnhancedObjectProperties.html b/chapter01/11-ES6EnhancedObjectProperties.html deleted file mode 100644 index f384706e..00000000 --- a/chapter01/11-ES6EnhancedObjectProperties.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/chapter01/11-ES6EnhancedObjectProperties.js b/chapter01/11-ES6EnhancedObjectProperties.js deleted file mode 100644 index 3d1ce76d..00000000 --- a/chapter01/11-ES6EnhancedObjectProperties.js +++ /dev/null @@ -1,30 +0,0 @@ -// Destructuring Assignment + Property Shorthand -var [x, y] = ['a', 'b']; -var obj = { x, y }; -console.log(obj); // { x: "a", y: "b" } - -//code above is the same as -var x = 'a'; -var y = 'b'; - -var obj2 = { x: x, y: y }; -console.log(obj2); // { x: "a", y: "b" } - - -// Method Properties -var hello = { - name : 'abcdef', - printHello(){ - console.log('Hello'); - } -} -console.log(hello.printHello()); - -//code above is the same as: -var hello2 = { - name: 'abcdef', - printHello: function printHello() { - console.log('Hello'); - } -}; -console.log(hello2.printHello()); \ No newline at end of file From 15956941f72498f69e891c715b12e8befd6eefa1 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 17 Jan 2016 11:27:53 -0200 Subject: [PATCH 063/162] ES6 literal template example --- chapter01/13-Es6StringTemplates.html | 10 ---------- 1 file changed, 10 deletions(-) delete mode 100644 chapter01/13-Es6StringTemplates.html diff --git a/chapter01/13-Es6StringTemplates.html b/chapter01/13-Es6StringTemplates.html deleted file mode 100644 index 71ce6922..00000000 --- a/chapter01/13-Es6StringTemplates.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file From b45441d68dbb8870289fc3bfbe7e254a2ecf4b21 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 17 Jan 2016 11:28:02 -0200 Subject: [PATCH 064/162] ES6 classes example --- chapter01/12-ES6Classes.html | 10 ---- chapter01/12-ES6Classes.js | 90 ------------------------------------ 2 files changed, 100 deletions(-) delete mode 100644 chapter01/12-ES6Classes.html delete mode 100644 chapter01/12-ES6Classes.js diff --git a/chapter01/12-ES6Classes.html b/chapter01/12-ES6Classes.html deleted file mode 100644 index a1b1e46c..00000000 --- a/chapter01/12-ES6Classes.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter01/12-ES6Classes.js b/chapter01/12-ES6Classes.js deleted file mode 100644 index 09f3ca71..00000000 --- a/chapter01/12-ES6Classes.js +++ /dev/null @@ -1,90 +0,0 @@ -// ES6 classes -class Book { - constructor (title, pages, isbn) { - this.title = title; - this.pages = pages; - this.isbn = isbn; - } - printIsbn(){ - console.log(this.isbn); - } -} - -let book = new Book('title', 'pag', 'isbn'); - -console.log(book.title); //outputs the book title - -book.title = 'new title'; //update the value of the book title - -console.log(book.title); //outputs the book title - - -//inheritance -class ITBook extends Book { - - constructor (title, pages, isbn, technology) { - super(title, pages, isbn); - this.technology = technology; - } - - printTechnology(){ - console.log(this.technology); - } -} - -let jsBook = new ITBook('Learning JS Algorithms', '200', '1234567890', 'JavaScript'); - -console.log(jsBook.title); -console.log(jsBook.printTechnology()); - -//getter and setters -class Person { - - constructor (name) { - this._name = name; - } - - get name() { - return this._name; - } - - set name(value) { - this._name = value; - } -} - -let lotrChar = new Person('Frodo'); -console.log(lotrChar.name); -lotrChar.name = 'Gandalf'; -console.log(lotrChar.name); - -lotrChar._name = 'Sam'; -console.log(lotrChar.name); - - -//using symbols for private atributes - -var _name = Symbol(); -class Person2 { - - constructor (name) { - this[_name] = name; - } - - get name() { - return this[_name]; - } - - set name(value) { - this[_name] = value; - } -} - -let lotrChar2 = new Person2('Frodo'); -console.log(lotrChar2.name); -lotrChar2.name = 'Gandalf'; -console.log(lotrChar2.name); - -console.log(Object.getOwnPropertySymbols(lotrChar2)); - -//http://davidvujic.blogspot.com.br/2015/03/what-wait-really-oh-no-a-post-about-es6-classes-and-privacy.html \ No newline at end of file From a183471f93f124913484b90d3e6f73014236677c Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 17 Jan 2016 11:29:08 -0200 Subject: [PATCH 065/162] ES6 parameter handling example --- chapter01/14-ES6ParameterHandling.html | 10 +++++++ chapter01/14-ES6ParameterHandling.js | 37 ++++++++++++++++++++++++++ 2 files changed, 47 insertions(+) create mode 100644 chapter01/14-ES6ParameterHandling.html create mode 100644 chapter01/14-ES6ParameterHandling.js diff --git a/chapter01/14-ES6ParameterHandling.html b/chapter01/14-ES6ParameterHandling.html new file mode 100644 index 00000000..1d220b1b --- /dev/null +++ b/chapter01/14-ES6ParameterHandling.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/14-ES6ParameterHandling.js b/chapter01/14-ES6ParameterHandling.js new file mode 100644 index 00000000..706c2059 --- /dev/null +++ b/chapter01/14-ES6ParameterHandling.js @@ -0,0 +1,37 @@ +//******* EcmaScript 6: Default Parameter Values +function sum (x = 1, y = 2, z = 3) { + return x + y + z +}; +console.log(sum(4,2)); //outpus 9 + +//function above is the same as +function sum2 (x, y, z) { + if (x === undefined) + x = 1; + if (y === undefined) + y = 2; + if (z === undefined) + z = 3; + return x + y + z; +}; +console.log(sum2(4,2)); //outpus 10 + +//******* EcmaScript 6: spread operator ('...') +var params = [3, 4, 5]; +console.log(sum(...params)); + +var numbers = [1, 2, ...params]; //pushing values into array +console.log(numbers); + +//******* EcmaScript 6: rest parameter ('...') +function restParamaterFunction (x, y, ...a) { + return (x + y) * a.length; +} +console.log(restParamaterFunction(1, 2, "hello", true, 7)); // outputs 9; + +//code above is the same as ES5: +function restParamaterFunction (x, y) { + var a = Array.prototype.slice.call(arguments, 2); + return (x + y) * a.length; +}; +console.log(restParamaterFunction2(1, 2, "hello", true, 7)); \ No newline at end of file From 030f47b0961341893d9f2d7079fffb5e860640ba Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 17 Jan 2016 11:29:23 -0200 Subject: [PATCH 066/162] ES6 arrow function example --- chapter01/13-ES6ArrowFunctions.html | 11 +++++++++++ chapter01/13-ES6ArrowFunctions.js | 10 ++++++++++ 2 files changed, 21 insertions(+) create mode 100644 chapter01/13-ES6ArrowFunctions.html create mode 100644 chapter01/13-ES6ArrowFunctions.js diff --git a/chapter01/13-ES6ArrowFunctions.html b/chapter01/13-ES6ArrowFunctions.html new file mode 100644 index 00000000..1d085ec4 --- /dev/null +++ b/chapter01/13-ES6ArrowFunctions.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/13-ES6ArrowFunctions.js b/chapter01/13-ES6ArrowFunctions.js new file mode 100644 index 00000000..317d576f --- /dev/null +++ b/chapter01/13-ES6ArrowFunctions.js @@ -0,0 +1,10 @@ +//ES6: arrow functions +let circleArea = (r) => { + const PI = 3.14; + let area = PI * r * r; + return area; +} +console.log(circleArea(2)); + +let circleArea2 = (r) => 3.14 * r * r; +console.log(circleArea2(2)); \ No newline at end of file From 20d02131520fe87ac286eb81189f52f891262fd3 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 17 Jan 2016 11:29:31 -0200 Subject: [PATCH 067/162] ES6 literal template example --- chapter01/12-Es6StringTemplates.html | 11 +++++++++++ chapter01/12-Es6StringTemplates.js | 7 +++++++ 2 files changed, 18 insertions(+) create mode 100644 chapter01/12-Es6StringTemplates.html create mode 100644 chapter01/12-Es6StringTemplates.js diff --git a/chapter01/12-Es6StringTemplates.html b/chapter01/12-Es6StringTemplates.html new file mode 100644 index 00000000..3d730209 --- /dev/null +++ b/chapter01/12-Es6StringTemplates.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/12-Es6StringTemplates.js b/chapter01/12-Es6StringTemplates.js new file mode 100644 index 00000000..30dc62c1 --- /dev/null +++ b/chapter01/12-Es6StringTemplates.js @@ -0,0 +1,7 @@ +// Template literals +var book = { + name: 'Learning JavaScript DataStructures and Algorithms' +}; + +console.log(`You are reading ${book.name}., + and this is a new line`); \ No newline at end of file From a185e861603e40a07217f6df3ee9a399554cfba1 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 17 Jan 2016 11:29:43 -0200 Subject: [PATCH 068/162] ES6 let and const example --- chapter01/11-ES6letconst.html | 11 +++++++++++ 1 file changed, 11 insertions(+) create mode 100644 chapter01/11-ES6letconst.html diff --git a/chapter01/11-ES6letconst.html b/chapter01/11-ES6letconst.html new file mode 100644 index 00000000..e57da24c --- /dev/null +++ b/chapter01/11-ES6letconst.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file From a26b00e86281cf0c3138500e947645470d9d4fc6 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 17 Jan 2016 11:29:54 -0200 Subject: [PATCH 069/162] ES6 obj properties example --- chapter01/15-ES6EnhancedObjectProperties.html | 11 ++++++ chapter01/15-ES6EnhancedObjectProperties.js | 34 +++++++++++++++++++ 2 files changed, 45 insertions(+) create mode 100644 chapter01/15-ES6EnhancedObjectProperties.html create mode 100644 chapter01/15-ES6EnhancedObjectProperties.js diff --git a/chapter01/15-ES6EnhancedObjectProperties.html b/chapter01/15-ES6EnhancedObjectProperties.html new file mode 100644 index 00000000..3e040b16 --- /dev/null +++ b/chapter01/15-ES6EnhancedObjectProperties.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/15-ES6EnhancedObjectProperties.js b/chapter01/15-ES6EnhancedObjectProperties.js new file mode 100644 index 00000000..5f1dd9f1 --- /dev/null +++ b/chapter01/15-ES6EnhancedObjectProperties.js @@ -0,0 +1,34 @@ +// Destructuring Assignment + Property Shorthand +var [x, y] = ['a', 'b']; +var obj = { x, y }; +console.log(obj); // { x: "a", y: "b" } + +[x, y] = [y, x]; +var temp = x; +x = y; +y = temp; + +//code above is the same as +var x = 'a'; +var y = 'b'; +var obj2 = { x: x, y: y }; +console.log(obj2); // { x: "a", y: "b" } + + +// Method Properties +var hello = { + name : 'abcdef', + printHello(){ + console.log('Hello'); + } +} +console.log(hello.printHello()); + +//code above is the same as: +var hello2 = { + name: 'abcdef', + printHello: function printHello() { + console.log('Hello'); + } +}; +console.log(hello2.printHello()); \ No newline at end of file From 32e9da06442d9e4852bfcdde163b54fd6f109a8c Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 17 Jan 2016 11:30:01 -0200 Subject: [PATCH 070/162] ES6 classes example --- chapter01/16-ES6Classes.html | 10 ++++ chapter01/16-ES6Classes.js | 90 ++++++++++++++++++++++++++++++++++++ 2 files changed, 100 insertions(+) create mode 100644 chapter01/16-ES6Classes.html create mode 100644 chapter01/16-ES6Classes.js diff --git a/chapter01/16-ES6Classes.html b/chapter01/16-ES6Classes.html new file mode 100644 index 00000000..15a8f004 --- /dev/null +++ b/chapter01/16-ES6Classes.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/16-ES6Classes.js b/chapter01/16-ES6Classes.js new file mode 100644 index 00000000..09f3ca71 --- /dev/null +++ b/chapter01/16-ES6Classes.js @@ -0,0 +1,90 @@ +// ES6 classes +class Book { + constructor (title, pages, isbn) { + this.title = title; + this.pages = pages; + this.isbn = isbn; + } + printIsbn(){ + console.log(this.isbn); + } +} + +let book = new Book('title', 'pag', 'isbn'); + +console.log(book.title); //outputs the book title + +book.title = 'new title'; //update the value of the book title + +console.log(book.title); //outputs the book title + + +//inheritance +class ITBook extends Book { + + constructor (title, pages, isbn, technology) { + super(title, pages, isbn); + this.technology = technology; + } + + printTechnology(){ + console.log(this.technology); + } +} + +let jsBook = new ITBook('Learning JS Algorithms', '200', '1234567890', 'JavaScript'); + +console.log(jsBook.title); +console.log(jsBook.printTechnology()); + +//getter and setters +class Person { + + constructor (name) { + this._name = name; + } + + get name() { + return this._name; + } + + set name(value) { + this._name = value; + } +} + +let lotrChar = new Person('Frodo'); +console.log(lotrChar.name); +lotrChar.name = 'Gandalf'; +console.log(lotrChar.name); + +lotrChar._name = 'Sam'; +console.log(lotrChar.name); + + +//using symbols for private atributes + +var _name = Symbol(); +class Person2 { + + constructor (name) { + this[_name] = name; + } + + get name() { + return this[_name]; + } + + set name(value) { + this[_name] = value; + } +} + +let lotrChar2 = new Person2('Frodo'); +console.log(lotrChar2.name); +lotrChar2.name = 'Gandalf'; +console.log(lotrChar2.name); + +console.log(Object.getOwnPropertySymbols(lotrChar2)); + +//http://davidvujic.blogspot.com.br/2015/03/what-wait-really-oh-no-a-post-about-es6-classes-and-privacy.html \ No newline at end of file From 4ceb674d26b41df5c4ae39513c16bde391e894d1 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 17 Jan 2016 11:30:13 -0200 Subject: [PATCH 071/162] ES6 array methods example --- chapter02/06-ES6Methods.html | 10 ++++ chapter02/06-ES6Methods.js | 109 +++++++++++++++++++++++++++++++++++ 2 files changed, 119 insertions(+) create mode 100644 chapter02/06-ES6Methods.html create mode 100644 chapter02/06-ES6Methods.js diff --git a/chapter02/06-ES6Methods.html b/chapter02/06-ES6Methods.html new file mode 100644 index 00000000..fdbeda65 --- /dev/null +++ b/chapter02/06-ES6Methods.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter02/06-ES6Methods.js b/chapter02/06-ES6Methods.js new file mode 100644 index 00000000..fc9ef158 --- /dev/null +++ b/chapter02/06-ES6Methods.js @@ -0,0 +1,109 @@ +let numbers = [1,2,3,4,5,6,7,8,9,10,11,12,13,14,15]; + +//********** forEch using arrow functions +console.log('forEach using arrow functions'); + +numbers.forEach(x => { + console.log((x % 2 == 0)); +}); + +//********** using for..of loop +console.log('using for..of loop'); + +for (let n of numbers) { + console.log((n % 2 == 0) ? 'even' : 'odd'); +} + +//********** Using the new ES6 iterator (@@iterator) +console.log('Using the new ES6 iterator (@@iterator)'); + +let iterator = numbers[Symbol.iterator](); +console.log(iterator.next().value); //1 +console.log(iterator.next().value); //2 +console.log(iterator.next().value); //3 +console.log(iterator.next().value); //4 +console.log(iterator.next().value); //5 + +//********** Array entries, keys and values +console.log('Array entries, keys and values'); + +console.log('Array.entries'); +let aEntries = numbers.entries(); //retrieve iterator of key/value +console.log(aEntries.next().value); // [0, 1] - position 0, value 1 +console.log(aEntries.next().value); // [1, 2] - position 1, value 2 +console.log(aEntries.next().value); // [2, 3] - position 2, value 3 + +console.log('Array.keys'); +let aKeys = numbers.keys(); //retrieve iterator of keys +console.log(aKeys.next()); // {value: 0, done: false } done false means iterator has more values +console.log(aKeys.next()); // {value: 1, done: false } +console.log(aKeys.next()); // {value: 2, done: false } + +console.log('Array.values'); +//let aValues = numbers.values(); +//console.log(aValues.next()); // {value: 1, done: false } done false means iterator has more values +//console.log(aValues.next()); // {value: 2, done: false } +//console.log(aValues.next()); // {value: 3, done: false } + +//********** Using the from method +console.log('Using the from method'); + +let evens = Array.from(numbers, x => (x % 2 == 0)); +console.log(evens); + +let numbers2 = Array.from(numbers); +console.log(numbers2); + +//********** Using Array.of +console.log('Using Array.of'); + +let numbers3 = Array.of(1); +let numbers4 = Array.of(1,2,3,4,5,6); +let numbersCopy = Array.of(...numbers4); +console.log(numbers3); +console.log(numbers4); +console.log(numbersCopy); + +//********** Using the fill method +console.log('Using the fill method'); + +numbersCopy.fill(0); +console.log(numbersCopy); + +numbersCopy.fill(2, 1); +console.log(numbersCopy); + +numbersCopy.fill(1, 3, 5); +console.log(numbersCopy); + +let ones = Array(6).fill(1); +console.log(ones); + +//********** Using the copyWithin method +console.log('Using the copyWithin method'); + +let copyArray = [1, 2, 3, 4, 5, 6]; +console.log(copyArray); + +copyArray = copyArray.copyWithin(0, 3); //pos 3 value is copied to pos 0 +console.log(copyArray); + +copyArray = [1, 2, 3, 4, 5, 6]; +copyArray = copyArray.copyWithin(1, 3, 5); //pos 3-4 values are copied to pos 1-2 +console.log(copyArray); + +//********** methods find and findIndex +console.log('methods find and findIndex'); + +function multipleOf13(element, index, array) { + return (element % 13 == 0) ? true : false; +} + +console.log(numbers.find(multipleOf13)); +console.log(numbers.findIndex(multipleOf13)); + +//********** EcmaScript 7: using the method includes +console.log('EcmaScript 7: using the method includes'); + +console.log(numbers.includes(15)); +console.log(numbers.includes(20)); \ No newline at end of file From 4fd20d5e27f1299407798b805540ef8c2c93425a Mon Sep 17 00:00:00 2001 From: Ward Ruth Date: Tue, 19 Jan 2016 14:33:02 -0800 Subject: [PATCH 072/162] make HashTableSeparateChaining get and remove methods a little DRYer using do ... while instead of while loop --- chapter07/05-HashCollisionSeparateChaining.js | 22 ++++--------------- 1 file changed, 4 insertions(+), 18 deletions(-) diff --git a/chapter07/05-HashCollisionSeparateChaining.js b/chapter07/05-HashCollisionSeparateChaining.js index f32833cf..5cac0e7d 100644 --- a/chapter07/05-HashCollisionSeparateChaining.js +++ b/chapter07/05-HashCollisionSeparateChaining.js @@ -41,17 +41,12 @@ function HashTableSeparateChaining(){ //iterate linked list to find key/value var current = table[position].getHead(); - while(current.next){ + do { if (current.element.key === key){ return current.element.value; } current = current.next; - } - - //check in case first or last element - if (current.element.key === key){ - return current.element.value; - } + } while(current); } return undefined; }; @@ -65,7 +60,7 @@ function HashTableSeparateChaining(){ //iterate linked list to find key/value var current = table[position].getHead(); - while(current.next){ + do { if (current.element.key === key){ table[position].remove(current.element); if (table[position].isEmpty()){ @@ -74,16 +69,7 @@ function HashTableSeparateChaining(){ return true; } current = current.next; - } - - //check in case first or last element - if (current.element.key === key){ - table[position].remove(current.element); - if (table[position].isEmpty()){ - table[position] = undefined; - } - return true; - } + } while(current); } return false; From 4459d09efd6c4613573eb75b4f9de2251608ae26 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Fri, 22 Jan 2016 21:13:50 -0200 Subject: [PATCH 073/162] ES6 classes example --- chapter01/16-ES6Classes.js | 4 +--- 1 file changed, 1 insertion(+), 3 deletions(-) diff --git a/chapter01/16-ES6Classes.js b/chapter01/16-ES6Classes.js index 09f3ca71..2ec073d9 100644 --- a/chapter01/16-ES6Classes.js +++ b/chapter01/16-ES6Classes.js @@ -85,6 +85,4 @@ console.log(lotrChar2.name); lotrChar2.name = 'Gandalf'; console.log(lotrChar2.name); -console.log(Object.getOwnPropertySymbols(lotrChar2)); - -//http://davidvujic.blogspot.com.br/2015/03/what-wait-really-oh-no-a-post-about-es6-classes-and-privacy.html \ No newline at end of file +console.log(Object.getOwnPropertySymbols(lotrChar2)); \ No newline at end of file From 52d08cef6e7ab6d160ad17d2193b3d7b6004bb54 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Fri, 22 Jan 2016 21:14:08 -0200 Subject: [PATCH 074/162] ES6 array methods examples --- chapter02/06-ES6Methods.js | 11 +++++++---- 1 file changed, 7 insertions(+), 4 deletions(-) diff --git a/chapter02/06-ES6Methods.js b/chapter02/06-ES6Methods.js index fc9ef158..60468aa4 100644 --- a/chapter02/06-ES6Methods.js +++ b/chapter02/06-ES6Methods.js @@ -41,9 +41,9 @@ console.log(aKeys.next()); // {value: 2, done: false } console.log('Array.values'); //let aValues = numbers.values(); -//console.log(aValues.next()); // {value: 1, done: false } done false means iterator has more values -//console.log(aValues.next()); // {value: 2, done: false } -//console.log(aValues.next()); // {value: 3, done: false } +console.log(aValues.next()); // {value: 1, done: false } done false means iterator has more values +console.log(aValues.next()); // {value: 2, done: false } +console.log(aValues.next()); // {value: 3, done: false } //********** Using the from method console.log('Using the from method'); @@ -106,4 +106,7 @@ console.log(numbers.findIndex(multipleOf13)); console.log('EcmaScript 7: using the method includes'); console.log(numbers.includes(15)); -console.log(numbers.includes(20)); \ No newline at end of file +console.log(numbers.includes(20)); + +let numbers5 = [7,6,5,4,3,2,1]; +console.log(numbers5.includes(4,5)); From e47f27ed861947f471f6a76e78d6ea4cd06967a8 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Fri, 22 Jan 2016 21:14:34 -0200 Subject: [PATCH 075/162] ES6 private property example with Symbol --- chapter03/01-Stack2.js | 40 ++++++++++++++++++++++++++++++++++++++++ 1 file changed, 40 insertions(+) create mode 100644 chapter03/01-Stack2.js diff --git a/chapter03/01-Stack2.js b/chapter03/01-Stack2.js new file mode 100644 index 00000000..e5fe6dc3 --- /dev/null +++ b/chapter03/01-Stack2.js @@ -0,0 +1,40 @@ +let _items = Symbol(); + +class Stack2 { + + constructor () { + this[_items] = []; + } + + push(element){ + this[_items].push(element); + }; + + pop(){ + return this[_items].pop(); + }; + + peek(){ + return this[_items][this[_items].length-1]; + }; + + isEmpty(){ + return this[_items].length == 0; + }; + + size(){ + return this[_items].length; + }; + + clear(){ + this[_items] = []; + }; + + print(){ + console.log(this[_items].toString()); + }; + + toString(){ + return this[_items].toString(); + }; +} From 3ac97ec221518b326f0f8ba2468535581950d862 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Fri, 22 Jan 2016 21:16:02 -0200 Subject: [PATCH 076/162] ES6 classes example with WikedMap with closure --- chapter03/01-Stack3.js | 54 ++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 54 insertions(+) create mode 100644 chapter03/01-Stack3.js diff --git a/chapter03/01-Stack3.js b/chapter03/01-Stack3.js new file mode 100644 index 00000000..3bfe51cb --- /dev/null +++ b/chapter03/01-Stack3.js @@ -0,0 +1,54 @@ +let Stack3 = (function () { + + const items = new WeakMap(); + + class Stack3 { + + constructor () { + items.set(this, []); + } + + push(element){ + let s = items.get(this); + s.push(element); + items.set(this, s); + }; + + pop(){ + let s = items.get(this); + let r = s.pop(); + items.set(this, s); + return r; + }; + + peek(){ + let s = items.get(this); + return s[s.length-1]; + }; + + isEmpty(){ + return items.get(this).length == 0; + }; + + size(){ + let s = items.get(this); + return s.length; + }; + + clear(){ + items.set(this, []); + }; + + print(){ + let s = items.get(this); + console.log(this.toString()); + }; + + toString(){ + return items.get(this).toString(); + }; + } + + return Stack3; +})(); + From 23c8ea80d1236f6673995fae9b3f5d4db2a3f67e Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Fri, 22 Jan 2016 21:16:36 -0200 Subject: [PATCH 077/162] updated using stacks example --- chapter03/02-UsingStacks.html | 2 ++ chapter03/02-UsingStacks.js | 13 ++++++++++++- 2 files changed, 14 insertions(+), 1 deletion(-) diff --git a/chapter03/02-UsingStacks.html b/chapter03/02-UsingStacks.html index 1772e441..a807c7dd 100644 --- a/chapter03/02-UsingStacks.html +++ b/chapter03/02-UsingStacks.html @@ -6,6 +6,8 @@ + + \ No newline at end of file diff --git a/chapter03/02-UsingStacks.js b/chapter03/02-UsingStacks.js index 8e5f5b19..3354924f 100644 --- a/chapter03/02-UsingStacks.js +++ b/chapter03/02-UsingStacks.js @@ -10,4 +10,15 @@ var stack = new Stack(); stack.pop(); stack.pop(); console.log(stack.size()); // outputs 2 - stack.print(); // outputs [5, 8] \ No newline at end of file + stack.print(); // outputs [5, 8] + + +//how to ensure true privacy +//in case using Stack 2 uncomment code below +/*var objectSymbols = Object.getOwnPropertySymbols(stack); + + console.log(objectSymbols.length); // 2 + console.log(objectSymbols); // [Symbol(a), Symbol(b)] + console.log(objectSymbols[0]); // Symbol(a) + stack[objectSymbols[0]].push(1); + stack.print();*/ \ No newline at end of file From ea242bfc97fcb3d7432d37087a80547ecb46ee0a Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Fri, 22 Jan 2016 21:19:48 -0200 Subject: [PATCH 078/162] typed arrays example --- chapter02/07-TypedArrays.html | 10 ++++++++++ chapter02/07-TypedArrays.js | 26 ++++++++++++++++++++++++++ 2 files changed, 36 insertions(+) create mode 100644 chapter02/07-TypedArrays.html create mode 100644 chapter02/07-TypedArrays.js diff --git a/chapter02/07-TypedArrays.html b/chapter02/07-TypedArrays.html new file mode 100644 index 00000000..5e021e79 --- /dev/null +++ b/chapter02/07-TypedArrays.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter02/07-TypedArrays.js b/chapter02/07-TypedArrays.js new file mode 100644 index 00000000..66a5b29a --- /dev/null +++ b/chapter02/07-TypedArrays.js @@ -0,0 +1,26 @@ +let length = 5; +let int16 = new Int16Array(length); + +let array16 = []; +array16.length = length; + +for (let i=0; i Date: Fri, 22 Jan 2016 21:27:30 -0200 Subject: [PATCH 079/162] deleted log file from http-server node command --- npm-debug.log | 180 -------------------------------------------------- 1 file changed, 180 deletions(-) delete mode 100644 npm-debug.log diff --git a/npm-debug.log b/npm-debug.log deleted file mode 100644 index 324f5d2d..00000000 --- a/npm-debug.log +++ /dev/null @@ -1,180 +0,0 @@ -0 info it worked if it ends with ok -1 verbose cli [ 'node', '/usr/local/bin/npm', 'install', 'http-server', '-g' ] -2 info using npm@1.4.23 -3 info using node@v0.10.31 -4 verbose cache add [ 'http-server', null ] -5 verbose cache add name=undefined spec="http-server" args=["http-server",null] -6 verbose parsed url { protocol: null, -6 verbose parsed url slashes: null, -6 verbose parsed url auth: null, -6 verbose parsed url host: null, -6 verbose parsed url port: null, -6 verbose parsed url hostname: null, -6 verbose parsed url hash: null, -6 verbose parsed url search: null, -6 verbose parsed url query: null, -6 verbose parsed url pathname: 'http-server', -6 verbose parsed url path: 'http-server', -6 verbose parsed url href: 'http-server' } -7 silly lockFile ed608307-http-server http-server -8 verbose lock http-server /Users/loiane/.npm/ed608307-http-server.lock -9 silly lockFile ed608307-http-server http-server -10 silly lockFile ed608307-http-server http-server -11 verbose addNamed [ 'http-server', '' ] -12 verbose addNamed [ null, '*' ] -13 silly lockFile 550353c6-http-server http-server@ -14 verbose lock http-server@ /Users/loiane/.npm/550353c6-http-server.lock -15 silly addNameRange { name: 'http-server', range: '*', hasData: false } -16 verbose request where is /http-server -17 verbose request registry https://registry.npmjs.org/ -18 verbose request id 5de596c601e747df -19 verbose url raw /http-server -20 verbose url resolving [ 'https://registry.npmjs.org/', './http-server' ] -21 verbose url resolved https://registry.npmjs.org/http-server -22 verbose request where is https://registry.npmjs.org/http-server -23 info trying registry request attempt 1 at 16:26:40 -24 http GET https://registry.npmjs.org/http-server -25 http 200 https://registry.npmjs.org/http-server -26 silly registry.get cb [ 200, -26 silly registry.get { date: 'Mon, 01 Sep 2014 19:26:41 GMT', -26 silly registry.get server: 'CouchDB/1.5.0 (Erlang OTP/R16B03)', -26 silly registry.get etag: '"GRUZZAK9N6WU29IC3EFS78GW"', -26 silly registry.get 'content-type': 'application/json', -26 silly registry.get 'cache-control': 'max-age=60', -26 silly registry.get 'content-length': '42618', -26 silly registry.get 'accept-ranges': 'bytes', -26 silly registry.get via: '1.1 varnish', -26 silly registry.get age: '942', -26 silly registry.get 'x-served-by': 'cache-iad2134-IAD', -26 silly registry.get 'x-cache': 'HIT', -26 silly registry.get 'x-cache-hits': '1', -26 silly registry.get 'x-timer': 'S1409599601.088721,VS0,VE16', -26 silly registry.get vary: 'Accept', -26 silly registry.get 'keep-alive': 'timeout=10, max=50', -26 silly registry.get connection: 'Keep-Alive' } ] -27 silly addNameRange number 2 { name: 'http-server', range: '*', hasData: true } -28 silly addNameRange versions [ 'http-server', -28 silly addNameRange [ '0.1.0', -28 silly addNameRange '0.1.1', -28 silly addNameRange '0.1.3', -28 silly addNameRange '0.2.1', -28 silly addNameRange '0.2.2', -28 silly addNameRange '0.2.3', -28 silly addNameRange '0.2.4', -28 silly addNameRange '0.2.5', -28 silly addNameRange '0.2.6', -28 silly addNameRange '0.2.9', -28 silly addNameRange '0.3.0', -28 silly addNameRange '0.4.0', -28 silly addNameRange '0.4.1', -28 silly addNameRange '0.5.0', -28 silly addNameRange '0.5.1', -28 silly addNameRange '0.5.2', -28 silly addNameRange '0.5.3', -28 silly addNameRange '0.5.5', -28 silly addNameRange '0.6.0', -28 silly addNameRange '0.6.1' ] ] -29 verbose addNamed [ 'http-server', '0.6.1' ] -30 verbose addNamed [ '0.6.1', '0.6.1' ] -31 silly lockFile 1e2b2518-http-server-0-6-1 http-server@0.6.1 -32 verbose lock http-server@0.6.1 /Users/loiane/.npm/1e2b2518-http-server-0-6-1.lock -33 silly lockFile c3f4b4b6-ttp-server-http-server-0-6-1-tgz https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz -34 verbose lock https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz /Users/loiane/.npm/c3f4b4b6-ttp-server-http-server-0-6-1-tgz.lock -35 verbose addRemoteTarball [ 'https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz', -35 verbose addRemoteTarball '06fce65cf2bd4132a578bdac62ffacb97d613981' ] -36 info retry fetch attempt 1 at 16:26:42 -37 verbose fetch to= /var/folders/p6/h5zxx5c5153gfhgsvg1_s6n80000gn/T/npm-4783-wjg257Iq/registry.npmjs.org/http-server/-/http-server-0.6.1.tgz -38 http GET https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz -39 http 200 https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz -40 silly lockFile c3f4b4b6-ttp-server-http-server-0-6-1-tgz https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz -41 silly lockFile c3f4b4b6-ttp-server-http-server-0-6-1-tgz https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz -42 silly lockFile 1e2b2518-http-server-0-6-1 http-server@0.6.1 -43 silly lockFile 1e2b2518-http-server-0-6-1 http-server@0.6.1 -44 silly lockFile 550353c6-http-server http-server@ -45 silly lockFile 550353c6-http-server http-server@ -46 silly resolved [ { name: 'http-server', -46 silly resolved version: '0.6.1', -46 silly resolved author: { name: 'Nodejitsu', email: 'support@nodejitsu.com' }, -46 silly resolved description: 'a simple zero-configuration command-line http server', -46 silly resolved main: './lib/http-server', -46 silly resolved repository: -46 silly resolved { type: 'git', -46 silly resolved url: 'git://github.com/nodeapps/http-server.git' }, -46 silly resolved keywords: [ 'cli', 'command' ], -46 silly resolved scripts: -46 silly resolved { start: 'node ./bin/http-server', -46 silly resolved test: 'vows --spec --isolate' }, -46 silly resolved contributors: -46 silly resolved [ [Object], -46 silly resolved [Object], -46 silly resolved [Object], -46 silly resolved [Object], -46 silly resolved [Object], -46 silly resolved [Object], -46 silly resolved [Object], -46 silly resolved [Object] ], -46 silly resolved dependencies: -46 silly resolved { colors: '0.6.x', -46 silly resolved optimist: '0.5.x', -46 silly resolved union: '0.3.x', -46 silly resolved ecstatic: '0.4.x', -46 silly resolved portfinder: '0.2.x', -46 silly resolved opener: '~1.3.0' }, -46 silly resolved devDependencies: { vows: '0.7.x', request: '2.21.x' }, -46 silly resolved bugs: { url: 'https://github.com/nodeapps/http-server/issues' }, -46 silly resolved licenses: [ [Object] ], -46 silly resolved analyze: false, -46 silly resolved preferGlobal: 'true', -46 silly resolved bin: { 'http-server': './bin/http-server' }, -46 silly resolved readme: '# http-server: a command-line http server\n\n`http-server` is a simple, zero-configuration command-line http server. It is powerful enough for production usage, but it\'s simple and hackable enough to be used for testing, local development, and learning.\n\n![](https://github.com/nodeapps/http-server/raw/master/screenshots/public.png)\n\n# Installing globally:\n\nInstallation via `npm`. If you don\'t have `npm` yet:\n\n curl https://npmjs.org/install.sh | sh\n \nOnce you have `npm`:\n\n npm install http-server -g\n \nThis will install `http-server` globally so that it may be run from the command line.\n\n## Usage:\n\n http-server [path] [options]\n\n`[path]` defaults to `./public` if the folder exists, and `./` otherwise.\n\n# Installing as a node app\n\n mkdir myapp\n cd myapp/\n jitsu install http-server\n\n*If you do not have `jitsu` installed you can install it via `npm install jitsu -g`*\n\n## Usage\n\n### Starting http-server locally\n\n node bin/http-server\n\n*Now you can visit http://localhost:8080 to view your server*\n\n### Deploy http-server to nodejitsu\n\n jitsu deploy\n\n*You will now be prompted for a `subdomain` to deploy your application on*\n\n## Available Options:\n\n`-p` Port to listen for connections on (defaults to 8080)\n\n`-a` Address to bind to (defaults to \'0.0.0.0\')\n\n`-d` Show directory listings (defaults to \'True\')\n\n`-i` Display autoIndex (defaults to \'True\')\n\n`-e` or `--ext` Default file extension (defaults to \'html\')\n\n`-s` or `--silent` In silent mode, log messages aren\'t logged to the console.\n\n`-h` or `--help` Displays a list of commands and exits.\n\n`-c` Set cache time (in seconds) for cache-control max-age header, e.g. -c10 for 10 seconds. To disable caching, use -c-1.\n', -46 silly resolved readmeFilename: 'README.md', -46 silly resolved homepage: 'https://github.com/nodeapps/http-server', -46 silly resolved _id: 'http-server@0.6.1', -46 silly resolved dist: -46 silly resolved { shasum: '06fce65cf2bd4132a578bdac62ffacb97d613981', -46 silly resolved tarball: 'http://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz' }, -46 silly resolved _from: 'http-server@', -46 silly resolved _npmVersion: '1.3.14', -46 silly resolved _npmUser: { name: 'indexzero', email: 'charlie.robbins@gmail.com' }, -46 silly resolved maintainers: [ [Object], [Object], [Object] ], -46 silly resolved directories: {}, -46 silly resolved _shasum: '06fce65cf2bd4132a578bdac62ffacb97d613981', -46 silly resolved _resolved: 'https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz' } ] -47 info install http-server@0.6.1 into /usr/local/lib -48 info installOne http-server@0.6.1 -49 verbose lib/node_modules/http-server unbuild -50 verbose tar unpack /Users/loiane/.npm/http-server/0.6.1/package.tgz -51 silly lockFile c2cc12bc-cal-lib-node-modules-http-server tar:///usr/local/lib/node_modules/http-server -52 verbose lock tar:///usr/local/lib/node_modules/http-server /Users/loiane/.npm/c2cc12bc-cal-lib-node-modules-http-server.lock -53 silly lockFile 57f8618f-pm-http-server-0-6-1-package-tgz tar:///Users/loiane/.npm/http-server/0.6.1/package.tgz -54 verbose lock tar:///Users/loiane/.npm/http-server/0.6.1/package.tgz /Users/loiane/.npm/57f8618f-pm-http-server-0-6-1-package-tgz.lock -55 silly gunzTarPerm modes [ '755', '644' ] -56 error Error: EACCES, mkdir '/usr/local/lib/node_modules/http-server' -56 error { [Error: EACCES, mkdir '/usr/local/lib/node_modules/http-server'] -56 error errno: 3, -56 error code: 'EACCES', -56 error path: '/usr/local/lib/node_modules/http-server', -56 error fstream_type: 'Directory', -56 error fstream_path: '/usr/local/lib/node_modules/http-server', -56 error fstream_class: 'DirWriter', -56 error fstream_stack: -56 error [ '/usr/local/lib/node_modules/npm/node_modules/fstream/lib/dir-writer.js:36:23', -56 error '/usr/local/lib/node_modules/npm/node_modules/mkdirp/index.js:46:53', -56 error 'Object.oncomplete (fs.js:107:15)' ] } -57 error Please try running this command again as root/Administrator. -58 error System Darwin 13.3.0 -59 error command "node" "/usr/local/bin/npm" "install" "http-server" "-g" -60 error cwd /Applications/XAMPP/xamppfiles/htdocs/javascript-datastructures-algorithms -61 error node -v v0.10.31 -62 error npm -v 1.4.23 -63 error path /usr/local/lib/node_modules/http-server -64 error fstream_path /usr/local/lib/node_modules/http-server -65 error fstream_type Directory -66 error fstream_class DirWriter -67 error code EACCES -68 error errno 3 -69 error stack Error: EACCES, mkdir '/usr/local/lib/node_modules/http-server' -70 error fstream_stack /usr/local/lib/node_modules/npm/node_modules/fstream/lib/dir-writer.js:36:23 -70 error fstream_stack /usr/local/lib/node_modules/npm/node_modules/mkdirp/index.js:46:53 -70 error fstream_stack Object.oncomplete (fs.js:107:15) -71 verbose exit [ 3, true ] From 39fff1bff327a0cd7012db9a1985de7fe9276f61 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 23 Jan 2016 13:51:42 -0200 Subject: [PATCH 080/162] updated code chapter 3 --- chapter03/01-Stack.js | 2 +- chapter03/01-Stack2.js | 18 ++++++++-------- chapter03/01-Stack3.js | 17 +++++++-------- chapter03/01-StackES6.js | 38 +++++++++++++++++++++++++++++++++ chapter03/02-UsingStacks.js | 12 +++++------ chapter03/03-BalancedSymbols.js | 28 +++++++++++++----------- chapter03/05-TowerOfHanoi.js | 4 ++-- 7 files changed, 80 insertions(+), 39 deletions(-) create mode 100644 chapter03/01-StackES6.js diff --git a/chapter03/01-Stack.js b/chapter03/01-Stack.js index 0cb3960a..0e7538bc 100644 --- a/chapter03/01-Stack.js +++ b/chapter03/01-Stack.js @@ -1,6 +1,6 @@ function Stack() { - var items = []; + let items = []; this.push = function(element){ items.push(element); diff --git a/chapter03/01-Stack2.js b/chapter03/01-Stack2.js index e5fe6dc3..b3d14d5d 100644 --- a/chapter03/01-Stack2.js +++ b/chapter03/01-Stack2.js @@ -8,33 +8,33 @@ class Stack2 { push(element){ this[_items].push(element); - }; + } pop(){ return this[_items].pop(); - }; + } peek(){ return this[_items][this[_items].length-1]; - }; + } isEmpty(){ return this[_items].length == 0; - }; + } size(){ return this[_items].length; - }; + } clear(){ this[_items] = []; - }; + } print(){ - console.log(this[_items].toString()); - }; + console.log(this.toString()); + } toString(){ return this[_items].toString(); - }; + } } diff --git a/chapter03/01-Stack3.js b/chapter03/01-Stack3.js index 3bfe51cb..fd490ffa 100644 --- a/chapter03/01-Stack3.js +++ b/chapter03/01-Stack3.js @@ -12,41 +12,40 @@ let Stack3 = (function () { let s = items.get(this); s.push(element); items.set(this, s); - }; + } pop(){ let s = items.get(this); let r = s.pop(); items.set(this, s); return r; - }; + } peek(){ let s = items.get(this); return s[s.length-1]; - }; + } isEmpty(){ return items.get(this).length == 0; - }; + } size(){ let s = items.get(this); return s.length; - }; + } clear(){ items.set(this, []); - }; + } print(){ - let s = items.get(this); console.log(this.toString()); - }; + } toString(){ return items.get(this).toString(); - }; + } } return Stack3; diff --git a/chapter03/01-StackES6.js b/chapter03/01-StackES6.js new file mode 100644 index 00000000..a09ccf8a --- /dev/null +++ b/chapter03/01-StackES6.js @@ -0,0 +1,38 @@ +class Stack { + + constructor () { + this.items = []; + } + + push(element){ + this.items.push(element); + } + + pop(){ + return this.items.pop(); + } + + peek(){ + return this.items[this.items.length-1]; + } + + isEmpty(){ + return this.items.length == 0; + } + + size(){ + return this.items.length; + } + + clear(){ + this.items = []; + } + + print(){ + console.log(this.toString()); + } + + toString(){ + return this.items.toString(); + } +} diff --git a/chapter03/02-UsingStacks.js b/chapter03/02-UsingStacks.js index 3354924f..a84703a3 100644 --- a/chapter03/02-UsingStacks.js +++ b/chapter03/02-UsingStacks.js @@ -1,4 +1,4 @@ -var stack = new Stack(); +let stack = new Stack2(); console.log(stack.isEmpty()); //outputs true stack.push(5); stack.push(8); @@ -15,10 +15,10 @@ var stack = new Stack(); //how to ensure true privacy //in case using Stack 2 uncomment code below -/*var objectSymbols = Object.getOwnPropertySymbols(stack); +let objectSymbols = Object.getOwnPropertySymbols(stack); - console.log(objectSymbols.length); // 2 - console.log(objectSymbols); // [Symbol(a), Symbol(b)] - console.log(objectSymbols[0]); // Symbol(a) + console.log(objectSymbols.length); // 1 + console.log(objectSymbols); // [Symbol()] + console.log(objectSymbols[0]); // Symbol() stack[objectSymbols[0]].push(1); - stack.print();*/ \ No newline at end of file + stack.print(); //5, 8, 1 \ No newline at end of file diff --git a/chapter03/03-BalancedSymbols.js b/chapter03/03-BalancedSymbols.js index 6a49ee6b..0d4df4c6 100644 --- a/chapter03/03-BalancedSymbols.js +++ b/chapter03/03-BalancedSymbols.js @@ -1,27 +1,30 @@ -function matches(open, close){ - var opens = "([{", - closers = ")]}"; - return opens.indexOf(open) == closers.indexOf(close); -} - function parenthesesChecker(symbols){ - var stack = new Stack(), + let stack = new Stack(), balanced = true, index = 0, - symbol, top; + symbol, top, + opens = "([{", + closers = ")]}"; while (index < symbols.length && balanced){ symbol = symbols.charAt(index); - if (symbol == '('|| symbol == '[' || symbol == '{'){ + if (opens.indexOf(symbol) >= 0){ stack.push(symbol); + console.log(`open symbol - stacking ${symbol}`); } else { + console.log(`close symbol ${symbol}`); if (stack.isEmpty()){ balanced = false; + console.log('Stack is empty, no more symbols to pop and compare'); } else { top = stack.pop(); - if (!matches(top, symbol)){ + //if (!matches(top, symbol)){ + if (!(opens.indexOf(top) === closers.indexOf(symbol))) { balanced = false; + console.log(`poping symbol ${top} - is not a match compared to ${symbol}`); + } else { + console.log(`poping symbol ${top} - is is a match compared to ${symbol}`); } } } @@ -33,5 +36,6 @@ function parenthesesChecker(symbols){ return false; } -console.log(parenthesesChecker('{{([][])}()}')); -console.log(parenthesesChecker('[{()]')); \ No newline at end of file +console.log(parenthesesChecker('{([])}')); //true +console.log(parenthesesChecker('{{([][])}()}')); //true +console.log(parenthesesChecker('[{()]')); //false \ No newline at end of file diff --git a/chapter03/05-TowerOfHanoi.js b/chapter03/05-TowerOfHanoi.js index 255e02fb..ce0fd6dd 100644 --- a/chapter03/05-TowerOfHanoi.js +++ b/chapter03/05-TowerOfHanoi.js @@ -3,7 +3,7 @@ function towerOfHanoi(n, from, to, helper){ if (n > 0){ towerOfHanoi(n-1, from, helper, to); to.push(from.pop()); - console.log('-----') + console.log('-----'); console.log('Source: ' + from.toString()); console.log('Dest: ' + to.toString()); console.log('Helper: ' + helper.toString()); @@ -19,7 +19,7 @@ source.push(1); var dest = new Stack(); var helper = new Stack(); -towerOfHanoi(3, source, dest, helper); +towerOfHanoi(source.size(), source, dest, helper); source.print(); helper.print(); From af0fe3a72e08498ef6a84081d0fa485a885109d5 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 23 Jan 2016 19:18:12 -0200 Subject: [PATCH 081/162] replaced var to let --- chapter04/01-Queue.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/chapter04/01-Queue.js b/chapter04/01-Queue.js index 8656893a..bb22df69 100644 --- a/chapter04/01-Queue.js +++ b/chapter04/01-Queue.js @@ -1,6 +1,6 @@ function Queue() { - var items = []; + let items = []; this.enqueue = function(element){ items.push(element); From cc3cdae6ec7f600c9e3b4a2af541e015f6f70242 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 23 Jan 2016 19:18:22 -0200 Subject: [PATCH 082/162] Queue class ES6 syntax --- chapter04/01-Queue2.js | 51 ++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 51 insertions(+) create mode 100644 chapter04/01-Queue2.js diff --git a/chapter04/01-Queue2.js b/chapter04/01-Queue2.js new file mode 100644 index 00000000..c35ea102 --- /dev/null +++ b/chapter04/01-Queue2.js @@ -0,0 +1,51 @@ +let Queue2 = (function () { + + const items = new WeakMap(); + + class Queue2 { + + constructor () { + items.set(this, []); + } + + enqueue(element) { + let q = items.get(this); + q.push(element); + items.set(this, q) + } + + dequeue() { + let q = items.get(this); + let r = q.shift(); + items.set(this, q); + return r; + } + + front() { + let q = items.get(this); + return q[0]; + } + + isEmpty(){ + return items.get(this).length == 0; + } + + size(){ + let q = items.get(this); + return q.length; + } + + clear(){ + items.set(this, []); + } + + print(){ + console.log(this.toString()); + } + + toString(){ + return items.get(this).toString(); + } + } + return Queue2; +})(); From 7ea6366f1cd0d8d8287acda0fd34dc779cc2df6d Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 23 Jan 2016 19:18:39 -0200 Subject: [PATCH 083/162] added ES6 class; updated from var to let --- chapter04/02-UsingQueues.html | 1 + chapter04/02-UsingQueues.js | 2 +- 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/chapter04/02-UsingQueues.html b/chapter04/02-UsingQueues.html index c39e78b4..611d3571 100644 --- a/chapter04/02-UsingQueues.html +++ b/chapter04/02-UsingQueues.html @@ -6,6 +6,7 @@ + \ No newline at end of file diff --git a/chapter04/02-UsingQueues.js b/chapter04/02-UsingQueues.js index fcef6c91..1b3f58ae 100644 --- a/chapter04/02-UsingQueues.js +++ b/chapter04/02-UsingQueues.js @@ -1,4 +1,4 @@ -var queue = new Queue(); +let queue = new Queue(); console.log(queue.isEmpty()); //outputs true queue.enqueue("John"); queue.enqueue("Jack"); From 4b487b9535ab0c2a2a9dc7c0ea0a02282c842152 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 23 Jan 2016 19:18:59 -0200 Subject: [PATCH 084/162] simplified code --- chapter04/03-PriorityQueue.js | 38 ++++++++++++++++------------------- 1 file changed, 17 insertions(+), 21 deletions(-) diff --git a/chapter04/03-PriorityQueue.js b/chapter04/03-PriorityQueue.js index 5b6442bb..f9071ddc 100644 --- a/chapter04/03-PriorityQueue.js +++ b/chapter04/03-PriorityQueue.js @@ -1,30 +1,26 @@ function PriorityQueue() { - var items = []; + let items = []; - function QueueElement (element, priority){ + function QueueElement (element, priority){ // {1} this.element = element; this.priority = priority; } this.enqueue = function(element, priority){ - var queueElement = new QueueElement(element, priority); - - if (this.isEmpty()){ - items.push(queueElement); - } else { - var added = false; - for (var i=0; i Date: Sat, 23 Jan 2016 19:19:12 -0200 Subject: [PATCH 085/162] PriorityQueue ES6 class syntax --- chapter04/03-PriorityQueue2.html | 11 +++++ chapter04/03-PriorityQueue2.js | 80 ++++++++++++++++++++++++++++++++ 2 files changed, 91 insertions(+) create mode 100644 chapter04/03-PriorityQueue2.html create mode 100644 chapter04/03-PriorityQueue2.js diff --git a/chapter04/03-PriorityQueue2.html b/chapter04/03-PriorityQueue2.html new file mode 100644 index 00000000..15873e71 --- /dev/null +++ b/chapter04/03-PriorityQueue2.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter04/03-PriorityQueue2.js b/chapter04/03-PriorityQueue2.js new file mode 100644 index 00000000..d629334b --- /dev/null +++ b/chapter04/03-PriorityQueue2.js @@ -0,0 +1,80 @@ +let PriorityQueue2 = (function () { + + class QueueElement { + constructor(element, priority){ + this.element = element; + this.priority = priority; + } + } + + const items = new WeakMap(); + + class PriorityQueue2 { //extends Queue2 { //with this approach the private properties are not reachable through inheritance + + constructor () { + items.set(this, []); + } + + enqueue(element, priority){ + let queueElement = new QueueElement(element, priority); + + let q = items.get(this); + + let added = false; + for (let i=0; i Date: Sat, 23 Jan 2016 19:19:23 -0200 Subject: [PATCH 086/162] from var to let --- chapter04/04-HotPotato.js | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/chapter04/04-HotPotato.js b/chapter04/04-HotPotato.js index 83554a1c..d0ce0d98 100644 --- a/chapter04/04-HotPotato.js +++ b/chapter04/04-HotPotato.js @@ -1,14 +1,14 @@ function hotPotato (nameList, num){ - var queue = new Queue(); + let queue = new Queue(); - for (var i=0; i 1){ - for (var i=0; i Date: Fri, 29 Jan 2016 10:21:09 -0800 Subject: [PATCH 087/162] change array literals to object literals, since the objects are used as associative arrays --- chapter09/01-Graph.js | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/chapter09/01-Graph.js b/chapter09/01-Graph.js index ce4bd3ff..b7a1b847 100644 --- a/chapter09/01-Graph.js +++ b/chapter09/01-Graph.js @@ -28,7 +28,7 @@ function Graph() { }; var initializeColor = function(){ - var color = []; + var color = {}; for (var i=0; i Date: Mon, 1 Feb 2016 10:03:08 -0800 Subject: [PATCH 088/162] unecessary to re-set stack array in WeakMap since it is a pointer reference and has not been deleted. --- chapter03/01-Stack3.js | 2 -- 1 file changed, 2 deletions(-) diff --git a/chapter03/01-Stack3.js b/chapter03/01-Stack3.js index fd490ffa..d13a87dd 100644 --- a/chapter03/01-Stack3.js +++ b/chapter03/01-Stack3.js @@ -11,13 +11,11 @@ let Stack3 = (function () { push(element){ let s = items.get(this); s.push(element); - items.set(this, s); } pop(){ let s = items.get(this); let r = s.pop(); - items.set(this, s); return r; } From ad6b7eb3306b442542ddcaa1e42e59b37f26da51 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Fri, 29 Jan 2016 09:51:19 -0200 Subject: [PATCH 089/162] updated code chapter 5 - linked lists --- .../{01-Linked-List.js => 01-LinkedList.js} | 18 +++++++-------- chapter05/02-UsingLinkedLists.html | 3 ++- chapter05/02-UsingLinkedLists.js | 2 +- chapter05/03-Doubly-Linked-List.js | 22 +++++++++---------- chapter05/04-UsingDoublyLinkedLists.js | 2 +- chapter05/05-CircularLinkedList.js | 18 +++++++-------- chapter05/06-UsingCircularLinkedList.js | 2 +- ...06-UsingHashCollisionSeparateChaining.html | 2 +- 8 files changed, 35 insertions(+), 34 deletions(-) rename chapter05/{01-Linked-List.js => 01-LinkedList.js} (90%) diff --git a/chapter05/01-Linked-List.js b/chapter05/01-LinkedList.js similarity index 90% rename from chapter05/01-Linked-List.js rename to chapter05/01-LinkedList.js index d4f4637f..99f3c81e 100644 --- a/chapter05/01-Linked-List.js +++ b/chapter05/01-LinkedList.js @@ -1,17 +1,17 @@ function LinkedList() { - var Node = function(element){ + let Node = function(element){ this.element = element; this.next = null; }; - var length = 0; - var head = null; + let length = 0; + let head = null; this.append = function(element){ - var node = new Node(element), + let node = new Node(element), current; if (head === null){ //first node on list @@ -37,7 +37,7 @@ function LinkedList() { //check for out-of-bounds values if (position >= 0 && position <= length){ - var node = new Node(element), + let node = new Node(element), current = head, previous, index = 0; @@ -70,7 +70,7 @@ function LinkedList() { //check for out-of-bounds values if (position > -1 && position < length){ - var current = head, + let current = head, previous, index = 0; @@ -100,13 +100,13 @@ function LinkedList() { this.remove = function(element){ - var index = this.indexOf(element); + let index = this.indexOf(element); return this.removeAt(index); }; this.indexOf = function(element){ - var current = head, + let current = head, index = 0; while (current) { @@ -134,7 +134,7 @@ function LinkedList() { this.toString = function(){ - var current = head, + let current = head, string = ''; while (current) { diff --git a/chapter05/02-UsingLinkedLists.html b/chapter05/02-UsingLinkedLists.html index da977b75..0482b174 100644 --- a/chapter05/02-UsingLinkedLists.html +++ b/chapter05/02-UsingLinkedLists.html @@ -5,7 +5,8 @@ - + + \ No newline at end of file diff --git a/chapter05/02-UsingLinkedLists.js b/chapter05/02-UsingLinkedLists.js index 9c92c483..bef9d86e 100644 --- a/chapter05/02-UsingLinkedLists.js +++ b/chapter05/02-UsingLinkedLists.js @@ -1,4 +1,4 @@ -var list = new LinkedList(); +let list = new LinkedList2(); list.append(15); list.print(); console.log(list.indexOf(15)); diff --git a/chapter05/03-Doubly-Linked-List.js b/chapter05/03-Doubly-Linked-List.js index 1ca53298..6d4de9c5 100644 --- a/chapter05/03-Doubly-Linked-List.js +++ b/chapter05/03-Doubly-Linked-List.js @@ -1,19 +1,19 @@ function DoublyLinkedList() { - var Node = function(element){ + let Node = function(element){ this.element = element; this.next = null; this.prev = null; //NEW }; - var length = 0; - var head = null; - var tail = null; //NEW + let length = 0; + let head = null; + let tail = null; //NEW this.append = function(element){ - var node = new Node(element), + let node = new Node(element), current; if (head === null){ //first node on list @@ -35,7 +35,7 @@ function DoublyLinkedList() { //check for out-of-bounds values if (position >= 0 && position <= length){ - var node = new Node(element), + let node = new Node(element), current = head, previous, index = 0; @@ -84,7 +84,7 @@ function DoublyLinkedList() { //check for out-of-bounds values if (position > -1 && position < length){ - var current = head, + let current = head, previous, index = 0; @@ -130,13 +130,13 @@ function DoublyLinkedList() { this.remove = function(element){ - var index = this.indexOf(element); + let index = this.indexOf(element); return this.removeAt(index); }; this.indexOf = function(element){ - var current = head, + let current = head, index = -1; //check first item @@ -175,7 +175,7 @@ function DoublyLinkedList() { this.toString = function(){ - var current = head, + let current = head, s = current ? current.element : ''; while(current && current.next){ @@ -188,7 +188,7 @@ function DoublyLinkedList() { this.inverseToString = function() { - var current = tail, + let current = tail, s = current ? current.element : ''; while(current && current.prev){ diff --git a/chapter05/04-UsingDoublyLinkedLists.js b/chapter05/04-UsingDoublyLinkedLists.js index 00534d49..ffd8aacb 100644 --- a/chapter05/04-UsingDoublyLinkedLists.js +++ b/chapter05/04-UsingDoublyLinkedLists.js @@ -1,4 +1,4 @@ -var list = new DoublyLinkedList(); +let list = new DoublyLinkedList(); list.append(15); list.print(); diff --git a/chapter05/05-CircularLinkedList.js b/chapter05/05-CircularLinkedList.js index 590c08f4..06439c69 100644 --- a/chapter05/05-CircularLinkedList.js +++ b/chapter05/05-CircularLinkedList.js @@ -1,17 +1,17 @@ function CircularLinkedList() { - var Node = function(element){ + let Node = function(element){ this.element = element; this.next = null; }; - var length = 0; - var head = null; + let length = 0; + let head = null; this.append = function(element){ - var node = new Node(element), + let node = new Node(element), current; if (head === null){ //first node on list @@ -40,7 +40,7 @@ function CircularLinkedList() { //check for out-of-bounds values if (position >= 0 && position <= length){ - var node = new Node(element), + let node = new Node(element), current = head, previous, index = 0; @@ -84,7 +84,7 @@ function CircularLinkedList() { //check for out-of-bounds values if (position > -1 && position < length){ - var current = head, + let current = head, previous, index = 0; @@ -121,13 +121,13 @@ function CircularLinkedList() { this.remove = function(element){ - var index = this.indexOf(element); + let index = this.indexOf(element); return this.removeAt(index); }; this.indexOf = function(element){ - var current = head, + let current = head, index = -1; //check first item @@ -170,7 +170,7 @@ function CircularLinkedList() { this.toString = function(){ - var current = head, + let current = head, s = current.element; while(current.next !== head){ diff --git a/chapter05/06-UsingCircularLinkedList.js b/chapter05/06-UsingCircularLinkedList.js index 33d9f8c9..d3ad949a 100644 --- a/chapter05/06-UsingCircularLinkedList.js +++ b/chapter05/06-UsingCircularLinkedList.js @@ -1,4 +1,4 @@ -var circularLinkedList = new CircularLinkedList(); +let circularLinkedList = new CircularLinkedList(); circularLinkedList.append(15); circularLinkedList.print(); diff --git a/chapter07/06-UsingHashCollisionSeparateChaining.html b/chapter07/06-UsingHashCollisionSeparateChaining.html index e1741527..d671e133 100644 --- a/chapter07/06-UsingHashCollisionSeparateChaining.html +++ b/chapter07/06-UsingHashCollisionSeparateChaining.html @@ -5,7 +5,7 @@ - + From f375ff353bf371d7d21949a8148af68efa2b5a90 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 6 Feb 2016 10:46:04 -0200 Subject: [PATCH 090/162] removed unnecessary condition --- chapter05/05-CircularLinkedList.js | 4 ---- 1 file changed, 4 deletions(-) diff --git a/chapter05/05-CircularLinkedList.js b/chapter05/05-CircularLinkedList.js index 06439c69..5f05e85f 100644 --- a/chapter05/05-CircularLinkedList.js +++ b/chapter05/05-CircularLinkedList.js @@ -64,10 +64,6 @@ function CircularLinkedList() { } node.next = current; previous.next = node; - - if (node.next === null){ //update in case last element - node.next = head; - } } length++; //update size of list From 7641833b2bfe847178a7f8b651d5f9fc062f5fcd Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 6 Feb 2016 10:47:22 -0200 Subject: [PATCH 091/162] added LinkedList class in ES6 syntax --- chapter05/01-LinkedList2.js | 157 +++++++++++++++++++++++++++++++ chapter05/02-UsingLinkedLists.js | 2 +- 2 files changed, 158 insertions(+), 1 deletion(-) create mode 100644 chapter05/01-LinkedList2.js diff --git a/chapter05/01-LinkedList2.js b/chapter05/01-LinkedList2.js new file mode 100644 index 00000000..2a620ee7 --- /dev/null +++ b/chapter05/01-LinkedList2.js @@ -0,0 +1,157 @@ +let LinkedList2 = (function () { + + class Node { + constructor(element, priority){ + this.element = element; + this.next = null; + } + } + + let length = 0; + let head = null; + + class LinkedList2 { + + append(element) { + + let node = new Node(element), + current; + + if (head === null) { //first node on list + head = node; + } else { + + current = head; + + //loop the list until find last item + while (current.next) { + current = current.next; + } + + //get last item and assign next to added item to make the link + current.next = node; + } + + length++; //update size of list + } + + insert(position, element) { + + //check for out-of-bounds values + if (position >= 0 && position <= length) { + + let node = new Node(element), + current = head, + previous, + index = 0; + + if (position === 0) { //add on first position + + node.next = current; + head = node; + + } else { + while (index++ < position) { + previous = current; + current = current.next; + } + node.next = current; + previous.next = node; + } + + length++; //update size of list + + return true; + + } else { + return false; + } + } + + removeAt(position) { + + //check for out-of-bounds values + if (position > -1 && position < length) { + + let current = head, + previous, + index = 0; + + //removing first item + if (position === 0) { + head = current.next; + } else { + + while (index++ < position) { + + previous = current; + current = current.next; + } + + //link previous with current's next - skip it to remove + previous.next = current.next; + } + + length--; + + return current.element; + + } else { + return null; + } + } + + remove(element) { + + let index = this.indexOf(element); + return this.removeAt(index); + } + + indexOf(element) { + + let current = head, + index = 0; + + while (current) { + if (element === current.element) { + return index; + } + index++; + current = current.next; + } + + return -1; + } + + isEmpty() { + return length === 0; + } + + size() { + return length; + } + + getHead() { + return head; + } + + toString() { + + let current = head, + string = ''; + + while (current) { + string += current.element + (current.next ? '\n' : ''); + current = current.next; + } + return string; + + } + + print() { + console.log(this.toString()); + } + } + + return LinkedList2; +})(); diff --git a/chapter05/02-UsingLinkedLists.js b/chapter05/02-UsingLinkedLists.js index bef9d86e..fe917f4a 100644 --- a/chapter05/02-UsingLinkedLists.js +++ b/chapter05/02-UsingLinkedLists.js @@ -1,4 +1,4 @@ -let list = new LinkedList2(); +let list = new LinkedList(); list.append(15); list.print(); console.log(list.indexOf(15)); From 4c18af4ad070ea45ede4493a73598e90284d89b4 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 6 Feb 2016 11:20:07 -0200 Subject: [PATCH 092/162] added LinkedList class in ES6 syntax --- chapter05/01-LinkedList.js | 2 +- chapter05/01-LinkedList2.js | 64 ++++++++++++++++++++---------- chapter05/02-UsingLinkedLists.html | 4 +- chapter05/02-UsingLinkedLists.js | 2 +- 4 files changed, 46 insertions(+), 26 deletions(-) diff --git a/chapter05/01-LinkedList.js b/chapter05/01-LinkedList.js index 99f3c81e..3e52bc80 100644 --- a/chapter05/01-LinkedList.js +++ b/chapter05/01-LinkedList.js @@ -138,7 +138,7 @@ function LinkedList() { string = ''; while (current) { - string += current.element + (current.next ? '\n' : ''); + string += current.element + (current.next ? ', ' : ''); current = current.next; } return string; diff --git a/chapter05/01-LinkedList2.js b/chapter05/01-LinkedList2.js index 2a620ee7..0de3d5f2 100644 --- a/chapter05/01-LinkedList2.js +++ b/chapter05/01-LinkedList2.js @@ -1,27 +1,34 @@ let LinkedList2 = (function () { class Node { - constructor(element, priority){ + constructor(element){ this.element = element; this.next = null; } } - let length = 0; - let head = null; + const length = new WeakMap(); + const head = new WeakMap(); class LinkedList2 { + constructor () { + length.set(this, 0); + head.set(this, null); + } + append(element) { let node = new Node(element), - current; + current, + _head = this.getHead(); - if (head === null) { //first node on list - head = node; + if (_head === null) { //first node on list + _head = node; + head.set(this, _head); } else { - current = head; + current = _head; //loop the list until find last item while (current.next) { @@ -32,23 +39,28 @@ let LinkedList2 = (function () { current.next = node; } - length++; //update size of list + //update size of list + let l = this.size(); + l++; + length.set(this, l); } insert(position, element) { //check for out-of-bounds values - if (position >= 0 && position <= length) { + if (position >= 0 && position <= this.size()) { let node = new Node(element), - current = head, + _head = this.getHead(), + current = _head, previous, index = 0; if (position === 0) { //add on first position node.next = current; - head = node; + _head = node; + head.set(this, _head); } else { while (index++ < position) { @@ -59,7 +71,10 @@ let LinkedList2 = (function () { previous.next = node; } - length++; //update size of list + //update size of list + let l = this.size(); + l++; + length.set(this, l); return true; @@ -71,15 +86,17 @@ let LinkedList2 = (function () { removeAt(position) { //check for out-of-bounds values - if (position > -1 && position < length) { + if (position > -1 && position < this.size()) { - let current = head, + let _head = this.getHead(), + current = _head, previous, index = 0; //removing first item if (position === 0) { - head = current.next; + _head = current.next; + head.set(this, _head); } else { while (index++ < position) { @@ -92,7 +109,9 @@ let LinkedList2 = (function () { previous.next = current.next; } - length--; + let l = this.size(); + l--; + length.set(this, l); return current.element; @@ -109,7 +128,8 @@ let LinkedList2 = (function () { indexOf(element) { - let current = head, + let _head = this.getHead(), + current = _head, index = 0; while (current) { @@ -124,24 +144,24 @@ let LinkedList2 = (function () { } isEmpty() { - return length === 0; + return this.size() === 0; } size() { - return length; + return length.get(this); } getHead() { - return head; + return head.get(this); } toString() { - let current = head, + let current = this.getHead(), string = ''; while (current) { - string += current.element + (current.next ? '\n' : ''); + string += current.element + (current.next ? ', ' : ''); current = current.next; } return string; diff --git a/chapter05/02-UsingLinkedLists.html b/chapter05/02-UsingLinkedLists.html index 0482b174..97210e70 100644 --- a/chapter05/02-UsingLinkedLists.html +++ b/chapter05/02-UsingLinkedLists.html @@ -5,8 +5,8 @@ - + - + \ No newline at end of file diff --git a/chapter05/02-UsingLinkedLists.js b/chapter05/02-UsingLinkedLists.js index fe917f4a..bef9d86e 100644 --- a/chapter05/02-UsingLinkedLists.js +++ b/chapter05/02-UsingLinkedLists.js @@ -1,4 +1,4 @@ -let list = new LinkedList(); +let list = new LinkedList2(); list.append(15); list.print(); console.log(list.indexOf(15)); From e0829621785cb4648e1893585e269514339edabe Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 6 Feb 2016 11:54:47 -0200 Subject: [PATCH 093/162] added LinkedList class in ES6 syntax --- chapter05/01-LinkedList2.js | 25 +++++++++---------------- 1 file changed, 9 insertions(+), 16 deletions(-) diff --git a/chapter05/01-LinkedList2.js b/chapter05/01-LinkedList2.js index 0de3d5f2..98452857 100644 --- a/chapter05/01-LinkedList2.js +++ b/chapter05/01-LinkedList2.js @@ -20,15 +20,13 @@ let LinkedList2 = (function () { append(element) { let node = new Node(element), - current, - _head = this.getHead(); + current; - if (_head === null) { //first node on list - _head = node; - head.set(this, _head); + if (this.getHead() === null) { //first node on list + head.set(this, node); } else { - current = _head; + current = this.getHead(); //loop the list until find last item while (current.next) { @@ -51,16 +49,14 @@ let LinkedList2 = (function () { if (position >= 0 && position <= this.size()) { let node = new Node(element), - _head = this.getHead(), - current = _head, + current = this.getHead(), previous, index = 0; if (position === 0) { //add on first position node.next = current; - _head = node; - head.set(this, _head); + head.set(this, node); } else { while (index++ < position) { @@ -88,15 +84,13 @@ let LinkedList2 = (function () { //check for out-of-bounds values if (position > -1 && position < this.size()) { - let _head = this.getHead(), - current = _head, + let current = this.getHead(), previous, index = 0; //removing first item if (position === 0) { - _head = current.next; - head.set(this, _head); + head.set(this, current.next); } else { while (index++ < position) { @@ -128,8 +122,7 @@ let LinkedList2 = (function () { indexOf(element) { - let _head = this.getHead(), - current = _head, + let current = this.getHead(), index = 0; while (current) { From fef6ca261ce39b230edb1a4a3ad6b4c291d36adf Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 6 Feb 2016 12:00:38 -0200 Subject: [PATCH 094/162] added DoublyLinkedList class in ES6 syntax --- ...-Linked-List.js => 03-DoublyLinkedList.js} | 0 chapter05/03-DoublyLinkedList2.js | 242 ++++++++++++++++++ chapter05/04-UsingDoublyLinkedLists.html | 5 +- chapter05/04-UsingDoublyLinkedLists.js | 2 +- 4 files changed, 246 insertions(+), 3 deletions(-) rename chapter05/{03-Doubly-Linked-List.js => 03-DoublyLinkedList.js} (100%) create mode 100644 chapter05/03-DoublyLinkedList2.js diff --git a/chapter05/03-Doubly-Linked-List.js b/chapter05/03-DoublyLinkedList.js similarity index 100% rename from chapter05/03-Doubly-Linked-List.js rename to chapter05/03-DoublyLinkedList.js diff --git a/chapter05/03-DoublyLinkedList2.js b/chapter05/03-DoublyLinkedList2.js new file mode 100644 index 00000000..3ddbcb33 --- /dev/null +++ b/chapter05/03-DoublyLinkedList2.js @@ -0,0 +1,242 @@ +let DoublyLinkedList2 = (function () { + + class Node { + constructor(element) { + this.element = element; + this.next = null; + this.prev = null; //NEW + } + } + + const length = new WeakMap(); + const head = new WeakMap(); + const tail = new WeakMap(); //NEW + + class DoublyLinkedList2 { + + constructor () { + length.set(this, 0); + head.set(this, null); + tail.set(this, null); + } + + append = function (element) { + + let node = new Node(element), + current, _tail; + + if (this.getHead() === null) { //first node on list + head.set(this, node); + tail.set(this, node); //NEW + } else { + //attach to the tail node //NEW + _tail = this.getTail(); + _tail.next = node; + node.prev = _tail; + tail.set(this, node); + } + + //update size of list + let l = this.size(); + l++; + length.set(this, l); + } + + insert = function (position, element) { + + //check for out-of-bounds values + if (position >= 0 && position <= this.size()) { + + let node = new Node(element), + current = this.getHead(), + previous, + index = 0; + + if (position === 0) { //add on first position + + if (!this.getHead()) { //NEW + head.set(this, node); + tail.set(this, node); + } else { + node.next = current; + current.prev = node; //NEW {1} + head.set(this, node); + } + + } else if (position === this.size()) { //last item //NEW + + current = tail; // {2} + current.next = node; + node.prev = current; + tail.set(this, node); + + } else { + while (index++ < position) { //{3} + previous = current; + current = current.next; + } + node.next = current; + previous.next = node; + + current.prev = node; //NEW + node.prev = previous; //NEW + } + + //update size of list + let l = this.size(); + l++; + length.set(this, l); + + return true; + + } else { + return false; + } + } + + removeAt = function (position) { + + //check for out-of-bounds values + if (position > -1 && position < this.size()) { + + let _head = this.getHead(), + _tail = this.getTail(), + current = _head, + previous, + index = 0; + + //removing first item + if (position === 0) { + + _head = current.next; // {1} + + //if there is only one item, then we update tail as well //NEW + if (this.size() === 1) { // {2} + _tail = null; + } else { + _head.prev = null; // {3} + } + + } else if (position === this.size() - 1) { //last item //NEW + + current = _tail; // {4} + _tail = current.prev; + _tail.next = null; + + } else { + + while (index++ < position) { // {5} + + previous = current; + current = current.next; + } + + //link previous with current's next - skip it to remove + previous.next = current.next; // {6} + current.next.prev = previous; //NEW + } + + head.set(this,_head); + tail.set(this,_tail); + + //update size of list + let l = this.size(); + l--; + length.set(this, l); + + return current.element; + + } else { + return null; + } + } + + remove = function (element) { + + let index = this.indexOf(element); + return this.removeAt(index); + } + + indexOf = function (element) { + + let current = this.getHead(), + index = -1; + + //check first item + if (element == current.element) { + return 0; + } + + index++; + + //check in the middle of the list + while (current.next) { + + if (element == current.element) { + return index; + } + + current = current.next; + index++; + } + + //check last item + if (element == current.element) { + return index; + } + + return -1; + } + + isEmpty() { + return this.size() === 0; + } + + size() { + return length.get(this); + } + + toString = function () { + + let current = this.getHead(), + s = current ? current.element : ''; + + while (current && current.next) { + current = current.next; + s += ', ' + current.element; + } + + return s; + } + + inverseToString = function () { + + let current = this.getTail(), + s = current ? current.element : ''; + + while (current && current.prev) { + current = current.prev; + s += ', ' + current.element; + } + + return s; + } + + print = function () { + console.log(this.toString()); + } + + printInverse = function () { + console.log(this.inverseToString()); + } + + getHead() { + return head.get(this); + } + + getTail = function () { + return tail.get(this); + } + } + return DoublyLinkedList2; +})(); \ No newline at end of file diff --git a/chapter05/04-UsingDoublyLinkedLists.html b/chapter05/04-UsingDoublyLinkedLists.html index d4b60521..58f959d5 100644 --- a/chapter05/04-UsingDoublyLinkedLists.html +++ b/chapter05/04-UsingDoublyLinkedLists.html @@ -5,7 +5,8 @@ - - + + + \ No newline at end of file diff --git a/chapter05/04-UsingDoublyLinkedLists.js b/chapter05/04-UsingDoublyLinkedLists.js index ffd8aacb..9ad4a17c 100644 --- a/chapter05/04-UsingDoublyLinkedLists.js +++ b/chapter05/04-UsingDoublyLinkedLists.js @@ -1,4 +1,4 @@ -let list = new DoublyLinkedList(); +let list = new DoublyLinkedList2(); list.append(15); list.print(); From f6332b4a6a91586d9d32169fbdcfb63a36aa48d7 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 6 Feb 2016 12:56:21 -0200 Subject: [PATCH 095/162] added DoublyLinkedList class in ES6 syntax --- chapter05/03-DoublyLinkedList2.js | 20 ++++++++++---------- 1 file changed, 10 insertions(+), 10 deletions(-) diff --git a/chapter05/03-DoublyLinkedList2.js b/chapter05/03-DoublyLinkedList2.js index 3ddbcb33..9fe7d87b 100644 --- a/chapter05/03-DoublyLinkedList2.js +++ b/chapter05/03-DoublyLinkedList2.js @@ -20,7 +20,7 @@ let DoublyLinkedList2 = (function () { tail.set(this, null); } - append = function (element) { + append(element) { let node = new Node(element), current, _tail; @@ -42,7 +42,7 @@ let DoublyLinkedList2 = (function () { length.set(this, l); } - insert = function (position, element) { + insert(position, element) { //check for out-of-bounds values if (position >= 0 && position <= this.size()) { @@ -94,7 +94,7 @@ let DoublyLinkedList2 = (function () { } } - removeAt = function (position) { + removeAt(position) { //check for out-of-bounds values if (position > -1 && position < this.size()) { @@ -151,13 +151,13 @@ let DoublyLinkedList2 = (function () { } } - remove = function (element) { + remove(element) { let index = this.indexOf(element); return this.removeAt(index); } - indexOf = function (element) { + indexOf(element) { let current = this.getHead(), index = -1; @@ -196,7 +196,7 @@ let DoublyLinkedList2 = (function () { return length.get(this); } - toString = function () { + toString() { let current = this.getHead(), s = current ? current.element : ''; @@ -209,7 +209,7 @@ let DoublyLinkedList2 = (function () { return s; } - inverseToString = function () { + inverseToString() { let current = this.getTail(), s = current ? current.element : ''; @@ -222,11 +222,11 @@ let DoublyLinkedList2 = (function () { return s; } - print = function () { + print() { console.log(this.toString()); } - printInverse = function () { + printInverse() { console.log(this.inverseToString()); } @@ -234,7 +234,7 @@ let DoublyLinkedList2 = (function () { return head.get(this); } - getTail = function () { + getTail() { return tail.get(this); } } From d69668f7346766db7b77c67ecb113e799b7d49b2 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 6 Feb 2016 12:56:36 -0200 Subject: [PATCH 096/162] added CircularLinkedList class in ES6 syntax --- chapter05/05-CircularLinkedList2.js | 201 ++++++++++++++++++++++ chapter05/06-UsingCircularLinkedList.html | 5 +- chapter05/06-UsingCircularLinkedList.js | 6 +- 3 files changed, 207 insertions(+), 5 deletions(-) create mode 100644 chapter05/05-CircularLinkedList2.js diff --git a/chapter05/05-CircularLinkedList2.js b/chapter05/05-CircularLinkedList2.js new file mode 100644 index 00000000..f054725f --- /dev/null +++ b/chapter05/05-CircularLinkedList2.js @@ -0,0 +1,201 @@ +let CircularLinkedList2 = (function () { + + class Node { + constructor(element) { + this.element = element; + this.next = null; + } + } + + const length = new WeakMap(); + const head = new WeakMap(); + + class CircularLinkedList2 { + + constructor () { + length.set(this, 0); + head.set(this, null); + } + + append(element) { + + let node = new Node(element), + current; + + if (this.getHead() === null) { //first node on list + head.set(this, node); + } else { + + current = this.getHead(); + + //loop the list until find last item + while (current.next !== this.getHead()) { //last element will be head instead of NULL + current = current.next; + } + + //get last item and assign next to added item to make the link + current.next = node; + } + + //set node.next to head - to have circular list + node.next = this.getHead(); + + //update size of list + let l = this.size(); + l++; + length.set(this, l); + } + + insert(position, element) { + + //check for out-of-bounds values + if (position >= 0 && position <= this.size()) { + + let node = new Node(element), + current = this.getHead(), + previous, + index = 0; + + if (position === 0) { //add on first position + + node.next = current; + + //update last element + while (current.next !== head) { //last element will be head instead of NULL + current = current.next; + } + + head.set(this, node); + current.next = this.getHead(); + + } else { + while (index++ < position) { + previous = current; + current = current.next; + } + node.next = current; + previous.next = node; + } + + //update size of list + let l = this.size(); + l++; + length.set(this, l); + + return true; + + } else { + return false; + } + } + + removeAt(position) { + + //check for out-of-bounds values + if (position > -1 && position < this.size()) { + + let current = this.getHead(), + previous, + index = 0; + + //removing first item + if (position === 0) { + + while (current.next !== head) { //needs to update last element first + current = current.next; + } + + head.set(this, this.getHead().next); + current.next = this.getHead(); + + } else { //no need to update last element for circular list + + while (index++ < position) { + + previous = current; + current = current.next; + } + + //link previous with current's next - skip it to remove + previous.next = current.next; + } + + let l = this.size(); + l--; + length.set(this, l); + + return current.element; + + } else { + return null; + } + } + + remove(element) { + + let index = indexOf(element); + return removeAt(index); + } + + indexOf(element) { + + let current = this.getHead(), + index = -1; + + //check first item + if (element == current.element) { + return 0; + } + + index++; + + //check in the middle of the list + while (current.next !== this.getHead()) { + + if (element == current.element) { + return index; + } + + current = current.next; + index++; + } + + //check last item + if (element == current.element) { + return index; + } + + return -1; + } + + isEmpty() { + return this.size() === 0; + } + + size() { + return length.get(this); + } + + getHead() { + return head.get(this); + } + + toString() { + + let current = this.getHead(), + s = current.element; + + while (current.next !== this.getHead()) { + current = current.next; + s += ', ' + current.element; + } + + return s.toString(); + } + + print() { + console.log(this.toString()); + } + } + return CircularLinkedList2; +})(); \ No newline at end of file diff --git a/chapter05/06-UsingCircularLinkedList.html b/chapter05/06-UsingCircularLinkedList.html index 5a2fbb5d..ab39ba27 100644 --- a/chapter05/06-UsingCircularLinkedList.html +++ b/chapter05/06-UsingCircularLinkedList.html @@ -5,7 +5,8 @@ - - + + + \ No newline at end of file diff --git a/chapter05/06-UsingCircularLinkedList.js b/chapter05/06-UsingCircularLinkedList.js index d3ad949a..bbe8705c 100644 --- a/chapter05/06-UsingCircularLinkedList.js +++ b/chapter05/06-UsingCircularLinkedList.js @@ -1,6 +1,6 @@ -let circularLinkedList = new CircularLinkedList(); +let circularLinkedList = new CircularLinkedList2(); -circularLinkedList.append(15); +/*circularLinkedList.append(15); circularLinkedList.print(); circularLinkedList.append(16); @@ -25,4 +25,4 @@ circularLinkedList.removeAt(2); circularLinkedList.print(); console.log(circularLinkedList.indexOf(14.5)); -console.log(circularLinkedList.indexOf(16)); \ No newline at end of file +console.log(circularLinkedList.indexOf(16));*/ \ No newline at end of file From 5ebda8633dd162af6a49d1010d5c957d29acf8c3 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 6 Feb 2016 13:03:10 -0200 Subject: [PATCH 097/162] added CircularLinkedList class in ES6 syntax --- chapter05/05-CircularLinkedList2.js | 6 +++--- chapter05/06-UsingCircularLinkedList.js | 4 ++-- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/chapter05/05-CircularLinkedList2.js b/chapter05/05-CircularLinkedList2.js index f054725f..13f36665 100644 --- a/chapter05/05-CircularLinkedList2.js +++ b/chapter05/05-CircularLinkedList2.js @@ -56,12 +56,12 @@ let CircularLinkedList2 = (function () { previous, index = 0; - if (position === 0) { //add on first position + if (position === 0) { //add on first position node.next = current; //update last element - while (current.next !== head) { //last element will be head instead of NULL + while (current.next !== this.getHead()) { //last element will be head instead of NULL current = current.next; } @@ -101,7 +101,7 @@ let CircularLinkedList2 = (function () { //removing first item if (position === 0) { - while (current.next !== head) { //needs to update last element first + while (current.next !== this.getHead()) { //needs to update last element first current = current.next; } diff --git a/chapter05/06-UsingCircularLinkedList.js b/chapter05/06-UsingCircularLinkedList.js index bbe8705c..a1feebbb 100644 --- a/chapter05/06-UsingCircularLinkedList.js +++ b/chapter05/06-UsingCircularLinkedList.js @@ -1,6 +1,6 @@ let circularLinkedList = new CircularLinkedList2(); -/*circularLinkedList.append(15); +circularLinkedList.append(15); circularLinkedList.print(); circularLinkedList.append(16); @@ -25,4 +25,4 @@ circularLinkedList.removeAt(2); circularLinkedList.print(); console.log(circularLinkedList.indexOf(14.5)); -console.log(circularLinkedList.indexOf(16));*/ \ No newline at end of file +console.log(circularLinkedList.indexOf(16)); \ No newline at end of file From dad7fdd8abe7583763398194e26e74da1085da3e Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 6 Feb 2016 13:06:55 -0200 Subject: [PATCH 098/162] rmeoved unnecessary code from Stack --- chapter03/02-UsingStacks.js | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/chapter03/02-UsingStacks.js b/chapter03/02-UsingStacks.js index a84703a3..9876e892 100644 --- a/chapter03/02-UsingStacks.js +++ b/chapter03/02-UsingStacks.js @@ -1,4 +1,4 @@ -let stack = new Stack2(); +let stack = new Stack3(); console.log(stack.isEmpty()); //outputs true stack.push(5); stack.push(8); @@ -15,10 +15,10 @@ let stack = new Stack2(); //how to ensure true privacy //in case using Stack 2 uncomment code below -let objectSymbols = Object.getOwnPropertySymbols(stack); +/*let objectSymbols = Object.getOwnPropertySymbols(stack); console.log(objectSymbols.length); // 1 console.log(objectSymbols); // [Symbol()] console.log(objectSymbols[0]); // Symbol() stack[objectSymbols[0]].push(1); - stack.print(); //5, 8, 1 \ No newline at end of file + stack.print(); //5, 8, 1*/ \ No newline at end of file From d0eacadadc999bef67af37b03a09369e23d303ec Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 6 Feb 2016 13:07:11 -0200 Subject: [PATCH 099/162] rmeoved unnecessary code from Queue ES6 code --- chapter04/01-Queue2.js | 2 -- chapter04/02-UsingQueues.js | 2 +- 2 files changed, 1 insertion(+), 3 deletions(-) diff --git a/chapter04/01-Queue2.js b/chapter04/01-Queue2.js index c35ea102..d4bc9891 100644 --- a/chapter04/01-Queue2.js +++ b/chapter04/01-Queue2.js @@ -11,13 +11,11 @@ let Queue2 = (function () { enqueue(element) { let q = items.get(this); q.push(element); - items.set(this, q) } dequeue() { let q = items.get(this); let r = q.shift(); - items.set(this, q); return r; } diff --git a/chapter04/02-UsingQueues.js b/chapter04/02-UsingQueues.js index 1b3f58ae..5411bad6 100644 --- a/chapter04/02-UsingQueues.js +++ b/chapter04/02-UsingQueues.js @@ -1,4 +1,4 @@ -let queue = new Queue(); +let queue = new Queue2(); console.log(queue.isEmpty()); //outputs true queue.enqueue("John"); queue.enqueue("Jack"); From f3fef3b67eb9d1ca305ac3762c8b16188b7e5f6d Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Fri, 12 Feb 2016 09:19:56 -0200 Subject: [PATCH 100/162] replaced var with let --- chapter06/01-Set.js | 38 +++++++++++++++++++------------------- chapter06/02-UsingSets.js | 2 +- chapter06/03-Operations.js | 24 ++++++++++++------------ 3 files changed, 32 insertions(+), 32 deletions(-) diff --git a/chapter06/01-Set.js b/chapter06/01-Set.js index fa2148b7..48cf351b 100644 --- a/chapter06/01-Set.js +++ b/chapter06/01-Set.js @@ -6,7 +6,7 @@ */ function Set() { - var items = {}; + let items = {}; this.add = function(value){ if (!this.has(value)){ @@ -48,8 +48,8 @@ function Set() { * @returns {number} */ this.sizeLegacy = function(){ - var count = 0; - for(var key in items) { + let count = 0; + for(let key in items) { if(items.hasOwnProperty(key)) ++count; } @@ -62,16 +62,16 @@ function Set() { * @returns {Array} */ this.values = function(){ - var values = []; - for (var i=0, keys=Object.keys(items); i otherSet.size()){ //{1} return false; } else { - var values = this.values(); - for (var i=0; i Date: Sat, 13 Feb 2016 11:33:36 -0200 Subject: [PATCH 101/162] updated readme - second edition --- README.md | 42 ++++++++++++++++++++++++------------------ 1 file changed, 24 insertions(+), 18 deletions(-) diff --git a/README.md b/README.md index 9712708a..0e71c1d1 100644 --- a/README.md +++ b/README.md @@ -3,26 +3,32 @@ Learning JavaScript Data Structures and Algorithms Source code of **Learning JavaScript Data Structures and Algorithms** book. -Book link: - - [Packt](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms) - - [Amazon](http://www.amazon.com/gp/product/1783554878/ref=as_li_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=1783554878&linkCode=as2&tag=loiagron-20&linkId=7VBQ7OMJ47XY7MUV) +Book link - first edition: + - [Packt](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms){:target="_blank"} + - [Amazon](http://www.amazon.com/gp/product/1783554878/ref=as_li_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=1783554878&linkCode=as2&tag=loiagron-20&linkId=7VBQ7OMJ47XY7MUV){:target="_blank"} -###List of Chapters: +### List of Chapters: -* 1: JAVASCRIPT – A QUICK OVERVIEW -* 2: ARRAYS -* 3: STACKS -* 4: QUEUES -* 5: LINKED LISTS -* 6: SETS -* 7: DICTIONARIES AND HASHES -* 8: TREES -* 9: GRAPHS -* 10: SORTING AND SEARCHING ALGORITHMS -* 11: More about Algorithms (Recursion, Dynamic Programing, Greedy Algorithms and Big-O Notation) - Extra chapter that can be donwloaded from [Packt](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms) website -* Apendix A: Big-O Cheat Sheet - Extra chapter that can be donwloaded from [Packt](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms) website - -###Found an issue or have a question? +* 01: [JavaScript: a quick overview](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter01) +* 02: [Arrays](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter02) +* 03: [Stacks](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter03) +* 04: [Queues](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter04) +* 05: [Linked Lists](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter05) +* 06: [Sets](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter06) +* 07: Dictionaries and Hashes +* 08: Trees +* 09: Graphs +* 10: Sorting and searching algorithms +* 11: Pattern of algorithms +* 12: More about algorithms +* 13: Functional programming and data structures + +### First Edition source code: + +Please refer to [this link](https://github.com/loiane/javascript-datastructures-algorithms/tree/master) + + +### Found an issue or have a question? Please create an [Issue](https://github.com/loiane/javascript-datastructures-algorithms/issues) or [Pull Request](https://github.com/loiane/javascript-datastructures-algorithms/pulls) From ddda1f9fbff8fa1bea1a5c59087523c8f46b9ade Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 13 Feb 2016 11:34:52 -0200 Subject: [PATCH 102/162] updated readme - second edition --- README.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/README.md b/README.md index 0e71c1d1..8f5df566 100644 --- a/README.md +++ b/README.md @@ -4,8 +4,8 @@ Learning JavaScript Data Structures and Algorithms Source code of **Learning JavaScript Data Structures and Algorithms** book. Book link - first edition: - - [Packt](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms){:target="_blank"} - - [Amazon](http://www.amazon.com/gp/product/1783554878/ref=as_li_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=1783554878&linkCode=as2&tag=loiagron-20&linkId=7VBQ7OMJ47XY7MUV){:target="_blank"} + - [Packt](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms) + - [Amazon](http://www.amazon.com/gp/product/1783554878/ref=as_li_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=1783554878&linkCode=as2&tag=loiagron-20&linkId=7VBQ7OMJ47XY7MUV) ### List of Chapters: From 0035140e056cdfcb444f13c0a4cfafb11ca5749b Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 13 Feb 2016 11:46:08 -0200 Subject: [PATCH 103/162] replaced var - let --- chapter06/01-Set.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/chapter06/01-Set.js b/chapter06/01-Set.js index 48cf351b..3fa90281 100644 --- a/chapter06/01-Set.js +++ b/chapter06/01-Set.js @@ -16,7 +16,7 @@ function Set() { return false; }; - this.remove = function(value){ + this.delete = function(value){ if (this.has(value)){ delete items[value]; return true; From 03cab496ab25667e53c22355a8041838ca2812e4 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 13 Feb 2016 11:46:31 -0200 Subject: [PATCH 104/162] Set class in ES6 --- chapter06/01-Set2.js | 115 +++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 115 insertions(+) create mode 100644 chapter06/01-Set2.js diff --git a/chapter06/01-Set2.js b/chapter06/01-Set2.js new file mode 100644 index 00000000..10e11b45 --- /dev/null +++ b/chapter06/01-Set2.js @@ -0,0 +1,115 @@ +let Set2 = (function () { + + const items = new WeakMap(); + + class Set2 { + + constructor () { + items.set(this, {}); + } + + add(value){ + if (!this.has(value)){ + let items_ = items.get(this); + items_[value] = value; + return true; + } + return false; + } + + delete(value){ + if (this.has(value)){ + let items_ = items.get(this); + delete items_[value]; + return true; + } + return false; + } + + has(value){ + let items_ = items.get(this); + return items_.hasOwnProperty(value); + } + + clear(){ + items.set(this, {}); + } + + size(){ + let items_ = items.get(this); + return Object.keys(items_).length; + } + + + values(){ + let values = []; + let items_ = items.get(this); + for (let i=0, keys=Object.keys(items_); i otherSet.size()){ + return false; + } else { + let values = this.values(); + for (let i=0; i Date: Sat, 13 Feb 2016 11:46:51 -0200 Subject: [PATCH 105/162] added Set ES6 class example --- chapter06/02-UsingSets.html | 5 +++-- chapter06/02-UsingSets.js | 4 ++-- 2 files changed, 5 insertions(+), 4 deletions(-) diff --git a/chapter06/02-UsingSets.html b/chapter06/02-UsingSets.html index 362b02ad..022d2177 100644 --- a/chapter06/02-UsingSets.html +++ b/chapter06/02-UsingSets.html @@ -5,7 +5,8 @@ - - + + + \ No newline at end of file diff --git a/chapter06/02-UsingSets.js b/chapter06/02-UsingSets.js index 08a4f164..e74269ac 100644 --- a/chapter06/02-UsingSets.js +++ b/chapter06/02-UsingSets.js @@ -11,8 +11,8 @@ console.log(set.has(2)); //true console.log(set.size()); //2 console.log(set.sizeLegacy()); //3 -set.remove(1); +set.delete(1); console.log(set.values()); //outputs [2] -set.remove(2); +set.delete(2); console.log(set.values()); //outputs [] \ No newline at end of file From d0aa9d55bc5e849fb29d51024ecb8d2ce1b35862 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 13 Feb 2016 11:47:00 -0200 Subject: [PATCH 106/162] examples using ES6 Set class --- chapter06/04-UsingES6Set.html | 10 +++++ chapter06/04-UsingES6Set.js | 71 +++++++++++++++++++++++++++++++++++ 2 files changed, 81 insertions(+) create mode 100644 chapter06/04-UsingES6Set.html create mode 100644 chapter06/04-UsingES6Set.js diff --git a/chapter06/04-UsingES6Set.html b/chapter06/04-UsingES6Set.html new file mode 100644 index 00000000..a08e635c --- /dev/null +++ b/chapter06/04-UsingES6Set.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter06/04-UsingES6Set.js b/chapter06/04-UsingES6Set.js new file mode 100644 index 00000000..bd965bde --- /dev/null +++ b/chapter06/04-UsingES6Set.js @@ -0,0 +1,71 @@ +let set = new Set(); + +set.add(1); +console.log(set.values()); //outputs @Iterator +console.log(set.has(1)); //outputs true +console.log(set.size); //outputs 1 + +set.add(2); +console.log(set.values()); //outputs [1, 2] +console.log(set.has(2)); //true +console.log(set.size); //2 + +set.delete(1); +console.log(set.values()); //outputs [2] + +set.delete(2); +console.log(set.values()); //outputs [] + +let setA = new Set(); +setA.add(1); +setA.add(2); +setA.add(3); + +let setB = new Set(); +setB.add(2); +setB.add(3); +setB.add(4); + +//--------- Union ---------- +let unionAb = new Set(); +for (let x of setA) unionAb.add(x); +for (let x of setB) unionAb.add(x); +console.log(unionAb); + +//--------- Intersection ---------- +let intersection = function(setA, setB){ + let intersectionSet = new Set(); + + for (let x of setA){ + if (setB.has(x)){ + intersectionSet.add(x); + } + } + + return intersectionSet; +}; +let intersectionAB = intersection(setA, setB); +console.log(intersectionAB); + +//alternative - works on FF only +//intersectionAb = new Set([x for (x of setA) if (setB.has(x))]); +//console.log(intersectionAB); + +//--------- Difference ---------- +let difference = function(setA, setB){ + let intersectionSet = new Set(); + + for (let x of setA){ + if (!setB.has(x)){ + intersectionSet.add(x); + } + } + + return intersectionSet; +}; +let differenceAB = difference(setA, setB); +console.log(differenceAB); + +//alternative - works on FF only +//differenceAB = new Set([x for (x of setA) if (!setB.has(x))]); +//console.log(differenceAB); From f2a60c67267b8f786a42d458d0f3ded6ceaae106 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Tue, 16 Feb 2016 09:50:17 -0200 Subject: [PATCH 107/162] renamed variable --- chapter06/04-UsingES6Set.js | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/chapter06/04-UsingES6Set.js b/chapter06/04-UsingES6Set.js index bd965bde..a39e4100 100644 --- a/chapter06/04-UsingES6Set.js +++ b/chapter06/04-UsingES6Set.js @@ -53,15 +53,15 @@ console.log(intersectionAB); //--------- Difference ---------- let difference = function(setA, setB){ - let intersectionSet = new Set(); + let differenceSet = new Set(); for (let x of setA){ if (!setB.has(x)){ - intersectionSet.add(x); + differenceSet.add(x); } } - return intersectionSet; + return differenceSet; }; let differenceAB = difference(setA, setB); console.log(differenceAB); From 205098a4d2631afd9ca06fac170cdb62d51a1ac1 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Wed, 17 Feb 2016 09:34:29 -0200 Subject: [PATCH 108/162] ES6 Map example --- chapter07/09-ES6Map.html | 10 ++++++++++ chapter07/09-ES6Map.js | 17 +++++++++++++++++ 2 files changed, 27 insertions(+) create mode 100644 chapter07/09-ES6Map.html create mode 100644 chapter07/09-ES6Map.js diff --git a/chapter07/09-ES6Map.html b/chapter07/09-ES6Map.html new file mode 100644 index 00000000..e755aac7 --- /dev/null +++ b/chapter07/09-ES6Map.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter07/09-ES6Map.js b/chapter07/09-ES6Map.js new file mode 100644 index 00000000..5e0c9dae --- /dev/null +++ b/chapter07/09-ES6Map.js @@ -0,0 +1,17 @@ +var map = new Map(); + +map.set('Gandalf', 'gandalf@email.com'); +map.set('John', 'johnsnow@email.com'); +map.set('Tyrion', 'tyrion@email.com'); + +console.log(map.has('Gandalf')); //outputs true +console.log(map.size); //outputs 3 + +console.log(map.keys()); //outputs ["Gandalf", "John", "Tyrion"] +console.log(map.values()); //outputs ["gandalf@email.com", "johnsnow@email.com", "tyrion@email.com"] +console.log(map.get('Tyrion')); //outputs tyrion@email.com + +map.delete('John'); + +console.log(map.keys()); //outputs ["Gandalf", "Tyrion"] +console.log(map.values()); //outputs ["gandalf@email.com", "tyrion@email.com"] \ No newline at end of file From 208df800ff58ba7309344e01bafd378daf94bec2 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Fri, 19 Feb 2016 17:09:52 -0200 Subject: [PATCH 109/162] renamed method from remove to delete --- chapter07/01-Dictionaries.js | 2 +- chapter07/02-UsingDictionaries.js | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/chapter07/01-Dictionaries.js b/chapter07/01-Dictionaries.js index ea26cd05..a22ec419 100644 --- a/chapter07/01-Dictionaries.js +++ b/chapter07/01-Dictionaries.js @@ -6,7 +6,7 @@ function Dictionary(){ items[key] = value; //{1} }; - this.remove = function(key){ + this.delete = function(key){ if (this.has(key)){ delete items[key]; return true; diff --git a/chapter07/02-UsingDictionaries.js b/chapter07/02-UsingDictionaries.js index 3fc4db6f..3ec30d4b 100644 --- a/chapter07/02-UsingDictionaries.js +++ b/chapter07/02-UsingDictionaries.js @@ -11,7 +11,7 @@ console.log(dictionary.keys()); //outputs ["Gandalf", "John", "Tyrion"] console.log(dictionary.values()); //outputs ["gandalf@email.com", "johnsnow@email.com", "tyrion@email.com"] console.log(dictionary.get('Tyrion')); //outputs tyrion@email.com -dictionary.remove('John'); +dictionary.delete(‘John'); console.log(dictionary.keys()); //outputs ["Gandalf", "Tyrion"] console.log(dictionary.values()); //outputs ["gandalf@email.com", "tyrion@email.com"] From 331095647cffa89205d90944ea44854638460401 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 20 Feb 2016 09:59:14 -0200 Subject: [PATCH 110/162] ES6 WeakMap example --- chapter07/10-ES6WeakMap.html | 10 ++++++++++ chapter07/10-ES6WeakMap.js | 18 ++++++++++++++++++ 2 files changed, 28 insertions(+) create mode 100644 chapter07/10-ES6WeakMap.html create mode 100644 chapter07/10-ES6WeakMap.js diff --git a/chapter07/10-ES6WeakMap.html b/chapter07/10-ES6WeakMap.html new file mode 100644 index 00000000..25b28e2d --- /dev/null +++ b/chapter07/10-ES6WeakMap.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter07/10-ES6WeakMap.js b/chapter07/10-ES6WeakMap.js new file mode 100644 index 00000000..8efa16b8 --- /dev/null +++ b/chapter07/10-ES6WeakMap.js @@ -0,0 +1,18 @@ +var map = new WeakMap(); + +var ob1 = {name:'Gandalf'}, + ob2 = {name:'John'}, + ob3 = {name:'Tyrion'}; + +map.set(ob1, 'gandalf@email.com'); +map.set(ob2, 'johnsnow@email.com'); +map.set(ob3, 'tyrion@email.com'); + +console.log(map.has(ob1)); //outputs true +console.log(map.has(ob2)); //outputs true +console.log(map.has(ob3)); //outputs true + +console.log(map.get(ob3)); //outputs tyrion@email.com + +map.delete(ob2); +console.log(map.has(ob2)); //outputs false From 4ffc29ae936e2b02942eed220efe21700a051a5a Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 20 Feb 2016 09:59:21 -0200 Subject: [PATCH 111/162] ES6 WeakSet example --- chapter07/11-ES6WeakSet.html | 10 ++++++++++ chapter07/11-ES6WeakSet.js | 16 ++++++++++++++++ 2 files changed, 26 insertions(+) create mode 100644 chapter07/11-ES6WeakSet.html create mode 100644 chapter07/11-ES6WeakSet.js diff --git a/chapter07/11-ES6WeakSet.html b/chapter07/11-ES6WeakSet.html new file mode 100644 index 00000000..68710e76 --- /dev/null +++ b/chapter07/11-ES6WeakSet.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter07/11-ES6WeakSet.js b/chapter07/11-ES6WeakSet.js new file mode 100644 index 00000000..e54a40de --- /dev/null +++ b/chapter07/11-ES6WeakSet.js @@ -0,0 +1,16 @@ +var set = new WeakSet(); + +var ob1 = {name:'Gandalf'}, + ob2 = {name:'John'}, + ob3 = {name:'Tyrion'}; + +set.add(ob1); +set.add(ob2); +set.add(ob3); + +console.log(set.has(ob1)); //outputs true +console.log(set.has(ob2)); //outputs true +console.log(set.has(ob3)); //outputs true + +set.delete(ob2); +console.log(set.has(ob2)); //outputs false From 75ad17e44f618a90fb1200a91f5d371030765722 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 20 Feb 2016 09:59:27 -0200 Subject: [PATCH 112/162] updated Readme --- README.md | 4 +--- 1 file changed, 1 insertion(+), 3 deletions(-) diff --git a/README.md b/README.md index 8f5df566..222adb3a 100644 --- a/README.md +++ b/README.md @@ -7,7 +7,6 @@ Book link - first edition: - [Packt](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms) - [Amazon](http://www.amazon.com/gp/product/1783554878/ref=as_li_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=1783554878&linkCode=as2&tag=loiagron-20&linkId=7VBQ7OMJ47XY7MUV) - ### List of Chapters: * 01: [JavaScript: a quick overview](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter01) @@ -16,7 +15,7 @@ Book link - first edition: * 04: [Queues](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter04) * 05: [Linked Lists](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter05) * 06: [Sets](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter06) -* 07: Dictionaries and Hashes +* 07: [Dictionaries and Hashes](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter07) * 08: Trees * 09: Graphs * 10: Sorting and searching algorithms @@ -28,7 +27,6 @@ Book link - first edition: Please refer to [this link](https://github.com/loiane/javascript-datastructures-algorithms/tree/master) - ### Found an issue or have a question? Please create an [Issue](https://github.com/loiane/javascript-datastructures-algorithms/issues) or [Pull Request](https://github.com/loiane/javascript-datastructures-algorithms/pulls) From fedf84ed9e9a0bb9dc470762af4423d302764819 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 21 Feb 2016 14:04:50 -0300 Subject: [PATCH 113/162] removed type="text/javascript" --- chapter08/02-UsingBinarySearchTree.html | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/chapter08/02-UsingBinarySearchTree.html b/chapter08/02-UsingBinarySearchTree.html index ed25a2c4..dd40cf48 100644 --- a/chapter08/02-UsingBinarySearchTree.html +++ b/chapter08/02-UsingBinarySearchTree.html @@ -5,7 +5,7 @@ - - + + \ No newline at end of file From 124f6680db4867abb2e16caa0cad543597ebcbe9 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 27 Feb 2016 15:56:38 -0300 Subject: [PATCH 114/162] AVL tree code --- chapter08/02-UsingBinarySearchTree.js | 6 +- chapter08/03-AVLTree.js | 149 ++++++++++++++++++++++++++ chapter08/04-UsingAVLTree.html | 4 +- chapter08/04-UsingAVLTree.js | 62 +++++++++++ 4 files changed, 218 insertions(+), 3 deletions(-) diff --git a/chapter08/02-UsingBinarySearchTree.js b/chapter08/02-UsingBinarySearchTree.js index 3caef17c..41f2c691 100644 --- a/chapter08/02-UsingBinarySearchTree.js +++ b/chapter08/02-UsingBinarySearchTree.js @@ -49,4 +49,8 @@ tree.remove(15); tree.inOrderTraverse(printNode); console.log('********* raw data structure ***********'); -console.log(tree.getRoot()); \ No newline at end of file +console.log(tree.getRoot()); + +console.log('********* printing HTML tree ***********'); +var parent = document.getElementsByTagName('body')[0]; +printHTMLTree(tree.getRoot(), parent, 255); \ No newline at end of file diff --git a/chapter08/03-AVLTree.js b/chapter08/03-AVLTree.js index e69de29b..2eed4f3e 100644 --- a/chapter08/03-AVLTree.js +++ b/chapter08/03-AVLTree.js @@ -0,0 +1,149 @@ +function AVLTree() { + + var Node = function(key){ + this.key = key; + this.left = null; + this.right = null; + }; + + var root = null; + + this.getRoot = function(){ + return root; + }; + + var heightNode = function(node) { + if (node === null) { + return -1; + } else { + return Math.max(heightNode(node.left), heightNode(node.right)) + 1; + } + }; + + var rotationLL = function(node) { + var tmp = node.left; + node.left = tmp.right; + tmp.right = node; + + return tmp; + }; + + var rotationRR = function(node) { + var tmp = node.right; + node.right = tmp.left; + tmp.left = node; + + return tmp; + }; + + var rotationLR = function(node) { + node.left = rotationRR(node.left); + return rotationLL(node); + }; + + var rotationRL = function(node) { + node.right = rotationLL(node.right); + return rotationRR(node); + }; + + var insertNode = function(node, element) { + + if (node === null) { + node = new Node(element); + + } else if (element < node.key) { + + node.left = insertNode(node.left, element); + + if (node.left !== null) { + + if ((heightNode(node.left) - heightNode(node.right)) > 1){ + if (element < node.left.key){ + node = rotationLL(node); + } else { + node = rotationLR(node); + } + } + } + } else if (element > node.key) { + + node.right = insertNode(node.right, element); + + if (node.right !== null) { + + if ((heightNode(node.right) - heightNode(node.left)) > 1){ + + if (element > node.right.key){ + node = rotationRR(node); + } else { + node = rotationRL(node); + } + } + } + } + + return node; + }; + + this.insert = function(element) { + root = insertNode(root, element); + }; + + var parentNode; + var nodeToBeDeleted; + + var removeNode = function(node, element) { + if (node === null) { + return null; + } + parentNode = node; + + if (element < node.key) { + node.left = removeNode(node.left, element); + } else { + nodeToBeDeleted = node; + node.right = removeNode(node.right, element); + } + + if (node === parentNode) { //remove node + if (nodeToBeDeleted !== null && element === nodeToBeDeleted.key) { + if (nodeToBeDeleted === parentNode) { + node = node.left; + } else { + var tmp = nodeToBeDeleted.key; + nodeToBeDeleted.key = parentNode.key; + parentNode.key = tmp; + node = node.right; + } + } + } else { //do balancing + + if (node.left === undefined) node.left = null; + if (node.right === undefined) node.right = null; + + if ((heightNode(node.left) - heightNode(node.right)) === 2) { + if (element < node.left.key) { + node = rotationLR(node); + } else { + node = rotationLL(node); + } + } + + if ((heightNode(node.right) - heightNode(node.left)) === 2) { + if (element > node.right.key) { + node = rotationRL(node); + } else { + node = rotationRR(node); + } + } + } + + return node; + }; + + this.remove = function(element) { + parentNode = null; + nodeToBeDeleted = null; + root = removeNode(root, element); + }; +} \ No newline at end of file diff --git a/chapter08/04-UsingAVLTree.html b/chapter08/04-UsingAVLTree.html index f7ce18b0..fda15f71 100644 --- a/chapter08/04-UsingAVLTree.html +++ b/chapter08/04-UsingAVLTree.html @@ -5,7 +5,7 @@ - - + + \ No newline at end of file diff --git a/chapter08/04-UsingAVLTree.js b/chapter08/04-UsingAVLTree.js index e69de29b..fd77d395 100644 --- a/chapter08/04-UsingAVLTree.js +++ b/chapter08/04-UsingAVLTree.js @@ -0,0 +1,62 @@ +var avlTree = new AVLTree(); + +avlTree.insert(1); +avlTree.insert(2); +avlTree.insert(3); +avlTree.insert(4); +avlTree.insert(5); +avlTree.insert(6); +avlTree.insert(7); +avlTree.insert(14); +avlTree.insert(15); +avlTree.insert(13); +avlTree.insert(12); +avlTree.insert(11); + +//RR rotation +/*avlTree.insert(50); +avlTree.insert(30); +avlTree.insert(70); +avlTree.insert(60); +avlTree.insert(80); +avlTree.insert(90);*/ + +//LL rotation +/*avlTree.insert(50); +avlTree.insert(30); +avlTree.insert(70); +avlTree.insert(10); +avlTree.insert(40); +avlTree.insert(5);*/ + +//LR rotation +/*avlTree.insert(50); +avlTree.insert(30); +avlTree.insert(70); +avlTree.insert(40); +avlTree.insert(10); +avlTree.insert(35);*/ + +//RL rotation +/*avlTree.insert(70); +avlTree.insert(50); +avlTree.insert(80); +avlTree.insert(72); +avlTree.insert(90); +avlTree.insert(75);*/ + +console.log('********* raw data structure ***********'); +console.log(avlTree.getRoot()); + +/*avlTree.remove(12); +avlTree.remove(15); +avlTree.remove(11); +avlTree.remove(14); +avlTree.remove(13); +avlTree.remove(7); +avlTree.remove(6); +avlTree.remove(2); +avlTree.remove(4); + +console.log(avlTree.getRoot());*/ + From 81bb9421c18f67188298e7b29f8a5263eff17566 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 27 Feb 2016 15:56:46 -0300 Subject: [PATCH 115/162] Red Black tree code --- chapter08/05-RedBlackTree.js | 101 ++++++++++++++++++++++++++++ chapter08/06-UsingRedBlackTree.html | 11 +++ chapter08/06-UsingRedBlackTree.js | 17 +++++ 3 files changed, 129 insertions(+) create mode 100644 chapter08/05-RedBlackTree.js create mode 100644 chapter08/06-UsingRedBlackTree.html create mode 100644 chapter08/06-UsingRedBlackTree.js diff --git a/chapter08/05-RedBlackTree.js b/chapter08/05-RedBlackTree.js new file mode 100644 index 00000000..7a985d2e --- /dev/null +++ b/chapter08/05-RedBlackTree.js @@ -0,0 +1,101 @@ +function RedBlackTree() { + + var Colors = { + RED: 0, + BLACK: 1 + }; + + var Node = function (key, color) { + this.key = key; + this.left = null; + this.right = null; + this.color = color; + + this.flipColor = function(){ + if (this.color === Colors.RED) { + this.color = Colors.BLACK; + } else { + this.color = Colors.RED; + } + }; + }; + + var root = null; + + this.getRoot = function () { + return root; + }; + + var isRed = function(node){ + if (!node){ + return false; + } + return node.color === Colors.RED; + }; + + var flipColors = function(node){ + node.left.flipColor(); + node.right.flipColor(); + }; + + var rotateLeft = function(node){ + var temp = node.right; + if (temp !== null) { + node.right = temp.left; + temp.left = node; + temp.color = node.color; + node.color = Colors.RED; + } + return temp; + }; + + var rotateRight = function (node) { + var temp = node.left; + if (temp !== null) { + node.left = temp.right; + temp.right = node; + temp.color = node.color; + node.color = Colors.RED; + } + return temp; + }; + + var insertNode = function(node, element) { + + if (node === null) { + return new Node(element, Colors.RED); + } + + var newRoot = node; + + if (element < node.key) { + + node.left = insertNode(node.left, element); + + } else if (element > node.key) { + + node.right = insertNode(node.right, element); + + } else { + node.key = element; + } + + if (isRed(node.right) && !isRed(node.left)) { + newRoot = rotateLeft(node); + } + + if (isRed(node.left) && isRed(node.left.left)) { + newRoot = rotateRight(node); + } + if (isRed(node.left) && isRed(node.right)) { + flipColors(node); + } + + return newRoot; + }; + + this.insert = function(element) { + root = insertNode(root, element); + root.color = Colors.BLACK; + }; +} diff --git a/chapter08/06-UsingRedBlackTree.html b/chapter08/06-UsingRedBlackTree.html new file mode 100644 index 00000000..f0fdfcc9 --- /dev/null +++ b/chapter08/06-UsingRedBlackTree.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter08/06-UsingRedBlackTree.js b/chapter08/06-UsingRedBlackTree.js new file mode 100644 index 00000000..31136f99 --- /dev/null +++ b/chapter08/06-UsingRedBlackTree.js @@ -0,0 +1,17 @@ +var rbTree = new RedBlackTree(); + +rbTree.insert(1); +rbTree.insert(2); +rbTree.insert(3); +rbTree.insert(4); +rbTree.insert(5); +rbTree.insert(6); +rbTree.insert(7); +rbTree.insert(14); +rbTree.insert(15); +rbTree.insert(13); +rbTree.insert(12); +rbTree.insert(11); + +console.log('********* raw data structure ***********'); +console.log(rbTree.getRoot()); \ No newline at end of file From 9b83a6c31ab8a97bbcd5793c4965c4a091f36457 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 27 Feb 2016 15:56:53 -0300 Subject: [PATCH 116/162] updated readme --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index 222adb3a..f73f9b53 100644 --- a/README.md +++ b/README.md @@ -16,7 +16,7 @@ Book link - first edition: * 05: [Linked Lists](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter05) * 06: [Sets](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter06) * 07: [Dictionaries and Hashes](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter07) -* 08: Trees +* 08: [Trees](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter08) * 09: Graphs * 10: Sorting and searching algorithms * 11: Pattern of algorithms From d12ebc24e373f246666cc9fe409e45de0adf2e1b Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 27 Feb 2016 15:57:46 -0300 Subject: [PATCH 117/162] Update 03-AVLTree.js --- chapter08/03-AVLTree.js | 149 ++++++++++++++++++++++++++++++++++++++++ 1 file changed, 149 insertions(+) diff --git a/chapter08/03-AVLTree.js b/chapter08/03-AVLTree.js index e69de29b..277a22b6 100644 --- a/chapter08/03-AVLTree.js +++ b/chapter08/03-AVLTree.js @@ -0,0 +1,149 @@ +function AVLTree() { + + var Node = function(key){ + this.key = key; + this.left = null; + this.right = null; + }; + + var root = null; + + this.getRoot = function(){ + return root; + }; + + var heightNode = function(node) { + if (node === null) { + return -1; + } else { + return Math.max(heightNode(node.left), heightNode(node.right)) + 1; + } + }; + + var rotationLL = function(node) { + var tmp = node.left; + node.left = tmp.right; + tmp.right = node; + + return tmp; + }; + + var rotationRR = function(node) { + var tmp = node.right; + node.right = tmp.left; + tmp.left = node; + + return tmp; + }; + + var rotationLR = function(node) { + node.left = rotationRR(node.left); + return rotationLL(node); + }; + + var rotationRL = function(node) { + node.right = rotationLL(node.right); + return rotationRR(node); + }; + + var insertNode = function(node, element) { + + if (node === null) { + node = new Node(element); + + } else if (element < node.key) { + + node.left = insertNode(node.left, element); + + if (node.left !== null) { + + if ((heightNode(node.left) - heightNode(node.right)) > 1){ + if (element < node.left.key){ + node = rotationLL(node); + } else { + node = rotationLR(node); + } + } + } + } else if (element > node.key) { + + node.right = insertNode(node.right, element); + + if (node.right !== null) { + + if ((heightNode(node.right) - heightNode(node.left)) > 1){ + + if (element > node.right.key){ + node = rotationRR(node); + } else { + node = rotationRL(node); + } + } + } + } + + return node; + }; + + this.insert = function(element) { + root = insertNode(root, element); + }; + + var parentNode; + var nodeToBeDeleted; + + var removeNode = function(node, element) { + if (node === null) { + return null; + } + parentNode = node; + + if (element < node.key) { + node.left = removeNode(node.left, element); + } else { + nodeToBeDeleted = node; + node.right = removeNode(node.right, element); + } + + if (node === parentNode) { //remove node + if (nodeToBeDeleted !== null && element === nodeToBeDeleted.key) { + if (nodeToBeDeleted === parentNode) { + node = node.left; + } else { + var tmp = nodeToBeDeleted.key; + nodeToBeDeleted.key = parentNode.key; + parentNode.key = tmp; + node = node.right; + } + } + } else { //do balancing + + if (node.left === undefined) node.left = null; + if (node.right === undefined) node.right = null; + + if ((heightNode(node.left) - heightNode(node.right)) === 2) { + if (element < node.left.key) { + node = rotationLR(node); + } else { + node = rotationLL(node); + } + } + + if ((heightNode(node.right) - heightNode(node.left)) === 2) { + if (element > node.right.key) { + node = rotationRL(node); + } else { + node = rotationRR(node); + } + } + } + + return node; + }; + + this.remove = function(element) { + parentNode = null; + nodeToBeDeleted = null; + root = removeNode(root, element); + }; +} From 2ac724e0b4017458738e808b772fcb49ea7e7949 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 27 Feb 2016 15:58:06 -0300 Subject: [PATCH 118/162] Update 04-UsingAVLTree.js --- chapter08/04-UsingAVLTree.js | 61 ++++++++++++++++++++++++++++++++++++ 1 file changed, 61 insertions(+) diff --git a/chapter08/04-UsingAVLTree.js b/chapter08/04-UsingAVLTree.js index e69de29b..1f70c66c 100644 --- a/chapter08/04-UsingAVLTree.js +++ b/chapter08/04-UsingAVLTree.js @@ -0,0 +1,61 @@ +var avlTree = new AVLTree(); + +avlTree.insert(1); +avlTree.insert(2); +avlTree.insert(3); +avlTree.insert(4); +avlTree.insert(5); +avlTree.insert(6); +avlTree.insert(7); +avlTree.insert(14); +avlTree.insert(15); +avlTree.insert(13); +avlTree.insert(12); +avlTree.insert(11); + +//RR rotation +/*avlTree.insert(50); +avlTree.insert(30); +avlTree.insert(70); +avlTree.insert(60); +avlTree.insert(80); +avlTree.insert(90);*/ + +//LL rotation +/*avlTree.insert(50); +avlTree.insert(30); +avlTree.insert(70); +avlTree.insert(10); +avlTree.insert(40); +avlTree.insert(5);*/ + +//LR rotation +/*avlTree.insert(50); +avlTree.insert(30); +avlTree.insert(70); +avlTree.insert(40); +avlTree.insert(10); +avlTree.insert(35);*/ + +//RL rotation +/*avlTree.insert(70); +avlTree.insert(50); +avlTree.insert(80); +avlTree.insert(72); +avlTree.insert(90); +avlTree.insert(75);*/ + +console.log('********* raw data structure ***********'); +console.log(avlTree.getRoot()); + +/*avlTree.remove(12); +avlTree.remove(15); +avlTree.remove(11); +avlTree.remove(14); +avlTree.remove(13); +avlTree.remove(7); +avlTree.remove(6); +avlTree.remove(2); +avlTree.remove(4); + +console.log(avlTree.getRoot());*/ From 4c06ab32c6ca523e1c731b3c9df4488da2aa3a7d Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 27 Feb 2016 20:44:03 -0300 Subject: [PATCH 119/162] readme --- README.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/README.md b/README.md index f73f9b53..5a55fa56 100644 --- a/README.md +++ b/README.md @@ -3,10 +3,18 @@ Learning JavaScript Data Structures and Algorithms Source code of **Learning JavaScript Data Structures and Algorithms** book. +| 1st edition | 2nd edition | +| ------------- |:-------------:| +| ![1st edition](https://d1ldz4te4covpm.cloudfront.net/sites/default/files/imagecache/ppv4_main_book_cover/4874OS_Learning%20JavaScript%20Data%20Structures%20and%20Algorithms.jpg) | ![2nd edition](https://dz13w8afd47il.cloudfront.net/sites/default/files/imagecache/ppv4_main_book_cover/B05348_MockupCover_Normal.jpg) | +|[Book link](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms)| [Book link](https://www.packtpub.com/web-development/learning-javascript-data-structures-and-algorithms-second-edition)| + Book link - first edition: - [Packt](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms) - [Amazon](http://www.amazon.com/gp/product/1783554878/ref=as_li_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=1783554878&linkCode=as2&tag=loiagron-20&linkId=7VBQ7OMJ47XY7MUV) +Book link - second edition: + - [Packt](https://www.packtpub.com/web-development/learning-javascript-data-structures-and-algorithms-second-edition) + ### List of Chapters: * 01: [JavaScript: a quick overview](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter01) From 994206e62ffe92c6a238c21e7a66f951a0a1f409 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 27 Feb 2016 20:45:04 -0300 Subject: [PATCH 120/162] readme --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index 5a55fa56..0315efe5 100644 --- a/README.md +++ b/README.md @@ -6,7 +6,7 @@ Source code of **Learning JavaScript Data Structures and Algorithms** book. | 1st edition | 2nd edition | | ------------- |:-------------:| | ![1st edition](https://d1ldz4te4covpm.cloudfront.net/sites/default/files/imagecache/ppv4_main_book_cover/4874OS_Learning%20JavaScript%20Data%20Structures%20and%20Algorithms.jpg) | ![2nd edition](https://dz13w8afd47il.cloudfront.net/sites/default/files/imagecache/ppv4_main_book_cover/B05348_MockupCover_Normal.jpg) | -|[Book link](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms)| [Book link](https://www.packtpub.com/web-development/learning-javascript-data-structures-and-algorithms-second-edition)| +| [Book link](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms)| [Book link](https://www.packtpub.com/web-development/learning-javascript-data-structures-and-algorithms-second-edition)| Book link - first edition: - [Packt](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms) From f2f455643451954d3d0ee18793a144334e8c8464 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Fri, 4 Mar 2016 18:53:48 -0300 Subject: [PATCH 121/162] readme --- README.md | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/README.md b/README.md index 0315efe5..5d46a31c 100644 --- a/README.md +++ b/README.md @@ -6,14 +6,17 @@ Source code of **Learning JavaScript Data Structures and Algorithms** book. | 1st edition | 2nd edition | | ------------- |:-------------:| | ![1st edition](https://d1ldz4te4covpm.cloudfront.net/sites/default/files/imagecache/ppv4_main_book_cover/4874OS_Learning%20JavaScript%20Data%20Structures%20and%20Algorithms.jpg) | ![2nd edition](https://dz13w8afd47il.cloudfront.net/sites/default/files/imagecache/ppv4_main_book_cover/B05348_MockupCover_Normal.jpg) | -| [Book link](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms)| [Book link](https://www.packtpub.com/web-development/learning-javascript-data-structures-and-algorithms-second-edition)| +| [Book link](http://amzn.to/1Y1OWPx)| [Book link](http://amzn.to/1TSkcA1)| Book link - first edition: - [Packt](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms) - - [Amazon](http://www.amazon.com/gp/product/1783554878/ref=as_li_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=1783554878&linkCode=as2&tag=loiagron-20&linkId=7VBQ7OMJ47XY7MUV) + - [Amazon](http://amzn.to/1Y1OWPx) + - [Chinese version](http://www.ituring.com.cn/book/1613) + - [Korean version](http://www.acornpub.co.kr/book/javascript-data-structure) Book link - second edition: - [Packt](https://www.packtpub.com/web-development/learning-javascript-data-structures-and-algorithms-second-edition) + - [Amazon](http://amzn.to/1TSkcA1) ### List of Chapters: From 433e4c0644f7e454ce278ac27f61956362da318a Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 6 Mar 2016 15:39:50 -0300 Subject: [PATCH 122/162] chapter 9 - shortest path algorithms --- chapter09/03-ShortestPath.js | 85 +++++++++++++++++++ chapter09/04-UsingShortestPathAlgorithms.html | 11 +++ chapter09/04-UsingShortestPathAlgorithms.js | 43 ++++++++++ 3 files changed, 139 insertions(+) create mode 100644 chapter09/03-ShortestPath.js create mode 100644 chapter09/04-UsingShortestPathAlgorithms.html create mode 100644 chapter09/04-UsingShortestPathAlgorithms.js diff --git a/chapter09/03-ShortestPath.js b/chapter09/03-ShortestPath.js new file mode 100644 index 00000000..0b5517db --- /dev/null +++ b/chapter09/03-ShortestPath.js @@ -0,0 +1,85 @@ +function ShortestPath(graph) { + + this.graph = graph; + + var INF = Number.MAX_SAFE_INTEGER; + + var minDistance = function(dist, visited){ + + var min = INF, + minIndex = -1; + + for (var v = 0; v < dist.length; v++){ + if (visited[v] == false && dist[v] <= min){ + min = dist[v]; + minIndex = v; + } + } + + return minIndex; + }; + + this.dijkstra = function(src){ + + var dist = [], + visited = [], + length = this.graph.length; + + // Initialize all distances as INFINITE (JavaScript max number) and visited[] as false + for (var i = 0; i < length; i++) { + dist[i] = INF; + visited[i] = false; + } + + // Distance of source vertex from itself is always 0 + dist[src] = 0; + + // Find shortest path for all vertices + for (var i = 0; i < length-1; i++){ + + // Pick the minimum distance vertex from the set of vertices + // not yet processed. u is always equal to src in first + // iteration. + var u = minDistance(dist, visited); + + // Mark the picked vertex as processed + visited[u] = true; + + // Update dist value of the adjacent vertices of the + // picked vertex. + for (var v = 0; v < length; v++){ + if (!visited[v] && this.graph[u][v]!=0 && dist[u] != INF && dist[u]+this.graph[u][v] < dist[v]){ + dist[v] = dist[u] + this.graph[u][v]; + } + } + } + + return dist; + }; + + this.floydWarshall = function(){ + + var dist = [], + length = this.graph.length, + i, j, k; + + for (i = 0; i < length; i++){ + dist[i] = []; + for (j = 0; j < length; j++){ + dist[i][j] = this.graph[i][j]; + } + } + + for (k = 0; k < length; k++){ + for (i = 0; i < length; i++){ + for (j = 0; j < length; j++){ + if (dist[i][k] + dist[k][j] < dist[i][j]){ + dist[i][j] = dist[i][k] + dist[k][j]; + } + } + } + } + + return dist; + } +} \ No newline at end of file diff --git a/chapter09/04-UsingShortestPathAlgorithms.html b/chapter09/04-UsingShortestPathAlgorithms.html new file mode 100644 index 00000000..422b9fc4 --- /dev/null +++ b/chapter09/04-UsingShortestPathAlgorithms.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter09/04-UsingShortestPathAlgorithms.js b/chapter09/04-UsingShortestPathAlgorithms.js new file mode 100644 index 00000000..6d8d424f --- /dev/null +++ b/chapter09/04-UsingShortestPathAlgorithms.js @@ -0,0 +1,43 @@ +//adjacent matrix +var graph = [[0, 2, 4, 0, 0, 0], + [0, 0, 1, 4, 2, 0], + [0, 0, 0, 0, 3, 0], + [0, 0, 0, 0, 0, 2], + [0, 0, 0, 3, 0, 2], + [0, 0, 0, 0, 0, 0]]; + +var shortestPath = new ShortestPath(graph); + +console.log("********* Dijkstra's Algorithm - Shortest Path ***********"); + +var dist = shortestPath.dijkstra(0); + +for (var i = 0; i < dist.length; i++){ + console.log(i + '\t\t' + dist[i]); +} + +console.log("********* Floyd-Warshall Algorithm - All-Pairs Shortest Path ***********"); + +var INF = Number.MAX_SAFE_INTEGER; +graph = [[0, 2, 4, INF, INF, INF], + [INF, 0, 1, 4, 2, INF], + [INF, INF, 0, INF, 3, INF], + [INF, INF, INF, 0, INF, 2], + [INF, INF, INF, 3, 0, 2], + [INF, INF, INF, INF, INF, 0]]; + +shortestPath = new ShortestPath(graph); + +dist = shortestPath.floydWarshall(); + +var s = ''; +for (var i=0; i Date: Mon, 7 Mar 2016 10:16:09 -0300 Subject: [PATCH 123/162] shortest path algorithm --- chapter09/03-ShortestPath.js | 9 --------- 1 file changed, 9 deletions(-) diff --git a/chapter09/03-ShortestPath.js b/chapter09/03-ShortestPath.js index 0b5517db..cdef7fbb 100644 --- a/chapter09/03-ShortestPath.js +++ b/chapter09/03-ShortestPath.js @@ -25,28 +25,19 @@ function ShortestPath(graph) { visited = [], length = this.graph.length; - // Initialize all distances as INFINITE (JavaScript max number) and visited[] as false for (var i = 0; i < length; i++) { dist[i] = INF; visited[i] = false; } - // Distance of source vertex from itself is always 0 dist[src] = 0; - // Find shortest path for all vertices for (var i = 0; i < length-1; i++){ - // Pick the minimum distance vertex from the set of vertices - // not yet processed. u is always equal to src in first - // iteration. var u = minDistance(dist, visited); - // Mark the picked vertex as processed visited[u] = true; - // Update dist value of the adjacent vertices of the - // picked vertex. for (var v = 0; v < length; v++){ if (!visited[v] && this.graph[u][v]!=0 && dist[u] != INF && dist[u]+this.graph[u][v] < dist[v]){ dist[v] = dist[u] + this.graph[u][v]; From b30cedb70618be090cdf6b51f471b42b4fc515be Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Mon, 7 Mar 2016 10:16:23 -0300 Subject: [PATCH 124/162] using shortest path algorithms --- chapter09/04-UsingShortestPathAlgorithms.js | 10 ++++++---- 1 file changed, 6 insertions(+), 4 deletions(-) diff --git a/chapter09/04-UsingShortestPathAlgorithms.js b/chapter09/04-UsingShortestPathAlgorithms.js index 6d8d424f..5bc5ac79 100644 --- a/chapter09/04-UsingShortestPathAlgorithms.js +++ b/chapter09/04-UsingShortestPathAlgorithms.js @@ -1,6 +1,8 @@ //adjacent matrix +var i; + var graph = [[0, 2, 4, 0, 0, 0], - [0, 0, 1, 4, 2, 0], + [0, 0, 2, 4, 2, 0], [0, 0, 0, 0, 3, 0], [0, 0, 0, 0, 0, 2], [0, 0, 0, 3, 0, 2], @@ -12,7 +14,7 @@ console.log("********* Dijkstra's Algorithm - Shortest Path ***********"); var dist = shortestPath.dijkstra(0); -for (var i = 0; i < dist.length; i++){ +for (i = 0; i < dist.length; i++){ console.log(i + '\t\t' + dist[i]); } @@ -20,7 +22,7 @@ console.log("********* Floyd-Warshall Algorithm - All-Pairs Shortest Path ****** var INF = Number.MAX_SAFE_INTEGER; graph = [[0, 2, 4, INF, INF, INF], - [INF, 0, 1, 4, 2, INF], + [INF, 0, 2, 4, 2, INF], [INF, INF, 0, INF, 3, INF], [INF, INF, INF, 0, INF, 2], [INF, INF, INF, 3, 0, 2], @@ -31,7 +33,7 @@ shortestPath = new ShortestPath(graph); dist = shortestPath.floydWarshall(); var s = ''; -for (var i=0; i Date: Mon, 7 Mar 2016 10:16:54 -0300 Subject: [PATCH 125/162] mst algorithms --- chapter09/05-MinimumSpanningTree.js | 113 +++++++++++++++++++++ chapter09/06-UsingMinimumSpanningTree.html | 11 ++ chapter09/06-UsingMinimumSpanningTree.js | 29 ++++++ 3 files changed, 153 insertions(+) create mode 100644 chapter09/05-MinimumSpanningTree.js create mode 100644 chapter09/06-UsingMinimumSpanningTree.html create mode 100644 chapter09/06-UsingMinimumSpanningTree.js diff --git a/chapter09/05-MinimumSpanningTree.js b/chapter09/05-MinimumSpanningTree.js new file mode 100644 index 00000000..d2030144 --- /dev/null +++ b/chapter09/05-MinimumSpanningTree.js @@ -0,0 +1,113 @@ +function MinimumSpanningTree(graph) { + + this.graph = graph; + + var INF = Number.MAX_SAFE_INTEGER; + + var minKey = function (key, visited) { + // Initialize min value + var min = INF, minIndex; + + for (var v = 0; v < this.graph.length; v++){ + if (visited[v] == false && key[v] < min) { + min = key[v]; + minIndex = v; + } + } + + return minIndex; + }; + + this.prim = function() { + var parent = [], + key = [], + visited = [], + length = this.graph.length, + i; + + for (i = 0; i < length; i++){ + key[i] = INF; + visited[i] = false; + } + + key[0] = 0; + parent[0] = -1; + + for (i = 0; i < length-1; i++) { + var u = minKey(key, visited); + visited[u] = true; + + for (var v = 0; v < length; v++){ + if (this.graph[u][v] && visited[v] == false && this.graph[u][v] < key[v]){ + parent[v] = u; + key[v] = this.graph[u][v]; + } + } + } + + return parent; + }; + + var find = function(i, parent){ + while(parent[i]){ + i = parent[i]; + } + return i; + }; + + var union = function(i, j, parent){ + if(i != j) { + parent[j] = i; + return true; + } + return false; + }; + + var initializeCost = function(){ + var cost = [], length = this.graph.length; + for (var i = 0; i < length; i++){ + cost[i] = []; + for (var j = 0; j < length; j++){ + if (this.graph[i][j] == 0){ + cost[i][j] = INF; + } else { + cost[i][j] = this.graph[i][j]; + } + } + } + return cost; + }; + + this.kruskal = function(){ + + var length = this.graph.length, + parent = [], cost, + ne = 0, a, b, u, v, i, j, min; + + cost = initializeCost(); + + while(ne + + + + + + + + + + \ No newline at end of file diff --git a/chapter09/06-UsingMinimumSpanningTree.js b/chapter09/06-UsingMinimumSpanningTree.js new file mode 100644 index 00000000..286f1dff --- /dev/null +++ b/chapter09/06-UsingMinimumSpanningTree.js @@ -0,0 +1,29 @@ +var i; + +var graph = [[0, 2, 4, 0, 0, 0], + [2, 0, 2, 4, 2, 0], + [4, 2, 0, 0, 3, 0], + [0, 4, 0, 0, 3, 2], + [0, 2, 3, 3, 0, 2], + [0, 0, 0, 2, 2, 0]]; + +var mst = new MinimumSpanningTree(graph); + + +console.log("********* Prim's Algorithm - Minimum Spanning Tree ***********"); + +var parent = mst.prim(); + +console.log('Edge Weight'); +for (i = 1; i < graph.length; i++){ + console.log(parent[i] + ' - ' + i + ' ' + graph[i][parent[i]]); +} + +console.log("********* Kruskal Algorithm - Minimum Spanning Tree ***********"); + +parent = mst.kruskal(); + +console.log('Edge Weight'); +for (i = 1; i < graph.length; i++){ + console.log(parent[i] + ' - ' + i + ' ' + graph[i][parent[i]]); +} \ No newline at end of file From 2aa102f70bd1fc1240d60be52be3bbfb58c2895c Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Tue, 8 Mar 2016 12:05:24 -0300 Subject: [PATCH 126/162] readme --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index 5d46a31c..48f5d487 100644 --- a/README.md +++ b/README.md @@ -28,7 +28,7 @@ Book link - second edition: * 06: [Sets](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter06) * 07: [Dictionaries and Hashes](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter07) * 08: [Trees](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter08) -* 09: Graphs +* 09: [Graphs](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter09) * 10: Sorting and searching algorithms * 11: Pattern of algorithms * 12: More about algorithms From 5af6d723ab21f6ab7b47eeeb97e9464403a89f63 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 12 Mar 2016 16:28:55 -0300 Subject: [PATCH 127/162] added bucket and counting sort --- chapter10/01-SortingSearchingAlgorithms.js | 82 +++++++++++++++++++--- 1 file changed, 73 insertions(+), 9 deletions(-) diff --git a/chapter10/01-SortingSearchingAlgorithms.js b/chapter10/01-SortingSearchingAlgorithms.js index b4081024..77a95497 100755 --- a/chapter10/01-SortingSearchingAlgorithms.js +++ b/chapter10/01-SortingSearchingAlgorithms.js @@ -6,10 +6,12 @@ function ArrayList(){ array.push(item); }; - var swap = function(index1, index2){ + var swap = function(array, index1, index2){ var aux = array[index1]; array[index1] = array[index2]; array[index2] = aux; + //ES2015 swap - Firefox only, for other browser, uncomment code above and coment line below + //[array[index1], array[index2]] = [array[index2], array[index1]]; }; this.toString= function(){ @@ -25,7 +27,7 @@ function ArrayList(){ console.log('compare ' + array[j] + ' with ' + array[j+1]); if (array[j] > array[j+1]){ console.log('swap ' + array[j] + ' with ' + array[j+1]); - swap(j, j+1); + swap(array, j, j+1); } } } @@ -84,6 +86,20 @@ function ArrayList(){ } }; + var insertionSort_ = function(array){ + var length = array.length, + j, temp; + for (var i=1; i0 && array[j-1] > temp){ + array[j] = array[j-1]; + j--; + } + array[j] = temp; + } + }; + this.mergeSort = function(){ array = mergeSortRec(array); }; @@ -156,7 +172,7 @@ function ArrayList(){ if (i <= j) { console.log('swap ' + array[i] + ' with ' + array[j]); - swapQuickStort(array, i, j); + swap(array, i, j); i++; j--; } @@ -165,12 +181,6 @@ function ArrayList(){ return i; }; - var swapQuickStort = function(array, index1, index2){ - var aux = array[index1]; - array[index1] = array[index2]; - array[index2] = aux; - }; - var quick = function(array, left, right){ var index; @@ -190,6 +200,60 @@ function ArrayList(){ return array; }; + this.countingSort = function(){ + + var i, + maxValue = this.findMaxValue(), + sortedIndex = 0, + counts = new Array(maxValue + 1); + + for (i = 0; i < array.length; i++) { + if (!counts[array[i]]) { + counts[array[i]] = 0; + } + counts[array[i]]++; + } + + console.log('Frequencies: ' + counts.join()); + + for (i = 0; i < counts.length; i++) { + while (counts[i] > 0) { + array[sortedIndex++] = i; + counts[i]--; + } + } + }; + + this.bucketSort = function(bucketSize){ + + var i, + minValue = this.findMinValue(), + maxValue = this.findMaxValue(), + BUCKET_SIZE = 10; + + bucketSize = bucketSize || BUCKET_SIZE; + var bucketCount = Math.floor((maxValue - minValue) / bucketSize) + 1; + var buckets = new Array(bucketCount); + for (i = 0; i < buckets.length; i++) { + buckets[i] = []; + } + + for (i = 0; i < array.length; i++) { + buckets[Math.floor((array[i] - minValue) / bucketSize)].push(array[i]); + } + + array = []; + for (i = 0; i < buckets.length; i++) { + insertionSort_(buckets[i]); + + console.log('bucket ' + i + ': ' + buckets[i].join()); + + for (var j = 0; j < buckets[i].length; j++) { + array.push(buckets[i][j]); + } + } + }; + this.sequentialSearch = function(item){ for (var i=0; i Date: Sun, 13 Mar 2016 10:59:41 -0300 Subject: [PATCH 128/162] added heap sort --- chapter10/01-SortingSearchingAlgorithms.js | 50 +++++++++++++++++++++- 1 file changed, 48 insertions(+), 2 deletions(-) diff --git a/chapter10/01-SortingSearchingAlgorithms.js b/chapter10/01-SortingSearchingAlgorithms.js index 77a95497..ad23c9d9 100755 --- a/chapter10/01-SortingSearchingAlgorithms.js +++ b/chapter10/01-SortingSearchingAlgorithms.js @@ -200,6 +200,47 @@ function ArrayList(){ return array; }; + this.heapSort = function(){ + var heapSize = array.length; + + buildHeap(array); + + while (heapSize > 1) { + heapSize--; + swap(array, 0, heapSize); + heapify(array, heapSize, 0); + } + }; + + var buildHeap = function(array){ + var heapSize = array.length; + for (var i = Math.floor(array.length / 2); i >= 0; i--) { + heapify(array, heapSize, i); + } + }; + + var heapify = function(array, heapSize, i){ + var left = i * 2 + 1, + right = i * 2 + 2, + largest = i; + + if (left < heapSize && array[left] > array[largest]) { + largest = left; + } + + if (right < heapSize && array[right] > array[largest]) { + largest = right; + } + + console.log('Heap Index = '+ i + ' and Heap Size = ' + heapSize); + + if (largest !== i) { + console.log('swap index ' + i + ' with ' + largest + ' (' + + array[i] + ',' + array[largest] + ')'); + swap(array, i, largest); + heapify(array, heapSize, largest); + } + }; + this.countingSort = function(){ var i, @@ -229,24 +270,29 @@ function ArrayList(){ var i, minValue = this.findMinValue(), maxValue = this.findMaxValue(), - BUCKET_SIZE = 10; + BUCKET_SIZE = 5; + + console.log('minValue ' + minValue); + console.log('maxValue ' + maxValue); bucketSize = bucketSize || BUCKET_SIZE; var bucketCount = Math.floor((maxValue - minValue) / bucketSize) + 1; var buckets = new Array(bucketCount); + console.log('bucketSize = ' + bucketCount); for (i = 0; i < buckets.length; i++) { buckets[i] = []; } for (i = 0; i < array.length; i++) { buckets[Math.floor((array[i] - minValue) / bucketSize)].push(array[i]); + console.log('pushing item ' + array[i] + ' to bucket index ' + Math.floor((array[i] - minValue) / bucketSize)); } array = []; for (i = 0; i < buckets.length; i++) { insertionSort_(buckets[i]); - console.log('bucket ' + i + ': ' + buckets[i].join()); + console.log('bucket sorted ' + i + ': ' + buckets[i].join()); for (var j = 0; j < buckets[i].length; j++) { array.push(buckets[i][j]); From c317e60ed08ad36b046b108155b06917a2b98971 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 13 Mar 2016 10:59:58 -0300 Subject: [PATCH 129/162] added bucket, count, heap sort examples --- chapter10/02-UsingSortingAlgorithms.js | 81 ++++++++++++++++---------- 1 file changed, 50 insertions(+), 31 deletions(-) diff --git a/chapter10/02-UsingSortingAlgorithms.js b/chapter10/02-UsingSortingAlgorithms.js index e09c3e33..3b38c037 100755 --- a/chapter10/02-UsingSortingAlgorithms.js +++ b/chapter10/02-UsingSortingAlgorithms.js @@ -14,77 +14,96 @@ function createRandomNonSortedArray(){ array.insert(3); array.insert(5); array.insert(1); + array.insert(6); array.insert(4); + array.insert(7); array.insert(2); return array; } -console.log('********** Bubble Sort **********'); +function printArray(array){ + console.log(array.toString()); +} -var array = createNonSortedArray(5); +function createNonSortedArrayAndPrint(size){ + var array = createNonSortedArray(size); + printArray(array); + + return array; +} + +console.log('********** Bubble Sort **********'); -console.log(array.toString()); +var array = createNonSortedArrayAndPrint(5); array.bubbleSort(); -console.log(array.toString()); +printArray(array); console.log('********** Modified Bubble Sort **********'); -array = createNonSortedArray(5); - -console.log(array.toString()); +array = createNonSortedArrayAndPrint(5); array.modifiedBubbleSort(); -console.log(array.toString()); +printArray(array); console.log('********** Selection Sort **********'); -array = createNonSortedArray(5); - -console.log(array.toString()); +array = createNonSortedArrayAndPrint(5); array.selectionSort(); -console.log(array.toString()); +printArray(array); console.log('********** Insertion Sort **********'); -array = createRandomNonSortedArray(); - -console.log(array.toString()); +array = createNonSortedArrayAndPrint(); array.insertionSort(); -console.log(array.toString()); +printArray(array); console.log('********** Merge Sort **********'); -array = createNonSortedArray(8); - -console.log(array.toString()); +array = createNonSortedArrayAndPrint(8); array.mergeSort(); -console.log(array.toString()); +printArray(array); console.log('********** Quick Sort **********'); -array = new ArrayList(); - -array.insert(3); -array.insert(5); -array.insert(1); -array.insert(6); -array.insert(4); -array.insert(7); -array.insert(2); +array = createRandomNonSortedArray(); -console.log(array.toString()); +printArray(array); array.quickSort(); -console.log(array.toString()); +printArray(array); + +console.log('********** Heap Sort **********'); +array = createRandomNonSortedArray(); + +printArray(array); + +array.heapSort(); + +printArray(array); + + +console.log('********** Counting Sort **********'); + +array = createNonSortedArrayAndPrint(8); + +array.countingSort(); + +printArray(array); + +console.log('********** Bucket Sort **********'); + +array = createNonSortedArrayAndPrint(8); +array.bucketSort(3); +printArray(array); From 05ca4cb4ec4e5e7e598214f7e28942f6d24ddd7e Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 13 Mar 2016 11:49:51 -0300 Subject: [PATCH 130/162] added radix sort --- chapter10/01-SortingSearchingAlgorithms.js | 51 ++++++++++++++++++++++ chapter10/02-UsingSortingAlgorithms.js | 17 ++++++++ 2 files changed, 68 insertions(+) diff --git a/chapter10/01-SortingSearchingAlgorithms.js b/chapter10/01-SortingSearchingAlgorithms.js index ad23c9d9..9746795e 100755 --- a/chapter10/01-SortingSearchingAlgorithms.js +++ b/chapter10/01-SortingSearchingAlgorithms.js @@ -18,6 +18,10 @@ function ArrayList(){ return array.join(); }; + this.array= function(){ + return array; + }; + this.bubbleSort = function(){ var length = array.length; @@ -300,6 +304,53 @@ function ArrayList(){ } }; + this.radixSort = function(radixBase){ + + var i, + minValue = this.findMinValue(), + maxValue = this.findMaxValue(), + radixBase = radixBase || 10; + + // Perform counting sort for each significant digit), starting at 1 + var significantDigit = 1; + while (((maxValue - minValue) / significantDigit) >= 1) { + console.log('radix sort for digit ' + significantDigit); + array = countingSortForRadix(array, radixBase, significantDigit, minValue); + console.log(array.join()); + significantDigit *= radixBase; + } + }; + + var countingSortForRadix = function(array, radixBase, significantDigit, minValue){ + var i, countsIndex, + counts = new Array(radixBase), + aux = new Array(radixBase); + + for (i = 0; i < radixBase; i++) { + counts[i] = 0; + } + + for (i = 0; i < array.length; i++) { + countsIndex = Math.floor(((array[i] - minValue) / significantDigit) % radixBase); + counts[countsIndex]++; + } + + for (i = 1; i < radixBase; i++) { + counts[i] += counts[i - 1]; + } + + for (i = array.length - 1; i >= 0; i--) { + countsIndex = Math.floor(((array[i] - minValue) / significantDigit) % radixBase); + aux[--counts[countsIndex]] = array[i]; + } + + for (i = 0; i < array.length; i++) { + array[i] = aux[i]; + } + + return array; + }; + this.sequentialSearch = function(item){ for (var i=0; i Date: Tue, 15 Mar 2016 20:16:59 -0300 Subject: [PATCH 131/162] added heap sort algorithm --- chapter10/01-SortingSearchingAlgorithms.js | 7 ++++++- chapter10/02-UsingSortingAlgorithms.js | 2 +- 2 files changed, 7 insertions(+), 2 deletions(-) diff --git a/chapter10/01-SortingSearchingAlgorithms.js b/chapter10/01-SortingSearchingAlgorithms.js index 9746795e..916e7403 100755 --- a/chapter10/01-SortingSearchingAlgorithms.js +++ b/chapter10/01-SortingSearchingAlgorithms.js @@ -211,16 +211,20 @@ function ArrayList(){ while (heapSize > 1) { heapSize--; + console.log('swap (' + + array[0] + ',' + array[heapSize] + ')'); swap(array, 0, heapSize); + console.log('heapify ' + array.join()); heapify(array, heapSize, 0); } }; var buildHeap = function(array){ + console.log('building heap'); var heapSize = array.length; for (var i = Math.floor(array.length / 2); i >= 0; i--) { heapify(array, heapSize, i); } + console.log('heap created: ' + array.join()); }; var heapify = function(array, heapSize, i){ @@ -236,11 +240,12 @@ function ArrayList(){ largest = right; } - console.log('Heap Index = '+ i + ' and Heap Size = ' + heapSize); + console.log('Heapify Index = '+ i + ' and Heap Size = ' + heapSize); if (largest !== i) { console.log('swap index ' + i + ' with ' + largest + ' (' + + array[i] + ',' + array[largest] + ')'); swap(array, i, largest); + console.log('heapify ' + array.join()); heapify(array, heapSize, largest); } }; diff --git a/chapter10/02-UsingSortingAlgorithms.js b/chapter10/02-UsingSortingAlgorithms.js index fcdf6dc3..92b63e8f 100755 --- a/chapter10/02-UsingSortingAlgorithms.js +++ b/chapter10/02-UsingSortingAlgorithms.js @@ -59,7 +59,7 @@ printArray(array); console.log('********** Insertion Sort **********'); -array = createNonSortedArrayAndPrint(); +array = createNonSortedArrayAndPrint(5); array.insertionSort(); From 9c9b0e771296ee1076b28ac885bc6d7e5ff373bf Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Tue, 15 Mar 2016 20:17:09 -0300 Subject: [PATCH 132/162] updated read --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index 48f5d487..f2762892 100644 --- a/README.md +++ b/README.md @@ -29,7 +29,7 @@ Book link - second edition: * 07: [Dictionaries and Hashes](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter07) * 08: [Trees](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter08) * 09: [Graphs](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter09) -* 10: Sorting and searching algorithms +* 10: [Sorting and searching algorithms](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter10) * 11: Pattern of algorithms * 12: More about algorithms * 13: Functional programming and data structures From e5e3d664f4795207c4aeaa6db51695e6c2c24559 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 26 Mar 2016 15:39:47 -0300 Subject: [PATCH 133/162] removed unnecessary code --- chapter11/03-MinCoinChangeDP.js | 2 -- chapter11/07-LongestCommonSubsequenceDP.html | 10 ++++++++++ chapter11/08-LongestCommonSubsequenceRecursive.html | 10 ++++++++++ chapter11/09-MatrixChainMultiplicationDP.html | 10 ++++++++++ chapter11/10-MatrixChainMultiplicationRecursive.html | 10 ++++++++++ 5 files changed, 40 insertions(+), 2 deletions(-) create mode 100644 chapter11/07-LongestCommonSubsequenceDP.html create mode 100644 chapter11/08-LongestCommonSubsequenceRecursive.html create mode 100644 chapter11/09-MatrixChainMultiplicationDP.html create mode 100644 chapter11/10-MatrixChainMultiplicationRecursive.html diff --git a/chapter11/03-MinCoinChangeDP.js b/chapter11/03-MinCoinChangeDP.js index 75d0bfd2..90a4a541 100644 --- a/chapter11/03-MinCoinChangeDP.js +++ b/chapter11/03-MinCoinChangeDP.js @@ -1,7 +1,5 @@ function MinCoinChange(coins){ - var coins = coins; - var cache = {}; this.makeChange = function(amount) { diff --git a/chapter11/07-LongestCommonSubsequenceDP.html b/chapter11/07-LongestCommonSubsequenceDP.html new file mode 100644 index 00000000..d538fea6 --- /dev/null +++ b/chapter11/07-LongestCommonSubsequenceDP.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter11/08-LongestCommonSubsequenceRecursive.html b/chapter11/08-LongestCommonSubsequenceRecursive.html new file mode 100644 index 00000000..d538fea6 --- /dev/null +++ b/chapter11/08-LongestCommonSubsequenceRecursive.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter11/09-MatrixChainMultiplicationDP.html b/chapter11/09-MatrixChainMultiplicationDP.html new file mode 100644 index 00000000..d538fea6 --- /dev/null +++ b/chapter11/09-MatrixChainMultiplicationDP.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter11/10-MatrixChainMultiplicationRecursive.html b/chapter11/10-MatrixChainMultiplicationRecursive.html new file mode 100644 index 00000000..d538fea6 --- /dev/null +++ b/chapter11/10-MatrixChainMultiplicationRecursive.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file From e7ebf9c9b8dfbd2b73189423362e70af50eff6c2 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 26 Mar 2016 15:40:07 -0300 Subject: [PATCH 134/162] removed unnecessary code --- chapter11/04-MinCoinChangeGreedy.js | 1 - 1 file changed, 1 deletion(-) diff --git a/chapter11/04-MinCoinChangeGreedy.js b/chapter11/04-MinCoinChangeGreedy.js index a935c16b..3050f7ed 100644 --- a/chapter11/04-MinCoinChangeGreedy.js +++ b/chapter11/04-MinCoinChangeGreedy.js @@ -18,7 +18,6 @@ function MinCoinChange(coins){ }; } - var minCoinChange = new MinCoinChange([1, 5, 10, 25]); console.log(minCoinChange.makeChange(36)); From 5a3807565caba9f2f9445e5feeaa40f8aa3b4ae8 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 26 Mar 2016 15:40:41 -0300 Subject: [PATCH 135/162] updated read --- README.md | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/README.md b/README.md index f2762892..8b256af7 100644 --- a/README.md +++ b/README.md @@ -30,9 +30,8 @@ Book link - second edition: * 08: [Trees](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter08) * 09: [Graphs](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter09) * 10: [Sorting and searching algorithms](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter10) -* 11: Pattern of algorithms +* 11: [Pattern of algorithms](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter11) * 12: More about algorithms -* 13: Functional programming and data structures ### First Edition source code: From 5261d58c421da24994e99e42843db987d5ae0991 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 26 Mar 2016 15:41:12 -0300 Subject: [PATCH 136/162] knapSack dp --- chapter11/05-KnapsackProblemDP.js | 53 +++++++++++++++++++++++++++++++ 1 file changed, 53 insertions(+) create mode 100644 chapter11/05-KnapsackProblemDP.js diff --git a/chapter11/05-KnapsackProblemDP.js b/chapter11/05-KnapsackProblemDP.js new file mode 100644 index 00000000..fb6adbe7 --- /dev/null +++ b/chapter11/05-KnapsackProblemDP.js @@ -0,0 +1,53 @@ +function knapSack(capacity, weights, values, n) { + + var i, w, a, b, kS = []; + + for (i = 0; i <= n; i++) { + kS[i] = []; + } + + for (i = 0; i <= n; i++){ + for (w = 0; w <= capacity; w++){ + if (i == 0 || w == 0){ + kS[i][w] = 0; + + } else if (weights[i-1] <= w){ + a = values[i-1] + kS[i-1][w-weights[i-1]]; + b = kS[i-1][w]; + kS[i][w] = (a > b) ? a : b; //max(a,b) + console.log(a + ' can be part of the solution'); + } else{ + kS[i][w] = kS[i-1][w]; + } + } + console.log(kS[i].join()); + } + + //extra algorithm to find the items that are part of the solution + findValues(n, capacity, kS, values, weights); + + return kS[n][capacity]; +} + +function findValues(n, capacity, kS, weights, values){ + var i=n, k=capacity; + + console.log('Items that are part of the solution:'); + + while (i>0 && k>0){ + if (kS[i][k] !== kS[i-1][k]){ + console.log('item '+i+' can be part of solution w,v: ' + weights[i-1] + ',' + values[i-1]); + i--; + k = k - kS[i][k]; + } else { + i--; + } + } +} + +var values = [3,4,5], + weights = [2,3,4], + capacity = 5, + n = values.length; + +console.log('Total value that can be carried: ' + knapSack(capacity, weights, values, n)); \ No newline at end of file From fd0f1d3b9fbdd36c9e12c609d8c295c82dd0c64b Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 26 Mar 2016 15:41:23 -0300 Subject: [PATCH 137/162] knapSack recursice --- ....html => 06-KnapSackProblemRecursive.html} | 2 +- chapter11/06-KnapSackProblemRecursive.js | 22 +++++++++++++++++++ 2 files changed, 23 insertions(+), 1 deletion(-) rename chapter11/{08-LongestCommonSubsequenceRecursive.html => 06-KnapSackProblemRecursive.html} (68%) create mode 100644 chapter11/06-KnapSackProblemRecursive.js diff --git a/chapter11/08-LongestCommonSubsequenceRecursive.html b/chapter11/06-KnapSackProblemRecursive.html similarity index 68% rename from chapter11/08-LongestCommonSubsequenceRecursive.html rename to chapter11/06-KnapSackProblemRecursive.html index d538fea6..cc000756 100644 --- a/chapter11/08-LongestCommonSubsequenceRecursive.html +++ b/chapter11/06-KnapSackProblemRecursive.html @@ -5,6 +5,6 @@ - + \ No newline at end of file diff --git a/chapter11/06-KnapSackProblemRecursive.js b/chapter11/06-KnapSackProblemRecursive.js new file mode 100644 index 00000000..583092e1 --- /dev/null +++ b/chapter11/06-KnapSackProblemRecursive.js @@ -0,0 +1,22 @@ +function knapSack(capacity, weights, values, n) { + + if (n == 0 || capacity == 0){ + return 0; + } + + if (weights[n-1] > capacity){ + return knapSack(capacity, weights, values, n-1); + + } else { + var a = values[n-1] + knapSack(capacity-weights[n-1], weights, values, n-1), + b = knapSack(capacity, weights, values, n-1); + return (a > b) ? a : b; + } +} + +var values = [3,4,5], + weights = [2,3,4], + capacity = 5, + n = values.length; + +console.log(knapSack(capacity, weights, values, n)); \ No newline at end of file From aef7f9294c7d019fa9ff2752f6f6154f2a514f47 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 26 Mar 2016 15:41:40 -0300 Subject: [PATCH 138/162] knapSack greedy --- ...nDP.html => 07-KnapSackProblemGreedy.html} | 2 +- chapter11/07-KnapSackProblemGreedy.js | 28 +++++++++++++++++++ 2 files changed, 29 insertions(+), 1 deletion(-) rename chapter11/{09-MatrixChainMultiplicationDP.html => 07-KnapSackProblemGreedy.html} (69%) create mode 100644 chapter11/07-KnapSackProblemGreedy.js diff --git a/chapter11/09-MatrixChainMultiplicationDP.html b/chapter11/07-KnapSackProblemGreedy.html similarity index 69% rename from chapter11/09-MatrixChainMultiplicationDP.html rename to chapter11/07-KnapSackProblemGreedy.html index d538fea6..227d7b4b 100644 --- a/chapter11/09-MatrixChainMultiplicationDP.html +++ b/chapter11/07-KnapSackProblemGreedy.html @@ -5,6 +5,6 @@ - + \ No newline at end of file diff --git a/chapter11/07-KnapSackProblemGreedy.js b/chapter11/07-KnapSackProblemGreedy.js new file mode 100644 index 00000000..4c12e1a6 --- /dev/null +++ b/chapter11/07-KnapSackProblemGreedy.js @@ -0,0 +1,28 @@ +function knapSack(capacity, values, weights) { + var n = values.length, + load = 0, + i = 0, + val = 0; + + for (i=0; i Date: Sat, 26 Mar 2016 15:41:48 -0300 Subject: [PATCH 139/162] knapSack dp --- ...ongestCommonSubsequenceDP.html => 05-KnapsackProblemDP.html} | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) rename chapter11/{07-LongestCommonSubsequenceDP.html => 05-KnapsackProblemDP.html} (70%) diff --git a/chapter11/07-LongestCommonSubsequenceDP.html b/chapter11/05-KnapsackProblemDP.html similarity index 70% rename from chapter11/07-LongestCommonSubsequenceDP.html rename to chapter11/05-KnapsackProblemDP.html index d538fea6..316f9722 100644 --- a/chapter11/07-LongestCommonSubsequenceDP.html +++ b/chapter11/05-KnapsackProblemDP.html @@ -5,6 +5,6 @@ - + \ No newline at end of file From f8527d259700bc647cb164b66a3afd07da0d8e1d Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 26 Mar 2016 15:41:59 -0300 Subject: [PATCH 140/162] lcs dp --- ...tml => 08-LongestCommonSubsequenceDP.html} | 2 +- chapter11/08-LongestCommonSubsequenceDP.js | 105 ++++++++++++++++++ 2 files changed, 106 insertions(+), 1 deletion(-) rename chapter11/{10-MatrixChainMultiplicationRecursive.html => 08-LongestCommonSubsequenceDP.html} (67%) create mode 100644 chapter11/08-LongestCommonSubsequenceDP.js diff --git a/chapter11/10-MatrixChainMultiplicationRecursive.html b/chapter11/08-LongestCommonSubsequenceDP.html similarity index 67% rename from chapter11/10-MatrixChainMultiplicationRecursive.html rename to chapter11/08-LongestCommonSubsequenceDP.html index d538fea6..dc63ccce 100644 --- a/chapter11/10-MatrixChainMultiplicationRecursive.html +++ b/chapter11/08-LongestCommonSubsequenceDP.html @@ -5,6 +5,6 @@ - + \ No newline at end of file diff --git a/chapter11/08-LongestCommonSubsequenceDP.js b/chapter11/08-LongestCommonSubsequenceDP.js new file mode 100644 index 00000000..b5eaf3f1 --- /dev/null +++ b/chapter11/08-LongestCommonSubsequenceDP.js @@ -0,0 +1,105 @@ +function lcs(wordX, wordY) { + + var m = wordX.length, + n = wordY.length, + l = [], + i, j, a, b; + + for (i = 0; i <= m; ++i) { + l[i] = []; + for (j = 0; j <= n; ++j) { + l[i][j] = 0; + } + } + + for (i=0; i<=m; i++) { + for (j=0; j<=n; j++) { + if (i == 0 || j == 0){ + l[i][j] = 0; + + } else if (wordX[i-1] == wordY[j-1]) { + l[i][j] = l[i-1][j-1] + 1; + + } else { + a = l[i-1][j]; + b = l[i][j-1]; + l[i][j] = (a > b) ? a : b; //max(a,b) + } + } + console.log(l[i].join()); + } + + return l[m][n]; +} + +//complete algorithm that prints the LCS as well + +function lcs2(wordX, wordY) { + + var m = wordX.length, + n = wordY.length, + l = [], + solution = [], + i, j, a, b; + + for (i = 0; i <= m; ++i) { + l[i] = []; + solution[i] = []; + for (j = 0; j <= n; ++j) { + l[i][j] = 0; + solution[i][j] = '0'; + } + } + + for (i=0; i<=m; i++) { + for (j=0; j<=n; j++) { + if (i == 0 || j == 0){ + l[i][j] = 0; + + } else if (wordX[i-1] == wordY[j-1]) { + l[i][j] = l[i-1][j-1] + 1; + solution[i][j] = 'diagonal'; + + } else { + a = l[i-1][j]; + b = l[i][j-1]; + l[i][j] = (a > b) ? a : b; //max(a,b) + + solution[i][j] = (l[i][j] == l[i - 1][j]) ? 'top' : 'left'; + } + } + console.log(l[i].join()); + console.log(solution[i].join()); + } + + printSolution(solution, l, wordX, wordY, m, n); + + return l[m][n]; +} + +function printSolution(solution, l, wordX, wordY, m, n){ + + var a = m, b = n, i, j, + x = solution[a][b], + answer = ''; + + while (x !== '0') { + if (solution[a][b] === 'diagonal') { + answer = wordX[a - 1] + answer; + a--; + b--; + } else if (solution[a][b] === 'left') { + b--; + } else if (solution[a][b] === 'top') { + a--; + } + x = solution[a][b]; + } + + console.log('lcs: '+ answer); +} + +var wordX = 'acbaed', + wordY = 'abcadf'; + +console.log(lcs2(wordX, wordY)); \ No newline at end of file From 39243c9ca92b79f52650bb537a4be3bdd3a5d120 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 26 Mar 2016 15:42:06 -0300 Subject: [PATCH 141/162] lcs recursive --- .../09-LongestCommonSubsequenceRecursive.html | 10 ++++++++++ .../09-LongestCommonSubsequenceRecursive.js | 19 +++++++++++++++++++ 2 files changed, 29 insertions(+) create mode 100644 chapter11/09-LongestCommonSubsequenceRecursive.html create mode 100644 chapter11/09-LongestCommonSubsequenceRecursive.js diff --git a/chapter11/09-LongestCommonSubsequenceRecursive.html b/chapter11/09-LongestCommonSubsequenceRecursive.html new file mode 100644 index 00000000..59573751 --- /dev/null +++ b/chapter11/09-LongestCommonSubsequenceRecursive.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter11/09-LongestCommonSubsequenceRecursive.js b/chapter11/09-LongestCommonSubsequenceRecursive.js new file mode 100644 index 00000000..1c96fab1 --- /dev/null +++ b/chapter11/09-LongestCommonSubsequenceRecursive.js @@ -0,0 +1,19 @@ +function lcs(wordwordX, wordwordY, m, n) { + + if (m == 0 || n == 0){ + return 0; + } + + if (wordwordX[m-1] == wordY[n-1]){ + return 1 + lcs(wordX, wordY, m-1, n-1); + } else { + var a = lcs(wordX, wordY, m, n-1), + b = lcs(wordX, wordY, m-1, n); + return (a > b) ? a : b; + } +} + +var wordX = 'acbaed', + wordY = 'abcadf'; + +console.log(lcs(wordX, wordY, wordX.length, wordY.length)); \ No newline at end of file From 49c5cc773011d0fac3a572531e9e22a361cf8b2f Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 26 Mar 2016 15:42:22 -0300 Subject: [PATCH 142/162] matrixChainOrder dp --- chapter11/10-MatrixChainMultiplicationDP.html | 10 ++++ chapter11/10-MatrixChainMultiplicationDP.js | 56 +++++++++++++++++++ 2 files changed, 66 insertions(+) create mode 100644 chapter11/10-MatrixChainMultiplicationDP.html create mode 100644 chapter11/10-MatrixChainMultiplicationDP.js diff --git a/chapter11/10-MatrixChainMultiplicationDP.html b/chapter11/10-MatrixChainMultiplicationDP.html new file mode 100644 index 00000000..2108a100 --- /dev/null +++ b/chapter11/10-MatrixChainMultiplicationDP.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter11/10-MatrixChainMultiplicationDP.js b/chapter11/10-MatrixChainMultiplicationDP.js new file mode 100644 index 00000000..e335b3cc --- /dev/null +++ b/chapter11/10-MatrixChainMultiplicationDP.js @@ -0,0 +1,56 @@ +function matrixChainOrder(p, n) { + + var i, j, k, l, q, + m = [], s=[]; + + for (i = 1; i <= n; i++){ + m[i] = []; + m[i][i] = 0; + + } + + for (i = 0; i <= n; i++){ //to help printing the optimal solution + s[i] = []; //auxiliary + for (j=0; j<=n; j++){ + s[i][j] = 0; + } + } + + for (l=2; l Date: Sat, 26 Mar 2016 15:42:27 -0300 Subject: [PATCH 143/162] matrixChainOrder recursive --- ...11-MatrixChainMultiplicationRecursive.html | 10 +++++++ .../11-MatrixChainMultiplicationRecursive.js | 26 +++++++++++++++++++ 2 files changed, 36 insertions(+) create mode 100644 chapter11/11-MatrixChainMultiplicationRecursive.html create mode 100644 chapter11/11-MatrixChainMultiplicationRecursive.js diff --git a/chapter11/11-MatrixChainMultiplicationRecursive.html b/chapter11/11-MatrixChainMultiplicationRecursive.html new file mode 100644 index 00000000..bb627d51 --- /dev/null +++ b/chapter11/11-MatrixChainMultiplicationRecursive.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter11/11-MatrixChainMultiplicationRecursive.js b/chapter11/11-MatrixChainMultiplicationRecursive.js new file mode 100644 index 00000000..0b327524 --- /dev/null +++ b/chapter11/11-MatrixChainMultiplicationRecursive.js @@ -0,0 +1,26 @@ +function matrixChainOrder(p, i, j){ + + if(i == j) { + return 0; + } + + var k, count, + min = Number.MAX_SAFE_INTEGER; + + for (k = i; k Date: Sun, 27 Mar 2016 11:14:06 -0300 Subject: [PATCH 144/162] big-o chart code --- {chapter11 => chapter12}/05-BigONotation.html | 0 {chapter11 => chapter12}/05-BigONotation.js | 0 {chapter11 => chapter12}/bigOChart/chart.js | 0 {chapter11 => chapter12}/bigOChart/index.html | 0 4 files changed, 0 insertions(+), 0 deletions(-) rename {chapter11 => chapter12}/05-BigONotation.html (100%) rename {chapter11 => chapter12}/05-BigONotation.js (100%) rename {chapter11 => chapter12}/bigOChart/chart.js (100%) rename {chapter11 => chapter12}/bigOChart/index.html (100%) diff --git a/chapter11/05-BigONotation.html b/chapter12/05-BigONotation.html similarity index 100% rename from chapter11/05-BigONotation.html rename to chapter12/05-BigONotation.html diff --git a/chapter11/05-BigONotation.js b/chapter12/05-BigONotation.js similarity index 100% rename from chapter11/05-BigONotation.js rename to chapter12/05-BigONotation.js diff --git a/chapter11/bigOChart/chart.js b/chapter12/bigOChart/chart.js similarity index 100% rename from chapter11/bigOChart/chart.js rename to chapter12/bigOChart/chart.js diff --git a/chapter11/bigOChart/index.html b/chapter12/bigOChart/index.html similarity index 100% rename from chapter11/bigOChart/index.html rename to chapter12/bigOChart/index.html From 1e2e6711551971feb7768bd5e03dba8014e144b5 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sun, 27 Mar 2016 11:14:40 -0300 Subject: [PATCH 145/162] updated readme --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index 8b256af7..643c6d36 100644 --- a/README.md +++ b/README.md @@ -31,7 +31,7 @@ Book link - second edition: * 09: [Graphs](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter09) * 10: [Sorting and searching algorithms](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter10) * 11: [Pattern of algorithms](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter11) -* 12: More about algorithms +* 12: [More about algorithms](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter12) ### First Edition source code: From b008a7264913928fa90943647089717d432a8098 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Sat, 2 Apr 2016 12:16:27 -0300 Subject: [PATCH 146/162] js functional programming examples --- chapter11/12-IntroFunctionalProgramming.html | 10 ++ chapter11/12-IntroFunctionalProgramming.js | 147 +++++++++++++++++++ 2 files changed, 157 insertions(+) create mode 100644 chapter11/12-IntroFunctionalProgramming.html create mode 100644 chapter11/12-IntroFunctionalProgramming.js diff --git a/chapter11/12-IntroFunctionalProgramming.html b/chapter11/12-IntroFunctionalProgramming.html new file mode 100644 index 00000000..422a711b --- /dev/null +++ b/chapter11/12-IntroFunctionalProgramming.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter11/12-IntroFunctionalProgramming.js b/chapter11/12-IntroFunctionalProgramming.js new file mode 100644 index 00000000..47787255 --- /dev/null +++ b/chapter11/12-IntroFunctionalProgramming.js @@ -0,0 +1,147 @@ +console.log('Using imperative JS'); + +var printArray = function(array){ + for (var i=0; i array[i]){ + minValue = array[i]; + } + } + + return minValue; +}; + +console.log(findMinArray([8,6,4,5,9])); + +console.log('Finding the min value in an array - functional ES2015'); +const min_ = function(array){ + return Math.min(...array) +}; + +//simplifying using arrow functions +const min = arr => Math.min(...arr); + +console.log(min_([8,6,4,5,9])); +console.log(min([8,6,4,5,9])); + +//concat + reduce +console.log('merge arrays - imperative'); + +var mergeArrays_ = function(arrays){ + var count = arrays.length, + newArray = [], + k =0; + for (var i=0; i [].concat(...arrays); +console.log(mergeArrays([1, 2, 3], [4, 5], [6])); + +console.log('sum values of arrays - imperative'); +var sumValues = function(array){ + var total = array[0]; + for (var i=1; i arr.reduce((a, b) => a + b); + +console.log(sum([1, 2, 3, 4, 5])); + +//map +var daysOfWeek = [ + {name: 'Monday', value: 1}, + {name: 'Tuesday', value: 2}, + {name: 'Wednesday', value: 7} +]; + +var daysOfWeekValues_ = []; +for (var i = 0; i < daysOfWeek.length; i++) { + daysOfWeekValues_.push(daysOfWeek[i].value); +} + +//to +var daysOfWeekValues = daysOfWeek.map(function(day) { + return day.value; +}); +console.log(daysOfWeekValues); + + +//filter +var positiveNumbers_ = function(array){ + var positive = []; + for (var i = 0; i < array.length; i++) { + if (array[i] >= 0){ + positive.push(array[i]); + } + } + return positive; +} +console.log(positiveNumbers_([-1,1,2,-2])); + +var positiveNumbers = function(array){ + return array.filter(function(num){ + return num >= 0; + }) +}; +console.log(positiveNumbers([-1,1,2,-2])); \ No newline at end of file From 798050597c4e45b614bea3b9890403f0d957235c Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Mon, 18 Apr 2016 20:47:47 -0300 Subject: [PATCH 147/162] fixed chapter name --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index 643c6d36..4e9eca37 100644 --- a/README.md +++ b/README.md @@ -31,7 +31,7 @@ Book link - second edition: * 09: [Graphs](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter09) * 10: [Sorting and searching algorithms](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter10) * 11: [Pattern of algorithms](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter11) -* 12: [More about algorithms](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter12) +* 12: [Algorithm Complexity](https://github.com/loiane/javascript-datastructures-algorithms/tree/second-edition/chapter12) ### First Edition source code: From 5d9f8c68dca6c43f4c6a25fc769c7e6af15c4511 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Wed, 1 Jun 2016 00:02:58 -0300 Subject: [PATCH 148/162] reviewed code bundle --- chapter04/03-PriorityQueue.js | 2 -- 1 file changed, 2 deletions(-) diff --git a/chapter04/03-PriorityQueue.js b/chapter04/03-PriorityQueue.js index f9071ddc..3b029e4d 100644 --- a/chapter04/03-PriorityQueue.js +++ b/chapter04/03-PriorityQueue.js @@ -50,7 +50,5 @@ let priorityQueue = new PriorityQueue(); priorityQueue.enqueue("John", 2); priorityQueue.enqueue("Jack", 1); priorityQueue.enqueue("Camila", 1); -priorityQueue.enqueue("Maxwell", 2); -priorityQueue.enqueue("Ana", 3); priorityQueue.print(); From b6f84d04665e6f98aed8f1089f3ee6e784aed9b1 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Fri, 10 Jun 2016 15:39:43 -0300 Subject: [PATCH 149/162] Update 14-ES6ParameterHandling.js --- chapter01/14-ES6ParameterHandling.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/chapter01/14-ES6ParameterHandling.js b/chapter01/14-ES6ParameterHandling.js index 706c2059..4645f2a7 100644 --- a/chapter01/14-ES6ParameterHandling.js +++ b/chapter01/14-ES6ParameterHandling.js @@ -30,8 +30,8 @@ function restParamaterFunction (x, y, ...a) { console.log(restParamaterFunction(1, 2, "hello", true, 7)); // outputs 9; //code above is the same as ES5: -function restParamaterFunction (x, y) { +function restParamaterFunction2 (x, y) { var a = Array.prototype.slice.call(arguments, 2); return (x + y) * a.length; }; -console.log(restParamaterFunction2(1, 2, "hello", true, 7)); \ No newline at end of file +console.log(restParamaterFunction2(1, 2, "hello", true, 7)); From 2cb57e826889e02d2bd6578255997fa3e75dd8e1 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Fri, 10 Jun 2016 15:46:08 -0300 Subject: [PATCH 150/162] Update 02-UsingDictionaries.js --- chapter07/02-UsingDictionaries.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/chapter07/02-UsingDictionaries.js b/chapter07/02-UsingDictionaries.js index 3ec30d4b..dc0bf258 100644 --- a/chapter07/02-UsingDictionaries.js +++ b/chapter07/02-UsingDictionaries.js @@ -11,9 +11,9 @@ console.log(dictionary.keys()); //outputs ["Gandalf", "John", "Tyrion"] console.log(dictionary.values()); //outputs ["gandalf@email.com", "johnsnow@email.com", "tyrion@email.com"] console.log(dictionary.get('Tyrion')); //outputs tyrion@email.com -dictionary.delete(‘John'); +dictionary.delete('John'); console.log(dictionary.keys()); //outputs ["Gandalf", "Tyrion"] console.log(dictionary.values()); //outputs ["gandalf@email.com", "tyrion@email.com"] -console.log(dictionary.getItems()); //Object {Gandalf: "gandalf@email.com", Tyrion: "tyrion@email.com"} \ No newline at end of file +console.log(dictionary.getItems()); //Object {Gandalf: "gandalf@email.com", Tyrion: "tyrion@email.com"} From d0ebbf9b87573ceb29240e177c7f69448aacc5b8 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Thu, 25 Aug 2016 09:18:00 -0300 Subject: [PATCH 151/162] removed print tree function (did not exist) --- chapter08/02-UsingBinarySearchTree.js | 4 ---- 1 file changed, 4 deletions(-) diff --git a/chapter08/02-UsingBinarySearchTree.js b/chapter08/02-UsingBinarySearchTree.js index 41f2c691..eb139837 100644 --- a/chapter08/02-UsingBinarySearchTree.js +++ b/chapter08/02-UsingBinarySearchTree.js @@ -50,7 +50,3 @@ tree.inOrderTraverse(printNode); console.log('********* raw data structure ***********'); console.log(tree.getRoot()); - -console.log('********* printing HTML tree ***********'); -var parent = document.getElementsByTagName('body')[0]; -printHTMLTree(tree.getRoot(), parent, 255); \ No newline at end of file From 78685366d9fa14d5e1d8c84e359f1336782a1330 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Thu, 1 Sep 2016 14:10:05 -0300 Subject: [PATCH 152/162] closes #13 --- chapter07/07-HashCollisionLinearProbing.js | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/chapter07/07-HashCollisionLinearProbing.js b/chapter07/07-HashCollisionLinearProbing.js index 74fdbac5..38b07c0f 100644 --- a/chapter07/07-HashCollisionLinearProbing.js +++ b/chapter07/07-HashCollisionLinearProbing.js @@ -46,10 +46,10 @@ function HashLinearProbing(){ return table[position].value; } else { var index = ++position; - while (table[index] === undefined || table[index].key !== key){ + while (table[index] !== undefined && (table[index] && table[index].key !== key)){ index++; } - if (table[index].key === key) { + if (table[index] && table[index].key === key) { return table[index].value; } } @@ -82,4 +82,4 @@ function HashLinearProbing(){ } } }; -} \ No newline at end of file +} From 2a89e21fc883821c6da1068c8d6f4b659f9f7fb3 Mon Sep 17 00:00:00 2001 From: Victor Wang <2501211450@qq.com> Date: Sun, 11 Sep 2016 16:19:51 +0800 Subject: [PATCH 153/162] Update 05-CircularLinkedList2.js fix some errors --- chapter05/05-CircularLinkedList2.js | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/chapter05/05-CircularLinkedList2.js b/chapter05/05-CircularLinkedList2.js index 13f36665..5aab62d0 100644 --- a/chapter05/05-CircularLinkedList2.js +++ b/chapter05/05-CircularLinkedList2.js @@ -133,8 +133,8 @@ let CircularLinkedList2 = (function () { remove(element) { - let index = indexOf(element); - return removeAt(index); + let index = this.indexOf(element); + return this.removeAt(index); } indexOf(element) { @@ -198,4 +198,4 @@ let CircularLinkedList2 = (function () { } } return CircularLinkedList2; -})(); \ No newline at end of file +})(); From 94b2c6826736363a03443aa905ae051dda030169 Mon Sep 17 00:00:00 2001 From: beizhedenglong <2501211450@qq.com> Date: Sun, 11 Sep 2016 23:26:57 +0800 Subject: [PATCH 154/162] fix bug in CircularLinkedList There is a bug in insert function. If you insert an element in an empty list at the first position. It will throw a TypeError: Cannot read property 'next' of null. --- chapter05/05-CircularLinkedList.js | 27 +++++++++++++++++---------- chapter05/05-CircularLinkedList2.js | 21 ++++++++++++--------- 2 files changed, 29 insertions(+), 19 deletions(-) diff --git a/chapter05/05-CircularLinkedList.js b/chapter05/05-CircularLinkedList.js index 5f05e85f..c3151148 100644 --- a/chapter05/05-CircularLinkedList.js +++ b/chapter05/05-CircularLinkedList.js @@ -46,16 +46,22 @@ function CircularLinkedList() { index = 0; if (position === 0){ //add on first position - - node.next = current; - - //update last element - while(current.next !== head){ //last element will be head instead of NULL - current = current.next; + + if(!head){ // if no node in list + head = node; + node.next = head; + }else{ + node.next = current; + + //update last element + while(current.next !== head){ //last element will be head instead of NULL + current = current.next; + } + + head = node; + current.next = head; } - - head = node; - current.next = head; + } else { while (index++ < position){ @@ -180,4 +186,5 @@ function CircularLinkedList() { this.print = function(){ console.log(this.toString()); }; -} \ No newline at end of file +} + diff --git a/chapter05/05-CircularLinkedList2.js b/chapter05/05-CircularLinkedList2.js index 5aab62d0..6f7574ef 100644 --- a/chapter05/05-CircularLinkedList2.js +++ b/chapter05/05-CircularLinkedList2.js @@ -58,15 +58,18 @@ let CircularLinkedList2 = (function () { if (position === 0) { //add on first position - node.next = current; - - //update last element - while (current.next !== this.getHead()) { //last element will be head instead of NULL - current = current.next; - } - - head.set(this, node); - current.next = this.getHead(); + if(!this.getHead()) { // if no node in list + head.set(this, node); + node.next = this.getHead(); + } else { + node.next = current; + //update last element + while(current.next !== this.getHead()) { //last element will be head instead of NULL + current = current.next; + } + head.set(this, node); + current.next = this.getHead(); + } } else { while (index++ < position) { From c2eb4acefba97503766ac59158d299c22a56c5f8 Mon Sep 17 00:00:00 2001 From: TerryX Date: Wed, 2 Nov 2016 23:21:11 +0800 Subject: [PATCH 155/162] Fix aValues being undefined --- chapter02/06-ES6Methods.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/chapter02/06-ES6Methods.js b/chapter02/06-ES6Methods.js index 60468aa4..bf4eb36a 100644 --- a/chapter02/06-ES6Methods.js +++ b/chapter02/06-ES6Methods.js @@ -40,7 +40,7 @@ console.log(aKeys.next()); // {value: 1, done: false } console.log(aKeys.next()); // {value: 2, done: false } console.log('Array.values'); -//let aValues = numbers.values(); +let aValues = numbers.values(); console.log(aValues.next()); // {value: 1, done: false } done false means iterator has more values console.log(aValues.next()); // {value: 2, done: false } console.log(aValues.next()); // {value: 3, done: false } From a5fc23e474e68f9edbf003271264e447d65310ac Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Mon, 17 Apr 2017 14:26:05 -0300 Subject: [PATCH 156/162] Update README.md --- README.md | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/README.md b/README.md index 4e9eca37..64771d99 100644 --- a/README.md +++ b/README.md @@ -5,7 +5,7 @@ Source code of **Learning JavaScript Data Structures and Algorithms** book. | 1st edition | 2nd edition | | ------------- |:-------------:| -| ![1st edition](https://d1ldz4te4covpm.cloudfront.net/sites/default/files/imagecache/ppv4_main_book_cover/4874OS_Learning%20JavaScript%20Data%20Structures%20and%20Algorithms.jpg) | ![2nd edition](https://dz13w8afd47il.cloudfront.net/sites/default/files/imagecache/ppv4_main_book_cover/B05348_MockupCover_Normal.jpg) | +| ![1st edition](https://d1ldz4te4covpm.cloudfront.net/sites/default/files/imagecache/ppv4_main_book_cover/4874OS_Learning%20JavaScript%20Data%20Structures%20and%20Algorithms.jpg) | ![2nd edition](https://d255esdrn735hr.cloudfront.net/sites/default/files/imagecache/ppv4_main_book_cover/5493OS_5348_Learning%20JavaScript%20Data%20Structures%20and%20Algorithms,%20Second%20Edition.jpg) | | [Book link](http://amzn.to/1Y1OWPx)| [Book link](http://amzn.to/1TSkcA1)| Book link - first edition: @@ -17,6 +17,7 @@ Book link - first edition: Book link - second edition: - [Packt](https://www.packtpub.com/web-development/learning-javascript-data-structures-and-algorithms-second-edition) - [Amazon](http://amzn.to/1TSkcA1) + - [Brazilian Portuguese version](https://novatec.com.br/livros/estruturas-de-dados-algoritmos-em-javascript/) ### List of Chapters: From c44e74918af79cb45532cc7423bdcb3a853f27fd Mon Sep 17 00:00:00 2001 From: loiane Date: Mon, 21 Aug 2017 09:57:03 -0300 Subject: [PATCH 157/162] fixes #23 --- chapter07/07-HashCollisionLinearProbing.js | 9 +++++++++ chapter07/08-UsingHashCollisionLinearProbing.js | 8 ++++++++ 2 files changed, 17 insertions(+) diff --git a/chapter07/07-HashCollisionLinearProbing.js b/chapter07/07-HashCollisionLinearProbing.js index 38b07c0f..4b1172be 100644 --- a/chapter07/07-HashCollisionLinearProbing.js +++ b/chapter07/07-HashCollisionLinearProbing.js @@ -53,6 +53,15 @@ function HashLinearProbing(){ return table[index].value; } } + } else { //search for possible deleted value + var index = ++position; + while (table[index] == undefined || index == table.length || + (table[index] !== undefined && table[index] && table[index].key !== key)){ + index++; + } + if (table[index] && table[index].key === key) { + return table[index].value; + } } return undefined; }; diff --git a/chapter07/08-UsingHashCollisionLinearProbing.js b/chapter07/08-UsingHashCollisionLinearProbing.js index 902384ee..36a33e61 100644 --- a/chapter07/08-UsingHashCollisionLinearProbing.js +++ b/chapter07/08-UsingHashCollisionLinearProbing.js @@ -26,4 +26,12 @@ console.log('**** Remove **** '); hashLinearProbing.remove('Gandalf'); console.log(hashLinearProbing.get('Gandalf')); +hashLinearProbing.print(); + +console.log('**** Remove Test 2 **** '); +console.log('Removing Jonathan', hashLinearProbing.remove('Jonathan')); +console.log('**** Print **** '); +hashLinearProbing.print(); +console.log('Get Jamie', hashLinearProbing.get('Jamie')); +console.log('**** Print **** '); hashLinearProbing.print(); \ No newline at end of file From 9945233c4fd172a28a26aa8d1a8b555cd19991af Mon Sep 17 00:00:00 2001 From: loiane Date: Thu, 7 Sep 2017 09:16:04 -0300 Subject: [PATCH 158/162] gitignore --- .gitignore | 4 +- npm-debug.log | 180 -------------------------------------------------- 2 files changed, 3 insertions(+), 181 deletions(-) delete mode 100644 npm-debug.log diff --git a/.gitignore b/.gitignore index 6fee6d3a..2458e8b0 100644 --- a/.gitignore +++ b/.gitignore @@ -1,2 +1,4 @@ .idea/* -*.log \ No newline at end of file +*.log +node_modules +coverage diff --git a/npm-debug.log b/npm-debug.log deleted file mode 100644 index 324f5d2d..00000000 --- a/npm-debug.log +++ /dev/null @@ -1,180 +0,0 @@ -0 info it worked if it ends with ok -1 verbose cli [ 'node', '/usr/local/bin/npm', 'install', 'http-server', '-g' ] -2 info using npm@1.4.23 -3 info using node@v0.10.31 -4 verbose cache add [ 'http-server', null ] -5 verbose cache add name=undefined spec="http-server" args=["http-server",null] -6 verbose parsed url { protocol: null, -6 verbose parsed url slashes: null, -6 verbose parsed url auth: null, -6 verbose parsed url host: null, -6 verbose parsed url port: null, -6 verbose parsed url hostname: null, -6 verbose parsed url hash: null, -6 verbose parsed url search: null, -6 verbose parsed url query: null, -6 verbose parsed url pathname: 'http-server', -6 verbose parsed url path: 'http-server', -6 verbose parsed url href: 'http-server' } -7 silly lockFile ed608307-http-server http-server -8 verbose lock http-server /Users/loiane/.npm/ed608307-http-server.lock -9 silly lockFile ed608307-http-server http-server -10 silly lockFile ed608307-http-server http-server -11 verbose addNamed [ 'http-server', '' ] -12 verbose addNamed [ null, '*' ] -13 silly lockFile 550353c6-http-server http-server@ -14 verbose lock http-server@ /Users/loiane/.npm/550353c6-http-server.lock -15 silly addNameRange { name: 'http-server', range: '*', hasData: false } -16 verbose request where is /http-server -17 verbose request registry https://registry.npmjs.org/ -18 verbose request id 5de596c601e747df -19 verbose url raw /http-server -20 verbose url resolving [ 'https://registry.npmjs.org/', './http-server' ] -21 verbose url resolved https://registry.npmjs.org/http-server -22 verbose request where is https://registry.npmjs.org/http-server -23 info trying registry request attempt 1 at 16:26:40 -24 http GET https://registry.npmjs.org/http-server -25 http 200 https://registry.npmjs.org/http-server -26 silly registry.get cb [ 200, -26 silly registry.get { date: 'Mon, 01 Sep 2014 19:26:41 GMT', -26 silly registry.get server: 'CouchDB/1.5.0 (Erlang OTP/R16B03)', -26 silly registry.get etag: '"GRUZZAK9N6WU29IC3EFS78GW"', -26 silly registry.get 'content-type': 'application/json', -26 silly registry.get 'cache-control': 'max-age=60', -26 silly registry.get 'content-length': '42618', -26 silly registry.get 'accept-ranges': 'bytes', -26 silly registry.get via: '1.1 varnish', -26 silly registry.get age: '942', -26 silly registry.get 'x-served-by': 'cache-iad2134-IAD', -26 silly registry.get 'x-cache': 'HIT', -26 silly registry.get 'x-cache-hits': '1', -26 silly registry.get 'x-timer': 'S1409599601.088721,VS0,VE16', -26 silly registry.get vary: 'Accept', -26 silly registry.get 'keep-alive': 'timeout=10, max=50', -26 silly registry.get connection: 'Keep-Alive' } ] -27 silly addNameRange number 2 { name: 'http-server', range: '*', hasData: true } -28 silly addNameRange versions [ 'http-server', -28 silly addNameRange [ '0.1.0', -28 silly addNameRange '0.1.1', -28 silly addNameRange '0.1.3', -28 silly addNameRange '0.2.1', -28 silly addNameRange '0.2.2', -28 silly addNameRange '0.2.3', -28 silly addNameRange '0.2.4', -28 silly addNameRange '0.2.5', -28 silly addNameRange '0.2.6', -28 silly addNameRange '0.2.9', -28 silly addNameRange '0.3.0', -28 silly addNameRange '0.4.0', -28 silly addNameRange '0.4.1', -28 silly addNameRange '0.5.0', -28 silly addNameRange '0.5.1', -28 silly addNameRange '0.5.2', -28 silly addNameRange '0.5.3', -28 silly addNameRange '0.5.5', -28 silly addNameRange '0.6.0', -28 silly addNameRange '0.6.1' ] ] -29 verbose addNamed [ 'http-server', '0.6.1' ] -30 verbose addNamed [ '0.6.1', '0.6.1' ] -31 silly lockFile 1e2b2518-http-server-0-6-1 http-server@0.6.1 -32 verbose lock http-server@0.6.1 /Users/loiane/.npm/1e2b2518-http-server-0-6-1.lock -33 silly lockFile c3f4b4b6-ttp-server-http-server-0-6-1-tgz https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz -34 verbose lock https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz /Users/loiane/.npm/c3f4b4b6-ttp-server-http-server-0-6-1-tgz.lock -35 verbose addRemoteTarball [ 'https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz', -35 verbose addRemoteTarball '06fce65cf2bd4132a578bdac62ffacb97d613981' ] -36 info retry fetch attempt 1 at 16:26:42 -37 verbose fetch to= /var/folders/p6/h5zxx5c5153gfhgsvg1_s6n80000gn/T/npm-4783-wjg257Iq/registry.npmjs.org/http-server/-/http-server-0.6.1.tgz -38 http GET https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz -39 http 200 https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz -40 silly lockFile c3f4b4b6-ttp-server-http-server-0-6-1-tgz https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz -41 silly lockFile c3f4b4b6-ttp-server-http-server-0-6-1-tgz https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz -42 silly lockFile 1e2b2518-http-server-0-6-1 http-server@0.6.1 -43 silly lockFile 1e2b2518-http-server-0-6-1 http-server@0.6.1 -44 silly lockFile 550353c6-http-server http-server@ -45 silly lockFile 550353c6-http-server http-server@ -46 silly resolved [ { name: 'http-server', -46 silly resolved version: '0.6.1', -46 silly resolved author: { name: 'Nodejitsu', email: 'support@nodejitsu.com' }, -46 silly resolved description: 'a simple zero-configuration command-line http server', -46 silly resolved main: './lib/http-server', -46 silly resolved repository: -46 silly resolved { type: 'git', -46 silly resolved url: 'git://github.com/nodeapps/http-server.git' }, -46 silly resolved keywords: [ 'cli', 'command' ], -46 silly resolved scripts: -46 silly resolved { start: 'node ./bin/http-server', -46 silly resolved test: 'vows --spec --isolate' }, -46 silly resolved contributors: -46 silly resolved [ [Object], -46 silly resolved [Object], -46 silly resolved [Object], -46 silly resolved [Object], -46 silly resolved [Object], -46 silly resolved [Object], -46 silly resolved [Object], -46 silly resolved [Object] ], -46 silly resolved dependencies: -46 silly resolved { colors: '0.6.x', -46 silly resolved optimist: '0.5.x', -46 silly resolved union: '0.3.x', -46 silly resolved ecstatic: '0.4.x', -46 silly resolved portfinder: '0.2.x', -46 silly resolved opener: '~1.3.0' }, -46 silly resolved devDependencies: { vows: '0.7.x', request: '2.21.x' }, -46 silly resolved bugs: { url: 'https://github.com/nodeapps/http-server/issues' }, -46 silly resolved licenses: [ [Object] ], -46 silly resolved analyze: false, -46 silly resolved preferGlobal: 'true', -46 silly resolved bin: { 'http-server': './bin/http-server' }, -46 silly resolved readme: '# http-server: a command-line http server\n\n`http-server` is a simple, zero-configuration command-line http server. It is powerful enough for production usage, but it\'s simple and hackable enough to be used for testing, local development, and learning.\n\n![](https://github.com/nodeapps/http-server/raw/master/screenshots/public.png)\n\n# Installing globally:\n\nInstallation via `npm`. If you don\'t have `npm` yet:\n\n curl https://npmjs.org/install.sh | sh\n \nOnce you have `npm`:\n\n npm install http-server -g\n \nThis will install `http-server` globally so that it may be run from the command line.\n\n## Usage:\n\n http-server [path] [options]\n\n`[path]` defaults to `./public` if the folder exists, and `./` otherwise.\n\n# Installing as a node app\n\n mkdir myapp\n cd myapp/\n jitsu install http-server\n\n*If you do not have `jitsu` installed you can install it via `npm install jitsu -g`*\n\n## Usage\n\n### Starting http-server locally\n\n node bin/http-server\n\n*Now you can visit http://localhost:8080 to view your server*\n\n### Deploy http-server to nodejitsu\n\n jitsu deploy\n\n*You will now be prompted for a `subdomain` to deploy your application on*\n\n## Available Options:\n\n`-p` Port to listen for connections on (defaults to 8080)\n\n`-a` Address to bind to (defaults to \'0.0.0.0\')\n\n`-d` Show directory listings (defaults to \'True\')\n\n`-i` Display autoIndex (defaults to \'True\')\n\n`-e` or `--ext` Default file extension (defaults to \'html\')\n\n`-s` or `--silent` In silent mode, log messages aren\'t logged to the console.\n\n`-h` or `--help` Displays a list of commands and exits.\n\n`-c` Set cache time (in seconds) for cache-control max-age header, e.g. -c10 for 10 seconds. To disable caching, use -c-1.\n', -46 silly resolved readmeFilename: 'README.md', -46 silly resolved homepage: 'https://github.com/nodeapps/http-server', -46 silly resolved _id: 'http-server@0.6.1', -46 silly resolved dist: -46 silly resolved { shasum: '06fce65cf2bd4132a578bdac62ffacb97d613981', -46 silly resolved tarball: 'http://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz' }, -46 silly resolved _from: 'http-server@', -46 silly resolved _npmVersion: '1.3.14', -46 silly resolved _npmUser: { name: 'indexzero', email: 'charlie.robbins@gmail.com' }, -46 silly resolved maintainers: [ [Object], [Object], [Object] ], -46 silly resolved directories: {}, -46 silly resolved _shasum: '06fce65cf2bd4132a578bdac62ffacb97d613981', -46 silly resolved _resolved: 'https://registry.npmjs.org/http-server/-/http-server-0.6.1.tgz' } ] -47 info install http-server@0.6.1 into /usr/local/lib -48 info installOne http-server@0.6.1 -49 verbose lib/node_modules/http-server unbuild -50 verbose tar unpack /Users/loiane/.npm/http-server/0.6.1/package.tgz -51 silly lockFile c2cc12bc-cal-lib-node-modules-http-server tar:///usr/local/lib/node_modules/http-server -52 verbose lock tar:///usr/local/lib/node_modules/http-server /Users/loiane/.npm/c2cc12bc-cal-lib-node-modules-http-server.lock -53 silly lockFile 57f8618f-pm-http-server-0-6-1-package-tgz tar:///Users/loiane/.npm/http-server/0.6.1/package.tgz -54 verbose lock tar:///Users/loiane/.npm/http-server/0.6.1/package.tgz /Users/loiane/.npm/57f8618f-pm-http-server-0-6-1-package-tgz.lock -55 silly gunzTarPerm modes [ '755', '644' ] -56 error Error: EACCES, mkdir '/usr/local/lib/node_modules/http-server' -56 error { [Error: EACCES, mkdir '/usr/local/lib/node_modules/http-server'] -56 error errno: 3, -56 error code: 'EACCES', -56 error path: '/usr/local/lib/node_modules/http-server', -56 error fstream_type: 'Directory', -56 error fstream_path: '/usr/local/lib/node_modules/http-server', -56 error fstream_class: 'DirWriter', -56 error fstream_stack: -56 error [ '/usr/local/lib/node_modules/npm/node_modules/fstream/lib/dir-writer.js:36:23', -56 error '/usr/local/lib/node_modules/npm/node_modules/mkdirp/index.js:46:53', -56 error 'Object.oncomplete (fs.js:107:15)' ] } -57 error Please try running this command again as root/Administrator. -58 error System Darwin 13.3.0 -59 error command "node" "/usr/local/bin/npm" "install" "http-server" "-g" -60 error cwd /Applications/XAMPP/xamppfiles/htdocs/javascript-datastructures-algorithms -61 error node -v v0.10.31 -62 error npm -v 1.4.23 -63 error path /usr/local/lib/node_modules/http-server -64 error fstream_path /usr/local/lib/node_modules/http-server -65 error fstream_type Directory -66 error fstream_class DirWriter -67 error code EACCES -68 error errno 3 -69 error stack Error: EACCES, mkdir '/usr/local/lib/node_modules/http-server' -70 error fstream_stack /usr/local/lib/node_modules/npm/node_modules/fstream/lib/dir-writer.js:36:23 -70 error fstream_stack /usr/local/lib/node_modules/npm/node_modules/mkdirp/index.js:46:53 -70 error fstream_stack Object.oncomplete (fs.js:107:15) -71 verbose exit [ 3, true ] From 10b24fd4a3ec01aa8db5a5bffb29e55559647dae Mon Sep 17 00:00:00 2001 From: loiane Date: Thu, 7 Sep 2017 09:18:28 -0300 Subject: [PATCH 159/162] gitignore --- .gitignore | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/.gitignore b/.gitignore index 6fee6d3a..2458e8b0 100644 --- a/.gitignore +++ b/.gitignore @@ -1,2 +1,4 @@ .idea/* -*.log \ No newline at end of file +*.log +node_modules +coverage From 51eec82d466aa234f0feab8b5638603599b91976 Mon Sep 17 00:00:00 2001 From: loiane Date: Thu, 7 Sep 2017 18:30:13 -0300 Subject: [PATCH 160/162] removed first edition content --- README.md | 28 -- chapter01/01-HelloWorld.html | 14 - chapter01/01-HelloWorld.js | 8 - chapter01/02-Variables.html | 10 - chapter01/02-Variables.js | 37 --- chapter01/03-Operators.html | 10 - chapter01/03-Operators.js | 68 ----- chapter01/04-TruthyFalsy.html | 10 - chapter01/04-TruthyFalsy.js | 23 -- chapter01/05-EqualsOperators.html | 10 - chapter01/05-EqualsOperators.js | 36 --- chapter01/06-ConditionalStatements.html | 10 - chapter01/06-ConditionalStatements.js | 51 ---- chapter01/07-Loops.html | 10 - chapter01/07-Loops.js | 23 -- chapter01/08-Functions.html | 10 - chapter01/08-Functions.js | 28 -- chapter01/09-ObjectOrientedJS.html | 10 - chapter01/09-ObjectOrientedJS.js | 42 --- chapter02/01-Introduction.html | 10 - chapter02/01-Introduction.js | 12 - chapter02/02-CreatingAndInitialingArrays.html | 10 - chapter02/02-CreatingAndInitialingArrays.js | 34 --- chapter02/03-AddingRemovingElements.html | 10 - chapter02/03-AddingRemovingElements.js | 73 ----- .../04-TwoDimensionalMultiDimensional.html | 10 - .../04-TwoDimensionalMultiDimensional.js | 62 ----- chapter02/05-ArrayMethods.html | 10 - chapter02/05-ArrayMethods.js | 113 -------- chapter03/01-Stack.html | 10 - chapter03/01-Stack.js | 36 --- chapter03/02-UsingStacks.html | 11 - chapter03/02-UsingStacks.js | 13 - chapter03/03-BalancedSymbols.html | 11 - chapter03/03-BalancedSymbols.js | 37 --- chapter03/04-DecimalToBinary.html | 11 - chapter03/04-DecimalToBinary.js | 52 ---- chapter03/05-TowerOfHanoi.html | 11 - chapter03/05-TowerOfHanoi.js | 26 -- chapter04/01-Queue.html | 10 - chapter04/01-Queue.js | 32 --- chapter04/02-UsingQueues.html | 11 - chapter04/02-UsingQueues.js | 12 - chapter04/03-PriorityQueue.html | 10 - chapter04/03-PriorityQueue.js | 60 ----- chapter04/04-HotPotato.html | 11 - chapter04/04-HotPotato.js | 23 -- chapter05/01-Linked-List.js | 151 ----------- chapter05/02-UsingLinkedLists.html | 11 - chapter05/02-UsingLinkedLists.js | 32 --- chapter05/03-Doubly-Linked-List.js | 217 --------------- chapter05/04-UsingDoublyLinkedLists.html | 11 - chapter05/04-UsingDoublyLinkedLists.js | 49 ---- chapter05/05-CircularLinkedList.js | 187 ------------- chapter05/06-UsingCircularLinkedList.html | 11 - chapter05/06-UsingCircularLinkedList.js | 28 -- chapter06/01-Set.js | 136 ---------- chapter06/02-UsingSets.html | 11 - chapter06/02-UsingSets.js | 18 -- chapter06/03-Operations.html | 11 - chapter06/03-Operations.js | 65 ----- chapter07/01-Dictionaries.js | 59 ---- chapter07/02-UsingDictionaries.html | 11 - chapter07/02-UsingDictionaries.js | 19 -- chapter07/03-HashTable.js | 46 ---- chapter07/04-UsingHash.html | 11 - chapter07/04-UsingHash.js | 29 -- chapter07/05-HashCollisionSeparateChaining.js | 99 ------- ...06-UsingHashCollisionSeparateChaining.html | 12 - .../06-UsingHashCollisionSeparateChaining.js | 40 --- chapter07/07-HashCollisionLinearProbing.js | 85 ------ .../08-UsingHashCollisionLinearProbing.html | 11 - .../08-UsingHashCollisionLinearProbing.js | 29 -- chapter08/01-BinarySearchTree.js | 187 ------------- chapter08/02-UsingBinarySearchTree.html | 11 - chapter08/02-UsingBinarySearchTree.js | 52 ---- chapter08/03-AVLTree.js | 149 ----------- chapter08/04-UsingAVLTree.html | 11 - chapter08/04-UsingAVLTree.js | 61 ----- chapter09/01-Graph.js | 172 ------------ chapter09/02-UsingGraphs.html | 14 - chapter09/02-UsingGraphs.js | 97 ------- chapter10/01-SortingSearchingAlgorithms.js | 251 ------------------ chapter10/02-UsingSortingAlgorithms.html | 11 - chapter10/02-UsingSortingAlgorithms.js | 90 ------- chapter10/03-UsingSearchingAlgorithms.html | 11 - chapter10/03-UsingSearchingAlgorithms.js | 33 --- chapter11/01-Recursion.html | 10 - chapter11/01-Recursion.js | 25 -- chapter11/02-InfiniteRecursion.html | 10 - chapter11/02-InfiniteRecursion.js | 15 -- chapter11/03-MinCoinChangeDP.html | 10 - chapter11/03-MinCoinChangeDP.js | 40 --- chapter11/04-MinCoinChangeGreedy.html | 10 - chapter11/04-MinCoinChangeGreedy.js | 26 -- chapter11/05-BigONotation.html | 10 - chapter11/05-BigONotation.js | 65 ----- chapter11/bigOChart/chart.js | 37 --- chapter11/bigOChart/index.html | 14 - 99 files changed, 3980 deletions(-) delete mode 100644 README.md delete mode 100644 chapter01/01-HelloWorld.html delete mode 100644 chapter01/01-HelloWorld.js delete mode 100644 chapter01/02-Variables.html delete mode 100644 chapter01/02-Variables.js delete mode 100644 chapter01/03-Operators.html delete mode 100644 chapter01/03-Operators.js delete mode 100644 chapter01/04-TruthyFalsy.html delete mode 100644 chapter01/04-TruthyFalsy.js delete mode 100644 chapter01/05-EqualsOperators.html delete mode 100644 chapter01/05-EqualsOperators.js delete mode 100644 chapter01/06-ConditionalStatements.html delete mode 100644 chapter01/06-ConditionalStatements.js delete mode 100644 chapter01/07-Loops.html delete mode 100644 chapter01/07-Loops.js delete mode 100644 chapter01/08-Functions.html delete mode 100644 chapter01/08-Functions.js delete mode 100644 chapter01/09-ObjectOrientedJS.html delete mode 100644 chapter01/09-ObjectOrientedJS.js delete mode 100644 chapter02/01-Introduction.html delete mode 100644 chapter02/01-Introduction.js delete mode 100644 chapter02/02-CreatingAndInitialingArrays.html delete mode 100644 chapter02/02-CreatingAndInitialingArrays.js delete mode 100644 chapter02/03-AddingRemovingElements.html delete mode 100644 chapter02/03-AddingRemovingElements.js delete mode 100644 chapter02/04-TwoDimensionalMultiDimensional.html delete mode 100644 chapter02/04-TwoDimensionalMultiDimensional.js delete mode 100644 chapter02/05-ArrayMethods.html delete mode 100644 chapter02/05-ArrayMethods.js delete mode 100644 chapter03/01-Stack.html delete mode 100644 chapter03/01-Stack.js delete mode 100644 chapter03/02-UsingStacks.html delete mode 100644 chapter03/02-UsingStacks.js delete mode 100644 chapter03/03-BalancedSymbols.html delete mode 100644 chapter03/03-BalancedSymbols.js delete mode 100644 chapter03/04-DecimalToBinary.html delete mode 100644 chapter03/04-DecimalToBinary.js delete mode 100644 chapter03/05-TowerOfHanoi.html delete mode 100644 chapter03/05-TowerOfHanoi.js delete mode 100644 chapter04/01-Queue.html delete mode 100644 chapter04/01-Queue.js delete mode 100644 chapter04/02-UsingQueues.html delete mode 100644 chapter04/02-UsingQueues.js delete mode 100644 chapter04/03-PriorityQueue.html delete mode 100644 chapter04/03-PriorityQueue.js delete mode 100644 chapter04/04-HotPotato.html delete mode 100644 chapter04/04-HotPotato.js delete mode 100644 chapter05/01-Linked-List.js delete mode 100644 chapter05/02-UsingLinkedLists.html delete mode 100644 chapter05/02-UsingLinkedLists.js delete mode 100644 chapter05/03-Doubly-Linked-List.js delete mode 100644 chapter05/04-UsingDoublyLinkedLists.html delete mode 100644 chapter05/04-UsingDoublyLinkedLists.js delete mode 100644 chapter05/05-CircularLinkedList.js delete mode 100644 chapter05/06-UsingCircularLinkedList.html delete mode 100644 chapter05/06-UsingCircularLinkedList.js delete mode 100644 chapter06/01-Set.js delete mode 100644 chapter06/02-UsingSets.html delete mode 100644 chapter06/02-UsingSets.js delete mode 100644 chapter06/03-Operations.html delete mode 100644 chapter06/03-Operations.js delete mode 100644 chapter07/01-Dictionaries.js delete mode 100644 chapter07/02-UsingDictionaries.html delete mode 100644 chapter07/02-UsingDictionaries.js delete mode 100644 chapter07/03-HashTable.js delete mode 100644 chapter07/04-UsingHash.html delete mode 100644 chapter07/04-UsingHash.js delete mode 100644 chapter07/05-HashCollisionSeparateChaining.js delete mode 100644 chapter07/06-UsingHashCollisionSeparateChaining.html delete mode 100644 chapter07/06-UsingHashCollisionSeparateChaining.js delete mode 100644 chapter07/07-HashCollisionLinearProbing.js delete mode 100644 chapter07/08-UsingHashCollisionLinearProbing.html delete mode 100644 chapter07/08-UsingHashCollisionLinearProbing.js delete mode 100644 chapter08/01-BinarySearchTree.js delete mode 100644 chapter08/02-UsingBinarySearchTree.html delete mode 100644 chapter08/02-UsingBinarySearchTree.js delete mode 100644 chapter08/03-AVLTree.js delete mode 100644 chapter08/04-UsingAVLTree.html delete mode 100644 chapter08/04-UsingAVLTree.js delete mode 100644 chapter09/01-Graph.js delete mode 100644 chapter09/02-UsingGraphs.html delete mode 100644 chapter09/02-UsingGraphs.js delete mode 100755 chapter10/01-SortingSearchingAlgorithms.js delete mode 100755 chapter10/02-UsingSortingAlgorithms.html delete mode 100755 chapter10/02-UsingSortingAlgorithms.js delete mode 100755 chapter10/03-UsingSearchingAlgorithms.html delete mode 100755 chapter10/03-UsingSearchingAlgorithms.js delete mode 100644 chapter11/01-Recursion.html delete mode 100644 chapter11/01-Recursion.js delete mode 100644 chapter11/02-InfiniteRecursion.html delete mode 100644 chapter11/02-InfiniteRecursion.js delete mode 100644 chapter11/03-MinCoinChangeDP.html delete mode 100644 chapter11/03-MinCoinChangeDP.js delete mode 100644 chapter11/04-MinCoinChangeGreedy.html delete mode 100644 chapter11/04-MinCoinChangeGreedy.js delete mode 100644 chapter11/05-BigONotation.html delete mode 100644 chapter11/05-BigONotation.js delete mode 100644 chapter11/bigOChart/chart.js delete mode 100644 chapter11/bigOChart/index.html diff --git a/README.md b/README.md deleted file mode 100644 index 9712708a..00000000 --- a/README.md +++ /dev/null @@ -1,28 +0,0 @@ -Learning JavaScript Data Structures and Algorithms -==================================== - -Source code of **Learning JavaScript Data Structures and Algorithms** book. - -Book link: - - [Packt](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms) - - [Amazon](http://www.amazon.com/gp/product/1783554878/ref=as_li_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=1783554878&linkCode=as2&tag=loiagron-20&linkId=7VBQ7OMJ47XY7MUV) - - -###List of Chapters: - -* 1: JAVASCRIPT – A QUICK OVERVIEW -* 2: ARRAYS -* 3: STACKS -* 4: QUEUES -* 5: LINKED LISTS -* 6: SETS -* 7: DICTIONARIES AND HASHES -* 8: TREES -* 9: GRAPHS -* 10: SORTING AND SEARCHING ALGORITHMS -* 11: More about Algorithms (Recursion, Dynamic Programing, Greedy Algorithms and Big-O Notation) - Extra chapter that can be donwloaded from [Packt](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms) website -* Apendix A: Big-O Cheat Sheet - Extra chapter that can be donwloaded from [Packt](https://www.packtpub.com/application-development/learning-javascript-data-structures-and-algorithms) website - -###Found an issue or have a question? - -Please create an [Issue](https://github.com/loiane/javascript-datastructures-algorithms/issues) or [Pull Request](https://github.com/loiane/javascript-datastructures-algorithms/pulls) diff --git a/chapter01/01-HelloWorld.html b/chapter01/01-HelloWorld.html deleted file mode 100644 index f7eca1bf..00000000 --- a/chapter01/01-HelloWorld.html +++ /dev/null @@ -1,14 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/chapter01/01-HelloWorld.js b/chapter01/01-HelloWorld.js deleted file mode 100644 index 89833849..00000000 --- a/chapter01/01-HelloWorld.js +++ /dev/null @@ -1,8 +0,0 @@ -function output(t) { - document.write('

' + t + '

'); - return; -} - -alert('Hello, World!'); -console.log('Hello, World!'); -output('Hello, World!'); \ No newline at end of file diff --git a/chapter01/02-Variables.html b/chapter01/02-Variables.html deleted file mode 100644 index f093a684..00000000 --- a/chapter01/02-Variables.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter01/02-Variables.js b/chapter01/02-Variables.js deleted file mode 100644 index e75cf459..00000000 --- a/chapter01/02-Variables.js +++ /dev/null @@ -1,37 +0,0 @@ -var num = 1; //{1} -num = 3; //{2} - -var price = 1.5; //{3} -var name = 'Packt'; //{4} -var trueValue = true; //{5} -var nullVar = null; //{6} -var und; //7 - -console.log("num: "+ num); -console.log("name: "+ name); -console.log("trueValue: "+ trueValue); -console.log("price: "+ price); -console.log("nullVar: "+ nullVar); -console.log("und: "+ und); - -//******* Variable Scope - -var myVariable = 'global'; -myOtherVariable = 'global'; - -function myFunction(){ - var myVariable = 'local'; - return myVariable; -} - -function myOtherFunction(){ - myOtherVariable = 'local'; - return myOtherVariable; -} - -console.log(myVariable); //{1} -console.log(myFunction()); //{2} - -console.log(myOtherVariable); //{3} -console.log(myOtherFunction()); //{4} -console.log(myOtherVariable); //{5} diff --git a/chapter01/03-Operators.html b/chapter01/03-Operators.html deleted file mode 100644 index 2502aa78..00000000 --- a/chapter01/03-Operators.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter01/03-Operators.js b/chapter01/03-Operators.js deleted file mode 100644 index d1044b92..00000000 --- a/chapter01/03-Operators.js +++ /dev/null @@ -1,68 +0,0 @@ -/* Arithmetic operators */ -var num = 0; - -console.log('num value is ' + num); - -num = num + 2; - -console.log('New num value is ' + num); - -num = num * 3; - -console.log('New num value is ' + num); - -num = num / 2; - -console.log('New num value is ' + num); - -num++; - -num--; - -console.log('New num value is ' + num); - -console.log('num mod 2 value is ' + (num % 2)); - - -/* Assignment operators */ -num += 1; -num -= 2; -num *= 3; -num /= 2; -num %= 3; - -console.log('New num value is ' + num); - -/* Assignment operators */ -console.log('num == 1 : ' + (num == 1)); -console.log('num === 1 : ' + (num === 1)); -console.log('num != 1 : ' + (num != 1)); -console.log('num > 1 : ' + (num > 1)); -console.log('num < 1 : ' + (num < 1)); -console.log('num >= 1 : ' + (num >= 1)); -console.log('num <= 1 : ' + (num <= 1)); - -/* Logical operators */ -console.log('true && false : ' + (true && false)); -console.log('true || false : ' + (true || false)); -console.log('!true : ' + (!true)); - -/* Bitwise operators */ -console.log('5 & 1:', (5 & 1)); //same as 0101 & 0001 (result 0001 / 1) -console.log('5 | 1:', (5 | 1)); //same as 0101 | 0001 (result 0101 / 5) -console.log('~ 5:', (~5)); //same as ~0101 (result 1010 / 10) -console.log('5 ^ 1:', (5 ^ 1)); //same as 0101 ^ 0001 (result 0100 / 4) -console.log('5 << 1:', (5 << 1)); //same as 0101 << 1 (result 1010 / 10) -console.log('5 >> 1:', (5 >> 1)); //same as 0101 >> 1 (result 0010 / 2) - -/* typeOf */ -console.log('typeof num:', typeof num); -console.log('typeof Packt:', typeof 'Packt'); -console.log('typeof true:', typeof true); -console.log('typeof [1,2,3]:', typeof [1,2,3]); -console.log('typeof {name:John}:', typeof {name:'John'}); - -/* delete */ -var myObj = {name: 'John', age: 21}; -delete myObj.age; -console.log(myObj); //Object {name: "John"} \ No newline at end of file diff --git a/chapter01/04-TruthyFalsy.html b/chapter01/04-TruthyFalsy.html deleted file mode 100644 index 9b20f161..00000000 --- a/chapter01/04-TruthyFalsy.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter01/04-TruthyFalsy.js b/chapter01/04-TruthyFalsy.js deleted file mode 100644 index d700cd2c..00000000 --- a/chapter01/04-TruthyFalsy.js +++ /dev/null @@ -1,23 +0,0 @@ -function testTruthy(val){ - return val ? console.log('truthy') : console.log('falsy'); -} - -testTruthy(true); //true -testTruthy(false); //false -testTruthy(new Boolean(false)); //true (object is always true) - -testTruthy(''); //false -testTruthy('Packt'); //true -testTruthy(new String('')); //true (object is always true) - -testTruthy(1); //true -testTruthy(-1); //true -testTruthy(NaN); //false -testTruthy(new Number(NaN)); //true (object is always true) - -testTruthy({}); //true (object is always true) - -var obj = {name:'John'}; -testTruthy(obj); //true -testTruthy(obj.name); //true -testTruthy(obj.age); //age (prop does not exist) \ No newline at end of file diff --git a/chapter01/05-EqualsOperators.html b/chapter01/05-EqualsOperators.html deleted file mode 100644 index bf26fbf3..00000000 --- a/chapter01/05-EqualsOperators.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter01/05-EqualsOperators.js b/chapter01/05-EqualsOperators.js deleted file mode 100644 index 253c21b9..00000000 --- a/chapter01/05-EqualsOperators.js +++ /dev/null @@ -1,36 +0,0 @@ -//Packt == true - -console.log('packt' ? true : false); -//outputs true - -console.log('packt' == true); -//1 - converts Boolean using toNumber -//'packt' == 1 -//2 - converts String using toNumber -//NaN == 1 -//outputs false - -console.log('packt' == false); -//1 - converts Boolean using toNumber -//'packt' == 0 -//2 - converts String using toNumber -//NaN == 0 -//outputs false - -console.log([0] == true); -//1 - converts Boolean using toNumber -//[0] == 1 -//2 - converts Object using toPrimitive -//2.1 - [0].valueOf() is not primitive -//2.2 - [0].toString is 0 -//0 == 1 -//outputs false - -//******************************* === -console.log('packt' === true); //false - -console.log('packt' === 'packt'); //true - -var person1 = {name:'John'}; -var person2 = {name:'John'}; -console.log(person1 === person2); //false, different objects \ No newline at end of file diff --git a/chapter01/06-ConditionalStatements.html b/chapter01/06-ConditionalStatements.html deleted file mode 100644 index 885a409b..00000000 --- a/chapter01/06-ConditionalStatements.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter01/06-ConditionalStatements.js b/chapter01/06-ConditionalStatements.js deleted file mode 100644 index c7256c80..00000000 --- a/chapter01/06-ConditionalStatements.js +++ /dev/null @@ -1,51 +0,0 @@ -/* Example 01 - if */ -var num = 1; -if (num === 1) { - console.log("num is equal to 1"); -} - -/* Example 02 - if-else */ -var num = 0; -if (num === 1) { - console.log("num is equal to 1"); -} else { - console.log("num is not equal to 1, the value of num is " + num); -} - -/* Example 03 - if-else-if-else... */ -var month = 5; -if (month === 1) { - console.log("January"); -} else if (month === 2){ - console.log("February"); -} else if (month === 3){ - console.log("March"); -} else { - console.log("Month is not January, February or March"); -} - -/* Example 04 - switch */ -var month = 5; -switch(month) { - case 1: - console.log("January"); - break; - case 2: - console.log("February"); - break; - case 3: - console.log("March"); - break; - default: - console.log("Month is not January, February or March"); -} - -/* Example 05 - ternary operator - if..else */ -if (num === 1){ - num--; -} else { - num++; -} - -//is the same as -(num === 1) ? num-- : num++; \ No newline at end of file diff --git a/chapter01/07-Loops.html b/chapter01/07-Loops.html deleted file mode 100644 index e87a478f..00000000 --- a/chapter01/07-Loops.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter01/07-Loops.js b/chapter01/07-Loops.js deleted file mode 100644 index 61cf20cb..00000000 --- a/chapter01/07-Loops.js +++ /dev/null @@ -1,23 +0,0 @@ -console.log('**** for example ****'); - -/* for - example */ -for (var i=0; i<10; i++) { - console.log(i); -} - -console.log('**** while example ****'); -/* while - example */ -var i = 0; -while(i<10) -{ - console.log(i); - i++; -} - -console.log('**** do-while example ****'); -/* do-while - example */ -var i = 0; -do { - console.log(i); - i++; -} while (i<10) \ No newline at end of file diff --git a/chapter01/08-Functions.html b/chapter01/08-Functions.html deleted file mode 100644 index cde89bcf..00000000 --- a/chapter01/08-Functions.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter01/08-Functions.js b/chapter01/08-Functions.js deleted file mode 100644 index c307c6d0..00000000 --- a/chapter01/08-Functions.js +++ /dev/null @@ -1,28 +0,0 @@ -function sayHello() { - console.log('Hello!'); -} - -sayHello(); - -/* function with parameter */ -function output(text) { - console.log(text); -} - -output('Hello!'); - -output('Hello!', 'Other text'); - -output(); - -/* function using the return statement */ -function sum(num1, num2) { - return num1 + num2; -} - -var result = sum(1,2); -output(result); - - - - diff --git a/chapter01/09-ObjectOrientedJS.html b/chapter01/09-ObjectOrientedJS.html deleted file mode 100644 index 9fef9dab..00000000 --- a/chapter01/09-ObjectOrientedJS.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter01/09-ObjectOrientedJS.js b/chapter01/09-ObjectOrientedJS.js deleted file mode 100644 index c67a6c78..00000000 --- a/chapter01/09-ObjectOrientedJS.js +++ /dev/null @@ -1,42 +0,0 @@ -/* Object example 1 */ - -var obj = new Object(); - -/* Object example 2 */ - -var obj = {}; - -obj = { - name: { - first: 'Gandalf', - last: 'the Grey' - }, - address: 'Middle Earth' -}; - -/* Object example 3 */ - -function Book(title, pages, isbn){ - this.title = title; - this.pages = pages; - this.isbn = isbn; - this.printIsbn = function(){ - console.log(this.isbn); - } -} - -var book = new Book('title', 'pag', 'isbn'); - -console.log(book.title); //outputs the book title - -book.title = 'new title'; //update the value of the book title - -console.log(book.title); //outputs the updated value - -Book.prototype.printTitle = function(){ - console.log(this.title); -}; - -book.printTitle(); - -book.printIsbn(); \ No newline at end of file diff --git a/chapter02/01-Introduction.html b/chapter02/01-Introduction.html deleted file mode 100644 index 86731b13..00000000 --- a/chapter02/01-Introduction.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter02/01-Introduction.js b/chapter02/01-Introduction.js deleted file mode 100644 index 93d80a8d..00000000 --- a/chapter02/01-Introduction.js +++ /dev/null @@ -1,12 +0,0 @@ -var averageTempJan = 31.9; -var averageTempFeb = 35.3; -var averageTempMar = 42.4; -var averageTempApr = 52; -var averageTempMay = 60.8; - -var averageTemp = []; -averageTemp[0] = 31.9; -averageTemp[1] = 35.3; -averageTemp[2] = 42.4; -averageTemp[3] = 52; -averageTemp[4] = 60.8; diff --git a/chapter02/02-CreatingAndInitialingArrays.html b/chapter02/02-CreatingAndInitialingArrays.html deleted file mode 100644 index 7a51f1c9..00000000 --- a/chapter02/02-CreatingAndInitialingArrays.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter02/02-CreatingAndInitialingArrays.js b/chapter02/02-CreatingAndInitialingArrays.js deleted file mode 100644 index 1b20431e..00000000 --- a/chapter02/02-CreatingAndInitialingArrays.js +++ /dev/null @@ -1,34 +0,0 @@ -var daysOfWeek = []; - -var daysOfWeek = ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday']; - -var daysOfWeek = new Array(); //{1} - -var daysOfWeek = new Array(7); //{2} - -console.log(daysOfWeek.length); - -var daysOfWeek = new Array('Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'); //{3} - -for (var i=0; i - - - - - - - - - \ No newline at end of file diff --git a/chapter02/03-AddingRemovingElements.js b/chapter02/03-AddingRemovingElements.js deleted file mode 100644 index d19aa555..00000000 --- a/chapter02/03-AddingRemovingElements.js +++ /dev/null @@ -1,73 +0,0 @@ -function printArray(myArray) { - for (var i=0; i=0; i--){ - numbers[i] = numbers[i-1]; -} - -numbers[0] = -1; - -//printArray(numbers); - -//using method unshift -numbers.unshift(-2); - -//printArray(numbers); - -numbers.unshift(-4, -3); - -//printArray(numbers); - -//**** Removing elements - -numbers.pop(); - -//remove first position manually -/*for (var i=0; i - - - - - - - - - \ No newline at end of file diff --git a/chapter02/04-TwoDimensionalMultiDimensional.js b/chapter02/04-TwoDimensionalMultiDimensional.js deleted file mode 100644 index 7830e4d1..00000000 --- a/chapter02/04-TwoDimensionalMultiDimensional.js +++ /dev/null @@ -1,62 +0,0 @@ -var averageTempDay1 = [72,75,79,79,81,81]; -var averageTempDay2 = [81,79,75,75,73,72]; - -var averageTemp = []; - -//same as -averageTemp[0] = [72,75,79,79,81,81]; -averageTemp[1] = [81,79,75,75,73,72]; - -function printMatrix(myMatrix) { - for (var i=0; i - - - - - - - - - \ No newline at end of file diff --git a/chapter02/05-ArrayMethods.js b/chapter02/05-ArrayMethods.js deleted file mode 100644 index 7b59b8c0..00000000 --- a/chapter02/05-ArrayMethods.js +++ /dev/null @@ -1,113 +0,0 @@ -//*** contact -var zero = 0; -var positiveNumbers = [1,2,3]; -var negativeNumbers = [-3,-2,-1]; -var numbers = negativeNumbers.concat(zero, positiveNumbers); - -console.log(numbers); - -//console.log(numbers); - -//*** every and some -var isEven = function (x) { - // returns true if x is a multiple of 2. - console.log(x); - return (x % 2 == 0) ? true : false; -}; -var numbers = [1,2,3,4,5,6,7,8,9,10,11,12,13,14,15]; - -numbers.every(isEven); //is going to execute the function only once - -console.log('---'); - -numbers.some(isEven); //is going to execute the function twice - -numbers.forEach(function(x){ - console.log((x % 2 == 0)); -}); - -console.log(numbers.reverse()); - -//console.log('*** filter ***'); - -var evenNumbers = numbers.filter(isEven); - -//console.log(evenNumbers); - -console.log('*** map ***'); - -//console.log(numbers.map(isEven)); - -console.log(numbers.reduce(function(previous, current, index){ - return previous + current; -})); - -console.log(numbers.sort()); - -console.log(numbers.sort(function(a,b){ - return a-b; -})); - -function compare(a, b) { - if (a < b) { - return -1; - } - if (a > b) { - return 1; - } - // a must be equal to b - return 0; -} - -console.log(numbers.sort(compare)); - -//Sorting objects - -var friends = [ - {name: 'John', age: 30}, - {name: 'Ana', age: 20}, - {name: 'Chris', age: 25} -]; - -function comparePerson(a, b){ - if (a.age < b.age){ - return -1 - } - if (a.age > b.age){ - return 1 - } - return 0; -} - -console.log(friends.sort(comparePerson)); - -var names =['Ana', 'ana', 'john', 'John']; -console.log(names.sort()); - -console.log(names.sort(function(a, b){ - if (a.toLowerCase() < b.toLowerCase()){ - return -1 - } - if (a.toLowerCase() > b.toLowerCase()){ - return 1 - } - return 0; -})); - -var names2 = ['Maève', 'Maeve']; -console.log(names2.sort(function(a, b){ - return a.localeCompare(b); -})); - -//*** toString -console.log(numbers.toString()); - -console.log(numbers.indexOf(10)); -console.log(numbers.indexOf(100)); - -numbers.push(10); -console.log(numbers.lastIndexOf(10)); -console.log(numbers.lastIndexOf(100)); - -var numbersString = numbers.join('-'); -console.log(numbersString); \ No newline at end of file diff --git a/chapter03/01-Stack.html b/chapter03/01-Stack.html deleted file mode 100644 index e936b4e1..00000000 --- a/chapter03/01-Stack.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter03/01-Stack.js b/chapter03/01-Stack.js deleted file mode 100644 index 0cb3960a..00000000 --- a/chapter03/01-Stack.js +++ /dev/null @@ -1,36 +0,0 @@ -function Stack() { - - var items = []; - - this.push = function(element){ - items.push(element); - }; - - this.pop = function(){ - return items.pop(); - }; - - this.peek = function(){ - return items[items.length-1]; - }; - - this.isEmpty = function(){ - return items.length == 0; - }; - - this.size = function(){ - return items.length; - }; - - this.clear = function(){ - items = []; - }; - - this.print = function(){ - console.log(items.toString()); - }; - - this.toString = function(){ - return items.toString(); - }; -} \ No newline at end of file diff --git a/chapter03/02-UsingStacks.html b/chapter03/02-UsingStacks.html deleted file mode 100644 index 1772e441..00000000 --- a/chapter03/02-UsingStacks.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/chapter03/02-UsingStacks.js b/chapter03/02-UsingStacks.js deleted file mode 100644 index 8e5f5b19..00000000 --- a/chapter03/02-UsingStacks.js +++ /dev/null @@ -1,13 +0,0 @@ -var stack = new Stack(); - console.log(stack.isEmpty()); //outputs true - stack.push(5); - stack.push(8); - console.log(stack.peek()); // outputs 8 - stack.push(11); - console.log(stack.size()); // outputs 3 - console.log(stack.isEmpty()); //outputs false - stack.push(15); - stack.pop(); - stack.pop(); - console.log(stack.size()); // outputs 2 - stack.print(); // outputs [5, 8] \ No newline at end of file diff --git a/chapter03/03-BalancedSymbols.html b/chapter03/03-BalancedSymbols.html deleted file mode 100644 index d347fe2e..00000000 --- a/chapter03/03-BalancedSymbols.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/chapter03/03-BalancedSymbols.js b/chapter03/03-BalancedSymbols.js deleted file mode 100644 index 6a49ee6b..00000000 --- a/chapter03/03-BalancedSymbols.js +++ /dev/null @@ -1,37 +0,0 @@ -function matches(open, close){ - var opens = "([{", - closers = ")]}"; - return opens.indexOf(open) == closers.indexOf(close); -} - -function parenthesesChecker(symbols){ - - var stack = new Stack(), - balanced = true, - index = 0, - symbol, top; - - while (index < symbols.length && balanced){ - symbol = symbols.charAt(index); - if (symbol == '('|| symbol == '[' || symbol == '{'){ - stack.push(symbol); - } else { - if (stack.isEmpty()){ - balanced = false; - } else { - top = stack.pop(); - if (!matches(top, symbol)){ - balanced = false; - } - } - } - index++; - } - if (balanced && stack.isEmpty()){ - return true; - } - return false; -} - -console.log(parenthesesChecker('{{([][])}()}')); -console.log(parenthesesChecker('[{()]')); \ No newline at end of file diff --git a/chapter03/04-DecimalToBinary.html b/chapter03/04-DecimalToBinary.html deleted file mode 100644 index a178b773..00000000 --- a/chapter03/04-DecimalToBinary.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/chapter03/04-DecimalToBinary.js b/chapter03/04-DecimalToBinary.js deleted file mode 100644 index d4695b51..00000000 --- a/chapter03/04-DecimalToBinary.js +++ /dev/null @@ -1,52 +0,0 @@ -//233 == 11101001 -//2x(10x10) + 3x(10) + 3x(1) - -function divideBy2(decNumber){ - - var remStack = new Stack(), - rem, - binaryString = ''; - - while (decNumber > 0){ - rem = Math.floor(decNumber % 2); - remStack.push(rem); - decNumber = Math.floor(decNumber / 2); - } - - while (!remStack.isEmpty()){ - binaryString += remStack.pop().toString(); - } - - return binaryString; -} - -console.log(divideBy2(233)); -console.log(divideBy2(10)); -console.log(divideBy2(1000)); - -/* - The folow algorithm converts from base 10 to any base - */ -function baseConverter(decNumber, base){ - - var remStack = new Stack(), - rem, - baseString = '', - digits = '0123456789ABCDEF'; - - while (decNumber > 0){ - rem = Math.floor(decNumber % base); - remStack.push(rem); - decNumber = Math.floor(decNumber / base); - } - - while (!remStack.isEmpty()){ - baseString += digits[remStack.pop()]; - } - - return baseString; -} - -console.log(baseConverter(100345, 2)); -console.log(baseConverter(100345, 8)); -console.log(baseConverter(100345, 16)); \ No newline at end of file diff --git a/chapter03/05-TowerOfHanoi.html b/chapter03/05-TowerOfHanoi.html deleted file mode 100644 index 8e11f147..00000000 --- a/chapter03/05-TowerOfHanoi.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/chapter03/05-TowerOfHanoi.js b/chapter03/05-TowerOfHanoi.js deleted file mode 100644 index 255e02fb..00000000 --- a/chapter03/05-TowerOfHanoi.js +++ /dev/null @@ -1,26 +0,0 @@ -function towerOfHanoi(n, from, to, helper){ - - if (n > 0){ - towerOfHanoi(n-1, from, helper, to); - to.push(from.pop()); - console.log('-----') - console.log('Source: ' + from.toString()); - console.log('Dest: ' + to.toString()); - console.log('Helper: ' + helper.toString()); - towerOfHanoi(n-1, helper, to, from); - } -} - -var source = new Stack(); -source.push(3); -source.push(2); -source.push(1); - -var dest = new Stack(); -var helper = new Stack(); - -towerOfHanoi(3, source, dest, helper); - -source.print(); -helper.print(); -dest.print(); \ No newline at end of file diff --git a/chapter04/01-Queue.html b/chapter04/01-Queue.html deleted file mode 100644 index 4220c419..00000000 --- a/chapter04/01-Queue.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter04/01-Queue.js b/chapter04/01-Queue.js deleted file mode 100644 index 8656893a..00000000 --- a/chapter04/01-Queue.js +++ /dev/null @@ -1,32 +0,0 @@ -function Queue() { - - var items = []; - - this.enqueue = function(element){ - items.push(element); - }; - - this.dequeue = function(){ - return items.shift(); - }; - - this.front = function(){ - return items[0]; - }; - - this.isEmpty = function(){ - return items.length == 0; - }; - - this.clear = function(){ - items = []; - }; - - this.size = function(){ - return items.length; - }; - - this.print = function(){ - console.log(items.toString()); - }; -} diff --git a/chapter04/02-UsingQueues.html b/chapter04/02-UsingQueues.html deleted file mode 100644 index c39e78b4..00000000 --- a/chapter04/02-UsingQueues.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/chapter04/02-UsingQueues.js b/chapter04/02-UsingQueues.js deleted file mode 100644 index fcef6c91..00000000 --- a/chapter04/02-UsingQueues.js +++ /dev/null @@ -1,12 +0,0 @@ -var queue = new Queue(); -console.log(queue.isEmpty()); //outputs true -queue.enqueue("John"); -queue.enqueue("Jack"); -queue.print(); -queue.enqueue("Camila"); -queue.print(); -console.log(queue.size()); //outputs 3 -console.log(queue.isEmpty()); //outputs false -queue.dequeue(); -queue.dequeue(); -queue.print(); \ No newline at end of file diff --git a/chapter04/03-PriorityQueue.html b/chapter04/03-PriorityQueue.html deleted file mode 100644 index 924bf7c4..00000000 --- a/chapter04/03-PriorityQueue.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter04/03-PriorityQueue.js b/chapter04/03-PriorityQueue.js deleted file mode 100644 index 5b6442bb..00000000 --- a/chapter04/03-PriorityQueue.js +++ /dev/null @@ -1,60 +0,0 @@ -function PriorityQueue() { - - var items = []; - - function QueueElement (element, priority){ - this.element = element; - this.priority = priority; - } - - this.enqueue = function(element, priority){ - var queueElement = new QueueElement(element, priority); - - if (this.isEmpty()){ - items.push(queueElement); - } else { - var added = false; - for (var i=0; i - - - - - - - - - - \ No newline at end of file diff --git a/chapter04/04-HotPotato.js b/chapter04/04-HotPotato.js deleted file mode 100644 index 83554a1c..00000000 --- a/chapter04/04-HotPotato.js +++ /dev/null @@ -1,23 +0,0 @@ -function hotPotato (nameList, num){ - - var queue = new Queue(); - - for (var i=0; i 1){ - for (var i=0; i= 0 && position <= length){ - - var node = new Node(element), - current = head, - previous, - index = 0; - - if (position === 0){ //add on first position - - node.next = current; - head = node; - - } else { - while (index++ < position){ - previous = current; - current = current.next; - } - node.next = current; - previous.next = node; - } - - length++; //update size of list - - return true; - - } else { - return false; - } - }; - - this.removeAt = function(position){ - - //check for out-of-bounds values - if (position > -1 && position < length){ - - var current = head, - previous, - index = 0; - - //removing first item - if (position === 0){ - head = current.next; - } else { - - while (index++ < position){ - - previous = current; - current = current.next; - } - - //link previous with current's next - skip it to remove - previous.next = current.next; - } - - length--; - - return current.element; - - } else { - return null; - } - }; - - this.remove = function(element){ - - var index = this.indexOf(element); - return this.removeAt(index); - }; - - this.indexOf = function(element){ - - var current = head, - index = 0; - - while (current) { - if (element === current.element) { - return index; - } - index++; - current = current.next; - } - - return -1; - }; - - this.isEmpty = function() { - return length === 0; - }; - - this.size = function() { - return length; - }; - - this.getHead = function(){ - return head; - }; - - this.toString = function(){ - - var current = head, - string = ''; - - while (current) { - string += current.element + (current.next ? '\n' : ''); - current = current.next; - } - return string; - - }; - - this.print = function(){ - console.log(this.toString()); - }; -} diff --git a/chapter05/02-UsingLinkedLists.html b/chapter05/02-UsingLinkedLists.html deleted file mode 100644 index da977b75..00000000 --- a/chapter05/02-UsingLinkedLists.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/chapter05/02-UsingLinkedLists.js b/chapter05/02-UsingLinkedLists.js deleted file mode 100644 index 9c92c483..00000000 --- a/chapter05/02-UsingLinkedLists.js +++ /dev/null @@ -1,32 +0,0 @@ -var list = new LinkedList(); -list.append(15); -list.print(); -console.log(list.indexOf(15)); -list.append(10); -list.print(); -console.log(list.indexOf(10)); -list.append(13); -list.print(); -console.log(list.indexOf(13)); -console.log(list.indexOf(10)); -list.append(11); -list.append(12); -list.print(); -console.log(list.removeAt(1)); -list.print() -console.log(list.removeAt(3)); -list.print(); -list.append(14); -list.print(); -list.insert(0,16); -list.print(); -list.insert(1,17); -list.print(); -list.insert(list.size(),18); -list.print(); -list.remove(16); -list.print(); -list.remove(11); -list.print(); -list.remove(18); -list.print(); \ No newline at end of file diff --git a/chapter05/03-Doubly-Linked-List.js b/chapter05/03-Doubly-Linked-List.js deleted file mode 100644 index 1ca53298..00000000 --- a/chapter05/03-Doubly-Linked-List.js +++ /dev/null @@ -1,217 +0,0 @@ -function DoublyLinkedList() { - - var Node = function(element){ - - this.element = element; - this.next = null; - this.prev = null; //NEW - }; - - var length = 0; - var head = null; - var tail = null; //NEW - - this.append = function(element){ - - var node = new Node(element), - current; - - if (head === null){ //first node on list - head = node; - tail = node; //NEW - } else { - - //attach to the tail node //NEW - tail.next = node; - node.prev = tail; - tail = node; - } - - length++; //update size of list - }; - - this.insert = function(position, element){ - - //check for out-of-bounds values - if (position >= 0 && position <= length){ - - var node = new Node(element), - current = head, - previous, - index = 0; - - if (position === 0){ //add on first position - - if (!head){ //NEW - head = node; - tail = node; - } else { - node.next = current; - current.prev = node; //NEW {1} - head = node; - } - - } else if (position === length) { //last item //NEW - - current = tail; // {2} - current.next = node; - node.prev = current; - tail = node; - - } else { - while (index++ < position){ //{3} - previous = current; - current = current.next; - } - node.next = current; - previous.next = node; - - current.prev = node; //NEW - node.prev = previous; //NEW - } - - length++; //update size of list - - return true; - - } else { - return false; - } - }; - - this.removeAt = function(position){ - - //check for out-of-bounds values - if (position > -1 && position < length){ - - var current = head, - previous, - index = 0; - - //removing first item - if (position === 0){ - - head = current.next; // {1} - - //if there is only one item, then we update tail as well //NEW - if (length === 1){ // {2} - tail = null; - } else { - head.prev = null; // {3} - } - - } else if (position === length-1){ //last item //NEW - - current = tail; // {4} - tail = current.prev; - tail.next = null; - - } else { - - while (index++ < position){ // {5} - - previous = current; - current = current.next; - } - - //link previous with current's next - skip it to remove - previous.next = current.next; // {6} - current.next.prev = previous; //NEW - } - - length--; - - return current.element; - - } else { - return null; - } - }; - - this.remove = function(element){ - - var index = this.indexOf(element); - return this.removeAt(index); - }; - - this.indexOf = function(element){ - - var current = head, - index = -1; - - //check first item - if (element == current.element){ - return 0; - } - - index++; - - //check in the middle of the list - while(current.next){ - - if (element == current.element){ - return index; - } - - current = current.next; - index++; - } - - //check last item - if (element == current.element){ - return index; - } - - return -1; - }; - - this.isEmpty = function() { - return length === 0; - }; - - this. size = function() { - return length; - }; - - this.toString = function(){ - - var current = head, - s = current ? current.element : ''; - - while(current && current.next){ - current = current.next; - s += ', ' + current.element; - } - - return s; - }; - - this.inverseToString = function() { - - var current = tail, - s = current ? current.element : ''; - - while(current && current.prev){ - current = current.prev; - s += ', ' + current.element; - } - - return s; - }; - - this.print = function(){ - console.log(this.toString()); - }; - - this.printInverse = function(){ - console.log(this.inverseToString()); - }; - - this.getHead = function(){ - return head; - }; - - this.getTail = function(){ - return tail; - } -} \ No newline at end of file diff --git a/chapter05/04-UsingDoublyLinkedLists.html b/chapter05/04-UsingDoublyLinkedLists.html deleted file mode 100644 index d4b60521..00000000 --- a/chapter05/04-UsingDoublyLinkedLists.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/chapter05/04-UsingDoublyLinkedLists.js b/chapter05/04-UsingDoublyLinkedLists.js deleted file mode 100644 index 00534d49..00000000 --- a/chapter05/04-UsingDoublyLinkedLists.js +++ /dev/null @@ -1,49 +0,0 @@ -var list = new DoublyLinkedList(); - -list.append(15); -list.print(); -list.printInverse(); - -list.append(16); -list.print(); -list.printInverse(); - -list.append(17); -list.print(); -list.printInverse(); - -list.insert(0,13); -list.print(); -list.printInverse(); - -list.insert(4,18); -list.print(); -list.printInverse(); - -list.insert(1,14); -list.print(); -list.printInverse(); - -list.removeAt(0); -list.print(); -list.printInverse(); - -list.removeAt(list.size()-1); -list.print(); -list.printInverse(); - -list.removeAt(1); -list.print(); -list.printInverse(); - -list.remove(16); -list.print(); -list.printInverse(); - -list.remove(14); -list.print(); -list.printInverse(); - -list.remove(17); -list.print(); -list.printInverse(); \ No newline at end of file diff --git a/chapter05/05-CircularLinkedList.js b/chapter05/05-CircularLinkedList.js deleted file mode 100644 index 590c08f4..00000000 --- a/chapter05/05-CircularLinkedList.js +++ /dev/null @@ -1,187 +0,0 @@ -function CircularLinkedList() { - - var Node = function(element){ - - this.element = element; - this.next = null; - }; - - var length = 0; - var head = null; - - this.append = function(element){ - - var node = new Node(element), - current; - - if (head === null){ //first node on list - head = node; - } else { - - current = head; - - //loop the list until find last item - while(current.next !== head){ //last element will be head instead of NULL - current = current.next; - } - - //get last item and assign next to added item to make the link - current.next = node; - } - - //set node.next to head - to have circular list - node.next = head; - - length++; //update size of list - }; - - this.insert = function(position, element){ - - //check for out-of-bounds values - if (position >= 0 && position <= length){ - - var node = new Node(element), - current = head, - previous, - index = 0; - - if (position === 0){ //add on first position - - node.next = current; - - //update last element - while(current.next !== head){ //last element will be head instead of NULL - current = current.next; - } - - head = node; - current.next = head; - - } else { - while (index++ < position){ - previous = current; - current = current.next; - } - node.next = current; - previous.next = node; - - if (node.next === null){ //update in case last element - node.next = head; - } - } - - length++; //update size of list - - return true; - - } else { - return false; - } - }; - - this.removeAt = function(position){ - - //check for out-of-bounds values - if (position > -1 && position < length){ - - var current = head, - previous, - index = 0; - - //removing first item - if (position === 0){ - - while(current.next !== head){ //needs to update last element first - current = current.next; - } - - head = head.next; - current.next = head; - - } else { //no need to update last element for circular list - - while (index++ < position){ - - previous = current; - current = current.next; - } - - //link previous with current's next - skip it to remove - previous.next = current.next; - } - - length--; - - return current.element; - - } else { - return null; - } - }; - - this.remove = function(element){ - - var index = this.indexOf(element); - return this.removeAt(index); - }; - - this.indexOf = function(element){ - - var current = head, - index = -1; - - //check first item - if (element == current.element){ - return 0; - } - - index++; - - //check in the middle of the list - while(current.next !== head){ - - if (element == current.element){ - return index; - } - - current = current.next; - index++; - } - - //check last item - if (element == current.element){ - return index; - } - - return -1; - }; - - this.isEmpty = function() { - return length === 0; - }; - - this.size = function() { - return length; - }; - - this.getHead = function(){ - return head; - }; - - this.toString = function(){ - - var current = head, - s = current.element; - - while(current.next !== head){ - current = current.next; - s += ', ' + current.element; - } - - return s.toString(); - }; - - this.print = function(){ - console.log(this.toString()); - }; -} \ No newline at end of file diff --git a/chapter05/06-UsingCircularLinkedList.html b/chapter05/06-UsingCircularLinkedList.html deleted file mode 100644 index 5a2fbb5d..00000000 --- a/chapter05/06-UsingCircularLinkedList.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/chapter05/06-UsingCircularLinkedList.js b/chapter05/06-UsingCircularLinkedList.js deleted file mode 100644 index 33d9f8c9..00000000 --- a/chapter05/06-UsingCircularLinkedList.js +++ /dev/null @@ -1,28 +0,0 @@ -var circularLinkedList = new CircularLinkedList(); - -circularLinkedList.append(15); -circularLinkedList.print(); - -circularLinkedList.append(16); -circularLinkedList.print(); - -circularLinkedList.insert(0,14); -circularLinkedList.print(); - -circularLinkedList.insert(1,14.5); -circularLinkedList.print(); - -circularLinkedList.insert(4,17); -circularLinkedList.print(); - -circularLinkedList.removeAt(0); -circularLinkedList.print(); - -circularLinkedList.removeAt(1); -circularLinkedList.print(); - -circularLinkedList.removeAt(2); -circularLinkedList.print(); - -console.log(circularLinkedList.indexOf(14.5)); -console.log(circularLinkedList.indexOf(16)); \ No newline at end of file diff --git a/chapter06/01-Set.js b/chapter06/01-Set.js deleted file mode 100644 index aff644a1..00000000 --- a/chapter06/01-Set.js +++ /dev/null @@ -1,136 +0,0 @@ -/** - * ECMSCRIPT 6 already have a Set class implementation: - * https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Set - * We will try to copy the same functionalities - * @constructor - */ -function Set() { - - var items = {}; - - this.add = function(value){ - if (!this.has(value)){ - items[value] = value; - return true; - } - return false; - }; - - this.remove = function(value){ - if (this.has(value)){ - delete items[value]; - return true; - } - return false; - }; - - this.has = function(value){ - return items.hasOwnProperty(value); - //return value in items; - }; - - this.clear = function(){ - items = {}; - }; - - /** - * Modern browsers function - * IE9+, FF4+, Chrome5+, Opera12+, Safari5+ - * @returns {Number} - */ - this.size = function(){ - return Object.keys(items).length; - }; - - /** - * cross browser compatibility - legacy browsers - * for modern browsers use size function - * @returns {number} - */ - this.sizeLegacy = function(){ - var count = 0; - for(var prop in items) { - if(items.hasOwnProperty(prop)) - ++count; - } - return count; - }; - - /** - * Modern browsers function - * IE9+, FF4+, Chrome5+, Opera12+, Safari5+ - * @returns {Array} - */ - this.values = function(){ - return Object.keys(items); - }; - - this.valuesLegacy = function(){ - var keys = []; - for(var key in items){ - keys.push(key); - } - return keys; - }; - - this.getItems = function(){ - return items; - }; - - this.union = function(otherSet){ - var unionSet = new Set(); //{1} - - var values = this.values(); //{2} - for (var i=0; i otherSet.size()){ //{1} - return false; - } else { - var values = this.values(); - for (var i=0; i - - - - - - - - - - \ No newline at end of file diff --git a/chapter06/02-UsingSets.js b/chapter06/02-UsingSets.js deleted file mode 100644 index 2eb0a487..00000000 --- a/chapter06/02-UsingSets.js +++ /dev/null @@ -1,18 +0,0 @@ -var set = new Set(); - -set.add(1); -console.log(set.values()); //outputs ["1"] -console.log(set.has(1)); //outputs true -console.log(set.size()); //outputs 1 - -set.add(2); -console.log(set.values()); //outputs ["1", "2"] -console.log(set.has(2)); //true -console.log(set.size()); //2 -console.log(set.sizeLegacy()); //3 - -set.remove(1); -console.log(set.values()); //outputs ["2"] - -set.remove(2); -console.log(set.values()); //outputs [] \ No newline at end of file diff --git a/chapter06/03-Operations.html b/chapter06/03-Operations.html deleted file mode 100644 index ff01c7ae..00000000 --- a/chapter06/03-Operations.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/chapter06/03-Operations.js b/chapter06/03-Operations.js deleted file mode 100644 index fc866c0c..00000000 --- a/chapter06/03-Operations.js +++ /dev/null @@ -1,65 +0,0 @@ -//--------- Union ---------- - -var setA = new Set(); -setA.add(1); -setA.add(2); -setA.add(3); - -var setB = new Set(); -setB.add(3); -setB.add(4); -setB.add(5); -setB.add(6); - -var unionAB = setA.union(setB); -console.log(unionAB.values()); - - -//--------- Intersection ---------- - -var setA = new Set(); -setA.add(1); -setA.add(2); -setA.add(3); - -var setB = new Set(); -setB.add(2); -setB.add(3); -setB.add(4); - -var intersectionAB = setA.intersection(setB); -console.log(intersectionAB.values()); - -//--------- Difference ---------- - -var setA = new Set(); -setA.add(1); -setA.add(2); -setA.add(3); - -var setB = new Set(); -setB.add(2); -setB.add(3); -setB.add(4); - -var differenceAB = setA.difference(setB); -console.log(differenceAB.values()); - -//--------- Subset ---------- - -var setA = new Set(); -setA.add(1); -setA.add(2); - -var setB = new Set(); -setB.add(1); -setB.add(2); -setB.add(3); - -var setC = new Set(); -setC.add(2); -setC.add(3); -setC.add(4); - -console.log(setA.subset(setB)); -console.log(setA.subset(setC)); diff --git a/chapter07/01-Dictionaries.js b/chapter07/01-Dictionaries.js deleted file mode 100644 index ea26cd05..00000000 --- a/chapter07/01-Dictionaries.js +++ /dev/null @@ -1,59 +0,0 @@ -function Dictionary(){ - - var items = {}; - - this.set = function(key, value){ - items[key] = value; //{1} - }; - - this.remove = function(key){ - if (this.has(key)){ - delete items[key]; - return true; - } - return false; - }; - - this.has = function(key){ - return items.hasOwnProperty(key); - //return value in items; - }; - - this.get = function(key) { - return this.has(key) ? items[key] : undefined; - }; - - this.clear = function(){ - items = {}; - }; - - this.size = function(){ - return Object.keys(items).length; - }; - - this.keys = function(){ - return Object.keys(items); - }; - - this.values = function(){ - var values = []; - for (var k in items) { - if (this.has(k)) { - values.push(items[k]); - } - } - return values; - }; - - this.each = function(fn) { - for (var k in items) { - if (this.has(k)) { - fn(k, items[k]); - } - } - }; - - this.getItems = function(){ - return items; - } -} \ No newline at end of file diff --git a/chapter07/02-UsingDictionaries.html b/chapter07/02-UsingDictionaries.html deleted file mode 100644 index f0f8e0eb..00000000 --- a/chapter07/02-UsingDictionaries.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/chapter07/02-UsingDictionaries.js b/chapter07/02-UsingDictionaries.js deleted file mode 100644 index 3fc4db6f..00000000 --- a/chapter07/02-UsingDictionaries.js +++ /dev/null @@ -1,19 +0,0 @@ -var dictionary = new Dictionary(); - -dictionary.set('Gandalf', 'gandalf@email.com'); -dictionary.set('John', 'johnsnow@email.com'); -dictionary.set('Tyrion', 'tyrion@email.com'); - -console.log(dictionary.has('Gandalf')); //outputs true -console.log(dictionary.size()); //outputs 3 - -console.log(dictionary.keys()); //outputs ["Gandalf", "John", "Tyrion"] -console.log(dictionary.values()); //outputs ["gandalf@email.com", "johnsnow@email.com", "tyrion@email.com"] -console.log(dictionary.get('Tyrion')); //outputs tyrion@email.com - -dictionary.remove('John'); - -console.log(dictionary.keys()); //outputs ["Gandalf", "Tyrion"] -console.log(dictionary.values()); //outputs ["gandalf@email.com", "tyrion@email.com"] - -console.log(dictionary.getItems()); //Object {Gandalf: "gandalf@email.com", Tyrion: "tyrion@email.com"} \ No newline at end of file diff --git a/chapter07/03-HashTable.js b/chapter07/03-HashTable.js deleted file mode 100644 index c72783aa..00000000 --- a/chapter07/03-HashTable.js +++ /dev/null @@ -1,46 +0,0 @@ -function HashTable() { - - var table = []; - - var loseloseHashCode = function (key) { - var hash = 0; - for (var i = 0; i < key.length; i++) { - hash += key.charCodeAt(i); - } - return hash % 37; - }; - - var djb2HashCode = function (key) { - var hash = 5381; - for (var i = 0; i < key.length; i++) { - hash = hash * 33 + key.charCodeAt(i); - } - return hash % 1013; - }; - - var hashCode = function (key) { - return loseloseHashCode(key); - }; - - this.put = function (key, value) { - var position = hashCode(key); - console.log(position + ' - ' + key); - table[position] = value; - }; - - this.get = function (key) { - return table[hashCode(key)]; - }; - - this.remove = function(key){ - table[hashCode(key)] = undefined; - }; - - this.print = function () { - for (var i = 0; i < table.length; ++i) { - if (table[i] !== undefined) { - console.log(i + ": " + table[i]); - } - } - }; -} \ No newline at end of file diff --git a/chapter07/04-UsingHash.html b/chapter07/04-UsingHash.html deleted file mode 100644 index 104be603..00000000 --- a/chapter07/04-UsingHash.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/chapter07/04-UsingHash.js b/chapter07/04-UsingHash.js deleted file mode 100644 index d0735eeb..00000000 --- a/chapter07/04-UsingHash.js +++ /dev/null @@ -1,29 +0,0 @@ -var hash = new HashTable(); - -hash.put('Gandalf', 'gandalf@email.com'); -hash.put('John', 'johnsnow@email.com'); -hash.put('Tyrion', 'tyrion@email.com'); -hash.put('Aaron', 'aaron@email.com'); -hash.put('Donnie', 'donnie@email.com'); -hash.put('Ana', 'ana@email.com'); -hash.put('Jonathan', 'jonathan@email.com'); -hash.put('Jamie', 'jamie@email.com'); -hash.put('Sue', 'sue@email.com'); -hash.put('Mindy', 'mindy@email.com'); -hash.put('Paul', 'paul@email.com'); -hash.put('Nathan', 'nathan@email.com'); - -console.log('**** Printing Hash **** '); - -hash.print(); - -console.log('**** Get **** '); - -console.log(hash.get('Gandalf')); -console.log(hash.get('Loiane')); - -console.log('**** Remove **** '); - -hash.remove('Gandalf'); -console.log(hash.get('Gandalf')); -hash.print(); \ No newline at end of file diff --git a/chapter07/05-HashCollisionSeparateChaining.js b/chapter07/05-HashCollisionSeparateChaining.js deleted file mode 100644 index f32833cf..00000000 --- a/chapter07/05-HashCollisionSeparateChaining.js +++ /dev/null @@ -1,99 +0,0 @@ -function HashTableSeparateChaining(){ - - var table = []; - - var ValuePair = function(key, value){ - this.key = key; - this.value = value; - - this.toString = function() { - return '[' + this.key + ' - ' + this.value + ']'; - } - }; - - var loseloseHashCode = function (key) { - var hash = 0; - for (var i = 0; i < key.length; i++) { - hash += key.charCodeAt(i); - } - return hash % 37; - }; - - var hashCode = function(key){ - return loseloseHashCode(key); - }; - - this.put = function(key, value){ - var position = hashCode(key); - console.log(position + ' - ' + key); - - if (table[position] == undefined) { - table[position] = new LinkedList(); - } - table[position].append(new ValuePair(key, value)); - }; - - this.get = function(key) { - var position = hashCode(key); - - if (table[position] !== undefined && !table[position].isEmpty()){ - - //iterate linked list to find key/value - var current = table[position].getHead(); - - while(current.next){ - if (current.element.key === key){ - return current.element.value; - } - current = current.next; - } - - //check in case first or last element - if (current.element.key === key){ - return current.element.value; - } - } - return undefined; - }; - - this.remove = function(key){ - - var position = hashCode(key); - - if (table[position] !== undefined){ - - //iterate linked list to find key/value - var current = table[position].getHead(); - - while(current.next){ - if (current.element.key === key){ - table[position].remove(current.element); - if (table[position].isEmpty()){ - table[position] = undefined; - } - return true; - } - current = current.next; - } - - //check in case first or last element - if (current.element.key === key){ - table[position].remove(current.element); - if (table[position].isEmpty()){ - table[position] = undefined; - } - return true; - } - } - - return false; - }; - - this.print = function() { - for (var i = 0; i < table.length; ++i) { - if (table[i] !== undefined) { - console.log(table[i].toString()); - } - } - }; -} \ No newline at end of file diff --git a/chapter07/06-UsingHashCollisionSeparateChaining.html b/chapter07/06-UsingHashCollisionSeparateChaining.html deleted file mode 100644 index e1741527..00000000 --- a/chapter07/06-UsingHashCollisionSeparateChaining.html +++ /dev/null @@ -1,12 +0,0 @@ - - - - - - - - - - - - \ No newline at end of file diff --git a/chapter07/06-UsingHashCollisionSeparateChaining.js b/chapter07/06-UsingHashCollisionSeparateChaining.js deleted file mode 100644 index 2a0d3c37..00000000 --- a/chapter07/06-UsingHashCollisionSeparateChaining.js +++ /dev/null @@ -1,40 +0,0 @@ -var hashTableSeparateChaining = new HashTableSeparateChaining(); - -hashTableSeparateChaining.put('Gandalf', 'gandalf@email.com'); -hashTableSeparateChaining.put('John', 'johnsnow@email.com'); -hashTableSeparateChaining.put('Tyrion', 'tyrion@email.com'); -hashTableSeparateChaining.put('Aaron', 'aaron@email.com'); -hashTableSeparateChaining.put('Donnie', 'donnie@email.com'); -hashTableSeparateChaining.put('Ana', 'ana@email.com'); -hashTableSeparateChaining.put('Jonathan', 'jonathan@email.com'); -hashTableSeparateChaining.put('Jamie', 'jamie@email.com'); -hashTableSeparateChaining.put('Sue', 'sue@email.com'); -hashTableSeparateChaining.put('Mindy', 'mindy@email.com'); -hashTableSeparateChaining.put('Paul', 'paul@email.com'); -hashTableSeparateChaining.put('Nathan', 'nathan@email.com'); - -console.log('**** Printing Hash **** '); - -hashTableSeparateChaining.print(); - -console.log('**** Get **** '); - -console.log(hashTableSeparateChaining.get('Jamie')); -console.log(hashTableSeparateChaining.get('Sue')); -console.log(hashTableSeparateChaining.get('Jonathan')); -console.log(hashTableSeparateChaining.get('Loiane')); - -console.log('**** Remove **** '); - -console.log(hashTableSeparateChaining.remove('Gandalf')); -console.log(hashTableSeparateChaining.get('Gandalf')); -hashTableSeparateChaining.print(); - -console.log(hashTableSeparateChaining.remove('Sue')); -hashTableSeparateChaining.print(); - -console.log(hashTableSeparateChaining.remove('Jamie')); -hashTableSeparateChaining.print(); - -console.log(hashTableSeparateChaining.remove('Donnie')); -hashTableSeparateChaining.print(); \ No newline at end of file diff --git a/chapter07/07-HashCollisionLinearProbing.js b/chapter07/07-HashCollisionLinearProbing.js deleted file mode 100644 index 74fdbac5..00000000 --- a/chapter07/07-HashCollisionLinearProbing.js +++ /dev/null @@ -1,85 +0,0 @@ -function HashLinearProbing(){ - - var table = []; - - var ValuePair = function(key, value){ - this.key = key; - this.value = value; - - this.toString = function() { - return '[' + this.key + ' - ' + this.value + ']'; - } - }; - - var loseloseHashCode = function (key) { - var hash = 0; - for (var i = 0; i < key.length; i++) { - hash += key.charCodeAt(i); - } - return hash % 37; - }; - - var hashCode = function(key){ - return loseloseHashCode(key); - }; - - this.put = function(key, value){ - var position = hashCode(key); - console.log(position + ' - ' + key); - - if (table[position] == undefined) { - table[position] = new ValuePair(key, value); - } else { - var index = ++position; - while (table[index] != undefined){ - index++; - } - table[index] = new ValuePair(key, value); - } - }; - - this.get = function(key) { - var position = hashCode(key); - - if (table[position] !== undefined){ - if (table[position].key === key) { - return table[position].value; - } else { - var index = ++position; - while (table[index] === undefined || table[index].key !== key){ - index++; - } - if (table[index].key === key) { - return table[index].value; - } - } - } - return undefined; - }; - - this.remove = function(key){ - var position = hashCode(key); - - if (table[position] !== undefined){ - if (table[position].key === key) { - table[position] = undefined; - } else { - var index = ++position; - while (table[index] === undefined || table[index].key !== key){ - index++; - } - if (table[index].key === key) { - table[index] = undefined; - } - } - } - }; - - this.print = function() { - for (var i = 0; i < table.length; ++i) { - if (table[i] !== undefined) { - console.log(i + ' -> ' + table[i].toString()); - } - } - }; -} \ No newline at end of file diff --git a/chapter07/08-UsingHashCollisionLinearProbing.html b/chapter07/08-UsingHashCollisionLinearProbing.html deleted file mode 100644 index f5fd9ad5..00000000 --- a/chapter07/08-UsingHashCollisionLinearProbing.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/chapter07/08-UsingHashCollisionLinearProbing.js b/chapter07/08-UsingHashCollisionLinearProbing.js deleted file mode 100644 index 902384ee..00000000 --- a/chapter07/08-UsingHashCollisionLinearProbing.js +++ /dev/null @@ -1,29 +0,0 @@ -var hashLinearProbing = new HashLinearProbing(); - -hashLinearProbing.put('Gandalf', 'gandalf@email.com'); -hashLinearProbing.put('John', 'johnsnow@email.com'); -hashLinearProbing.put('Tyrion', 'tyrion@email.com'); -hashLinearProbing.put('Aaron', 'aaron@email.com'); -hashLinearProbing.put('Donnie', 'donnie@email.com'); -hashLinearProbing.put('Ana', 'ana@email.com'); -hashLinearProbing.put('Jonathan', 'jonathan@email.com'); -hashLinearProbing.put('Jamie', 'jamie@email.com'); -hashLinearProbing.put('Sue', 'sue@email.com'); -hashLinearProbing.put('Mindy', 'mindy@email.com'); -hashLinearProbing.put('Paul', 'paul@email.com'); -hashLinearProbing.put('Nathan', 'nathan@email.com'); - -console.log('**** Printing Hash **** '); - -hashLinearProbing.print(); - -console.log('**** Get **** '); - -console.log(hashLinearProbing.get('Nathan')); -console.log(hashLinearProbing.get('Loiane')); - -console.log('**** Remove **** '); - -hashLinearProbing.remove('Gandalf'); -console.log(hashLinearProbing.get('Gandalf')); -hashLinearProbing.print(); \ No newline at end of file diff --git a/chapter08/01-BinarySearchTree.js b/chapter08/01-BinarySearchTree.js deleted file mode 100644 index ae813fce..00000000 --- a/chapter08/01-BinarySearchTree.js +++ /dev/null @@ -1,187 +0,0 @@ -function BinarySearchTree() { - - var Node = function(key){ - this.key = key; - this.left = null; - this.right = null; - }; - - var root = null; - - this.insert = function(key){ - - var newNode = new Node(key); - - //special case - first element - if (root === null){ - root = newNode; - } else { - insertNode(root,newNode); - } - }; - - var insertNode = function(node, newNode){ - if (newNode.key < node.key){ - if (node.left === null){ - node.left = newNode; - } else { - insertNode(node.left, newNode); - } - } else { - if (node.right === null){ - node.right = newNode; - } else { - insertNode(node.right, newNode); - } - } - }; - - this.getRoot = function(){ - return root; - }; - - this.search = function(key){ - - return searchNode(root, key); - }; - - var searchNode = function(node, key){ - - if (node === null){ - return false; - } - - if (key < node.key){ - return searchNode(node.left, key); - - } else if (key > node.key){ - return searchNode(node.right, key); - - } else { //element is equal to node.item - return true; - } - }; - - this.inOrderTraverse = function(callback){ - inOrderTraverseNode(root, callback); - }; - - var inOrderTraverseNode = function (node, callback) { - if (node !== null) { - inOrderTraverseNode(node.left, callback); - callback(node.key); - inOrderTraverseNode(node.right, callback); - } - }; - - this.preOrderTraverse = function(callback){ - preOrderTraverseNode(root, callback); - }; - - var preOrderTraverseNode = function (node, callback) { - if (node !== null) { - callback(node.key); - preOrderTraverseNode(node.left, callback); - preOrderTraverseNode(node.right, callback); - } - }; - - this.postOrderTraverse = function(callback){ - postOrderTraverseNode(root, callback); - }; - - var postOrderTraverseNode = function (node, callback) { - if (node !== null) { - postOrderTraverseNode(node.left, callback); - postOrderTraverseNode(node.right, callback); - callback(node.key); - } - }; - - this.min = function() { - return minNode(root); - }; - - var minNode = function (node) { - if (node){ - while (node && node.left !== null) { - node = node.left; - } - - return node.key; - } - return null; - }; - - this.max = function() { - return maxNode(root); - }; - - var maxNode = function (node) { - if (node){ - while (node && node.right !== null) { - node = node.right; - } - - return node.key; - } - return null; - }; - - this.remove = function(element){ - root = removeNode(root, element); - }; - - var findMinNode = function(node){ - while (node && node.left !== null) { - node = node.left; - } - - return node; - }; - - var removeNode = function(node, element){ - - if (node === null){ - return null; - } - - if (element < node.key){ - node.left = removeNode(node.left, element); - return node; - - } else if (element > node.key){ - node.right = removeNode(node.right, element); - return node; - - } else { //element is equal to node.item - - //handle 3 special conditions - //1 - a leaf node - //2 - a node with only 1 child - //3 - a node with 2 children - - //case 1 - if (node.left === null && node.right === null){ - node = null; - return node; - } - - //case 2 - if (node.left === null){ - node = node.right; - return node; - - } else if (node.right === null){ - node = node.left; - return node; - } - - //case 3 - var aux = findMinNode(node.right); - node.key = aux.key; - node.right = removeNode(node.right, aux.key); - return node; - } - }; -} \ No newline at end of file diff --git a/chapter08/02-UsingBinarySearchTree.html b/chapter08/02-UsingBinarySearchTree.html deleted file mode 100644 index ed25a2c4..00000000 --- a/chapter08/02-UsingBinarySearchTree.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/chapter08/02-UsingBinarySearchTree.js b/chapter08/02-UsingBinarySearchTree.js deleted file mode 100644 index 3caef17c..00000000 --- a/chapter08/02-UsingBinarySearchTree.js +++ /dev/null @@ -1,52 +0,0 @@ -var tree = new BinarySearchTree(); - -tree.insert(11); -tree.insert(7); -tree.insert(15); -tree.insert(5); -tree.insert(3); -tree.insert(9); -tree.insert(8); -tree.insert(10); -tree.insert(13); -tree.insert(12); -tree.insert(14); -tree.insert(20); -tree.insert(18); -tree.insert(25); -tree.insert(6); - -console.log('********* in-order transverse ***********'); -function printNode(value){ - console.log(value); -} -tree.inOrderTraverse(printNode); - -console.log('********* pre-order transverse ***********'); -tree.preOrderTraverse(printNode); - -console.log('********* post-order transverse ***********'); -tree.postOrderTraverse(printNode); - - -console.log('********* max and min ***********'); -console.log(tree.max()); -console.log(tree.min()); -console.log(tree.search(1) ? 'Key 1 found.' : 'Key 1 not found.'); -console.log(tree.search(8) ? 'Key 8 found.' : 'Key 8 not found.'); - - -console.log('********* remove 6 ***********'); -tree.remove(6); -tree.inOrderTraverse(printNode); - -console.log('********* remove 5 ***********'); -tree.remove(5); -tree.inOrderTraverse(printNode); - -console.log('********* remove 15 ***********'); -tree.remove(15); -tree.inOrderTraverse(printNode); - -console.log('********* raw data structure ***********'); -console.log(tree.getRoot()); \ No newline at end of file diff --git a/chapter08/03-AVLTree.js b/chapter08/03-AVLTree.js deleted file mode 100644 index 277a22b6..00000000 --- a/chapter08/03-AVLTree.js +++ /dev/null @@ -1,149 +0,0 @@ -function AVLTree() { - - var Node = function(key){ - this.key = key; - this.left = null; - this.right = null; - }; - - var root = null; - - this.getRoot = function(){ - return root; - }; - - var heightNode = function(node) { - if (node === null) { - return -1; - } else { - return Math.max(heightNode(node.left), heightNode(node.right)) + 1; - } - }; - - var rotationLL = function(node) { - var tmp = node.left; - node.left = tmp.right; - tmp.right = node; - - return tmp; - }; - - var rotationRR = function(node) { - var tmp = node.right; - node.right = tmp.left; - tmp.left = node; - - return tmp; - }; - - var rotationLR = function(node) { - node.left = rotationRR(node.left); - return rotationLL(node); - }; - - var rotationRL = function(node) { - node.right = rotationLL(node.right); - return rotationRR(node); - }; - - var insertNode = function(node, element) { - - if (node === null) { - node = new Node(element); - - } else if (element < node.key) { - - node.left = insertNode(node.left, element); - - if (node.left !== null) { - - if ((heightNode(node.left) - heightNode(node.right)) > 1){ - if (element < node.left.key){ - node = rotationLL(node); - } else { - node = rotationLR(node); - } - } - } - } else if (element > node.key) { - - node.right = insertNode(node.right, element); - - if (node.right !== null) { - - if ((heightNode(node.right) - heightNode(node.left)) > 1){ - - if (element > node.right.key){ - node = rotationRR(node); - } else { - node = rotationRL(node); - } - } - } - } - - return node; - }; - - this.insert = function(element) { - root = insertNode(root, element); - }; - - var parentNode; - var nodeToBeDeleted; - - var removeNode = function(node, element) { - if (node === null) { - return null; - } - parentNode = node; - - if (element < node.key) { - node.left = removeNode(node.left, element); - } else { - nodeToBeDeleted = node; - node.right = removeNode(node.right, element); - } - - if (node === parentNode) { //remove node - if (nodeToBeDeleted !== null && element === nodeToBeDeleted.key) { - if (nodeToBeDeleted === parentNode) { - node = node.left; - } else { - var tmp = nodeToBeDeleted.key; - nodeToBeDeleted.key = parentNode.key; - parentNode.key = tmp; - node = node.right; - } - } - } else { //do balancing - - if (node.left === undefined) node.left = null; - if (node.right === undefined) node.right = null; - - if ((heightNode(node.left) - heightNode(node.right)) === 2) { - if (element < node.left.key) { - node = rotationLR(node); - } else { - node = rotationLL(node); - } - } - - if ((heightNode(node.right) - heightNode(node.left)) === 2) { - if (element > node.right.key) { - node = rotationRL(node); - } else { - node = rotationRR(node); - } - } - } - - return node; - }; - - this.remove = function(element) { - parentNode = null; - nodeToBeDeleted = null; - root = removeNode(root, element); - }; -} diff --git a/chapter08/04-UsingAVLTree.html b/chapter08/04-UsingAVLTree.html deleted file mode 100644 index f7ce18b0..00000000 --- a/chapter08/04-UsingAVLTree.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/chapter08/04-UsingAVLTree.js b/chapter08/04-UsingAVLTree.js deleted file mode 100644 index 1f70c66c..00000000 --- a/chapter08/04-UsingAVLTree.js +++ /dev/null @@ -1,61 +0,0 @@ -var avlTree = new AVLTree(); - -avlTree.insert(1); -avlTree.insert(2); -avlTree.insert(3); -avlTree.insert(4); -avlTree.insert(5); -avlTree.insert(6); -avlTree.insert(7); -avlTree.insert(14); -avlTree.insert(15); -avlTree.insert(13); -avlTree.insert(12); -avlTree.insert(11); - -//RR rotation -/*avlTree.insert(50); -avlTree.insert(30); -avlTree.insert(70); -avlTree.insert(60); -avlTree.insert(80); -avlTree.insert(90);*/ - -//LL rotation -/*avlTree.insert(50); -avlTree.insert(30); -avlTree.insert(70); -avlTree.insert(10); -avlTree.insert(40); -avlTree.insert(5);*/ - -//LR rotation -/*avlTree.insert(50); -avlTree.insert(30); -avlTree.insert(70); -avlTree.insert(40); -avlTree.insert(10); -avlTree.insert(35);*/ - -//RL rotation -/*avlTree.insert(70); -avlTree.insert(50); -avlTree.insert(80); -avlTree.insert(72); -avlTree.insert(90); -avlTree.insert(75);*/ - -console.log('********* raw data structure ***********'); -console.log(avlTree.getRoot()); - -/*avlTree.remove(12); -avlTree.remove(15); -avlTree.remove(11); -avlTree.remove(14); -avlTree.remove(13); -avlTree.remove(7); -avlTree.remove(6); -avlTree.remove(2); -avlTree.remove(4); - -console.log(avlTree.getRoot());*/ diff --git a/chapter09/01-Graph.js b/chapter09/01-Graph.js deleted file mode 100644 index ce4bd3ff..00000000 --- a/chapter09/01-Graph.js +++ /dev/null @@ -1,172 +0,0 @@ -function Graph() { - - var vertices = []; //list - - var adjList = new Dictionary(); - - this.addVertex = function(v){ - vertices.push(v); - adjList.set(v, []); //initialize adjacency list with array as well; - }; - - this.addEdge = function(v, w){ - adjList.get(v).push(w); - //adjList.get(w).push(v); //commented to run the improved DFS with topological sorting - }; - - this.toString = function(){ - var s = ''; - for (var i=0; i '; - var neighbors = adjList.get(vertices[i]); - for (var j=0; j - - - - - - - - - - - - - \ No newline at end of file diff --git a/chapter09/02-UsingGraphs.js b/chapter09/02-UsingGraphs.js deleted file mode 100644 index 3f143525..00000000 --- a/chapter09/02-UsingGraphs.js +++ /dev/null @@ -1,97 +0,0 @@ -var graph = new Graph(); - -var myVertices = ['A','B','C','D','E','F','G','H','I']; - -for (var i=0; i max){ - max = fTimes[myVertices[i]]; - maxName = myVertices[i]; - } - } - s += ' - ' + maxName; - delete fTimes[maxName]; -} -console.log(s); diff --git a/chapter10/01-SortingSearchingAlgorithms.js b/chapter10/01-SortingSearchingAlgorithms.js deleted file mode 100755 index b4081024..00000000 --- a/chapter10/01-SortingSearchingAlgorithms.js +++ /dev/null @@ -1,251 +0,0 @@ -function ArrayList(){ - - var array = []; - - this.insert = function(item){ - array.push(item); - }; - - var swap = function(index1, index2){ - var aux = array[index1]; - array[index1] = array[index2]; - array[index2] = aux; - }; - - this.toString= function(){ - return array.join(); - }; - - this.bubbleSort = function(){ - var length = array.length; - - for (var i=0; i array[j+1]){ - console.log('swap ' + array[j] + ' with ' + array[j+1]); - swap(j, j+1); - } - } - } - }; - - this.modifiedBubbleSort = function(){ - var length = array.length; - - for (var i=0; i array[j+1]){ - console.log('swap ' + array[j] + ' with ' + array[j+1]); - swap(j, j+1); - } - } - } - - }; - - this.selectionSort = function(){ - var length = array.length, - indexMin; - - for (var i=0; iarray[j]){ - console.log('new index min ' + array[j]); - indexMin = j; - } - } - if (i !== indexMin){ - console.log('swap ' + array[i] + ' with ' + array[indexMin]); - swap(i, indexMin); - } - } - }; - - this.insertionSort = function(){ - var length = array.length, - j, temp; - for (var i=1; i0 && array[j-1] > temp){ - console.log('shift ' + array[j-1]); - array[j] = array[j-1]; - j--; - } - console.log('insert ' + temp); - array[j] = temp; - } - }; - - this.mergeSort = function(){ - array = mergeSortRec(array); - }; - - var mergeSortRec = function(array){ - - var length = array.length; - - if(length === 1) { - console.log(array); - return array; - } - - var mid = Math.floor(length / 2), - left = array.slice(0, mid), - right = array.slice(mid, length); - - return merge(mergeSortRec(left), mergeSortRec(right)); - }; - - var merge = function(left, right){ - var result = [], - il = 0, - ir = 0; - - while(il < left.length && ir < right.length) { - - if(left[il] < right[ir]) { - result.push(left[il++]); - } else{ - result.push(right[ir++]); - } - } - - while (il < left.length){ - result.push(left[il++]); - } - - while (ir < right.length){ - result.push(right[ir++]); - } - - console.log(result); - - return result; - }; - - this.quickSort = function(){ - quick(array, 0, array.length - 1); - }; - - var partition = function(array, left, right) { - - var pivot = array[Math.floor((right + left) / 2)], - i = left, - j = right; - - console.log('pivot is ' + pivot + '; left is ' + left + '; right is ' + right); - - while (i <= j) { - while (array[i] < pivot) { - i++; - console.log('i = ' + i); - } - - while (array[j] > pivot) { - j--; - console.log('j = ' + j); - } - - if (i <= j) { - console.log('swap ' + array[i] + ' with ' + array[j]); - swapQuickStort(array, i, j); - i++; - j--; - } - } - - return i; - }; - - var swapQuickStort = function(array, index1, index2){ - var aux = array[index1]; - array[index1] = array[index2]; - array[index2] = aux; - }; - - var quick = function(array, left, right){ - - var index; - - if (array.length > 1) { - - index = partition(array, left, right); - - if (left < index - 1) { - quick(array, left, index - 1); - } - - if (index < right) { - quick(array, index, right); - } - } - return array; - }; - - this.sequentialSearch = function(item){ - - for (var i=0; i array[i]){ - min = array[i]; - } - } - - return min; - }; - - this.binarySearch = function(item){ - this.quickSort(); - - var low = 0, - high = array.length - 1, - mid, element; - - while (low <= high){ - mid = Math.floor((low + high) / 2); - element = array[mid]; - console.log('mid element is ' + element); - if (element < item) { - low = mid + 1; - console.log('low is ' + low); - } else if (element > item) { - high = mid - 1; - console.log('high is ' + high); - } else { - console.log('found it'); - return mid; - } - } - return -1; - }; - -} \ No newline at end of file diff --git a/chapter10/02-UsingSortingAlgorithms.html b/chapter10/02-UsingSortingAlgorithms.html deleted file mode 100755 index 7a666fdb..00000000 --- a/chapter10/02-UsingSortingAlgorithms.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/chapter10/02-UsingSortingAlgorithms.js b/chapter10/02-UsingSortingAlgorithms.js deleted file mode 100755 index e09c3e33..00000000 --- a/chapter10/02-UsingSortingAlgorithms.js +++ /dev/null @@ -1,90 +0,0 @@ -function createNonSortedArray(size){ - var array = new ArrayList(); - - for (var i = size; i> 0; i--){ - array.insert(i); - } - - return array; -} - -function createRandomNonSortedArray(){ - var array = new ArrayList(); - - array.insert(3); - array.insert(5); - array.insert(1); - array.insert(4); - array.insert(2); - - return array; -} - -console.log('********** Bubble Sort **********'); - -var array = createNonSortedArray(5); - -console.log(array.toString()); - -array.bubbleSort(); - -console.log(array.toString()); - -console.log('********** Modified Bubble Sort **********'); - -array = createNonSortedArray(5); - -console.log(array.toString()); - -array.modifiedBubbleSort(); - -console.log(array.toString()); - -console.log('********** Selection Sort **********'); - -array = createNonSortedArray(5); - -console.log(array.toString()); - -array.selectionSort(); - -console.log(array.toString()); - -console.log('********** Insertion Sort **********'); - -array = createRandomNonSortedArray(); - -console.log(array.toString()); - -array.insertionSort(); - -console.log(array.toString()); - -console.log('********** Merge Sort **********'); - -array = createNonSortedArray(8); - -console.log(array.toString()); - -array.mergeSort(); - -console.log(array.toString()); - -console.log('********** Quick Sort **********'); -array = new ArrayList(); - -array.insert(3); -array.insert(5); -array.insert(1); -array.insert(6); -array.insert(4); -array.insert(7); -array.insert(2); - -console.log(array.toString()); - -array.quickSort(); - -console.log(array.toString()); - - diff --git a/chapter10/03-UsingSearchingAlgorithms.html b/chapter10/03-UsingSearchingAlgorithms.html deleted file mode 100755 index a4e4b6a3..00000000 --- a/chapter10/03-UsingSearchingAlgorithms.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/chapter10/03-UsingSearchingAlgorithms.js b/chapter10/03-UsingSearchingAlgorithms.js deleted file mode 100755 index 62201e80..00000000 --- a/chapter10/03-UsingSearchingAlgorithms.js +++ /dev/null @@ -1,33 +0,0 @@ -function createNonSortedArray(items){ - var array = new ArrayList(); - - for (var i = items; i> 0; i--){ - array.insert(i); - } - - return array; -} - -var array = createNonSortedArray(5); - -console.log('********** Sequential Sort #3 **********'); - -console.log(array.sequentialSearch(3)); - -console.log('********** Min **********'); - -console.log(array.findMinValue()); - -console.log('********** Max **********'); - -console.log(array.findMaxValue()); - -console.log('********** Binary Search #3 **********'); - -console.log(array.binarySearch(3)); - -console.log('********** Binary Search #2 **********'); - -var array = createNonSortedArray(8); - -console.log(array.binarySearch(2)); \ No newline at end of file diff --git a/chapter11/01-Recursion.html b/chapter11/01-Recursion.html deleted file mode 100644 index 5961583b..00000000 --- a/chapter11/01-Recursion.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter11/01-Recursion.js b/chapter11/01-Recursion.js deleted file mode 100644 index bd16253d..00000000 --- a/chapter11/01-Recursion.js +++ /dev/null @@ -1,25 +0,0 @@ -//Recursive solution - DP -function fibonacci(num){ - if (num === 1 || num === 2){ - return 1; - } - if (num > 2){ - return fibonacci(num - 1) + fibonacci(num - 2); - } -} - -//Non Recursive solution -function fib(num){ - var n1 = 1, - n2 = 1, - n = 1; - for (var i = 3; i<=num; i++){ - n = n1 + n2; - n1 = n2; - n2 = n; - } - return n; -} - -console.log(fibonacci(6)); -console.log(fib(6)); \ No newline at end of file diff --git a/chapter11/02-InfiniteRecursion.html b/chapter11/02-InfiniteRecursion.html deleted file mode 100644 index e51a8132..00000000 --- a/chapter11/02-InfiniteRecursion.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter11/02-InfiniteRecursion.js b/chapter11/02-InfiniteRecursion.js deleted file mode 100644 index 2ca26d33..00000000 --- a/chapter11/02-InfiniteRecursion.js +++ /dev/null @@ -1,15 +0,0 @@ -var i = 0; - -function recursiveFn () { - i++; - recursiveFn(); -} - -try { - recursiveFn(); -} catch (ex) { - alert('i = ' + i + ' error: ' + ex); -} - -//chrome 37 = 20955 RangeError: Maximum call stack size exceeded -//ff 27 = 343429 InternalError: too much recursion \ No newline at end of file diff --git a/chapter11/03-MinCoinChangeDP.html b/chapter11/03-MinCoinChangeDP.html deleted file mode 100644 index c4171470..00000000 --- a/chapter11/03-MinCoinChangeDP.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter11/03-MinCoinChangeDP.js b/chapter11/03-MinCoinChangeDP.js deleted file mode 100644 index 75d0bfd2..00000000 --- a/chapter11/03-MinCoinChangeDP.js +++ /dev/null @@ -1,40 +0,0 @@ -function MinCoinChange(coins){ - - var coins = coins; - - var cache = {}; - - this.makeChange = function(amount) { - var me = this; - if (!amount) { - return []; - } - if (cache[amount]) { - return cache[amount]; - } - var min = [], newMin, newAmount; - for (var i=0; i= 0){ - newMin = me.makeChange(newAmount); - } - if ( - newAmount >= 0 && - (newMin.length < min.length-1 || !min.length) && - (newMin.length || !newAmount) - ){ - min = [coin].concat(newMin); - console.log('new Min ' + min + ' for ' + amount); - } - } - return (cache[amount] = min); - }; -} - - -var minCoinChange = new MinCoinChange([1, 5, 10, 25]); -console.log(minCoinChange.makeChange(36)); - -var minCoinChange2 = new MinCoinChange([1, 3, 4]); -console.log(minCoinChange2.makeChange(6)); \ No newline at end of file diff --git a/chapter11/04-MinCoinChangeGreedy.html b/chapter11/04-MinCoinChangeGreedy.html deleted file mode 100644 index cc01ddc2..00000000 --- a/chapter11/04-MinCoinChangeGreedy.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter11/04-MinCoinChangeGreedy.js b/chapter11/04-MinCoinChangeGreedy.js deleted file mode 100644 index a935c16b..00000000 --- a/chapter11/04-MinCoinChangeGreedy.js +++ /dev/null @@ -1,26 +0,0 @@ -function MinCoinChange(coins){ - - var coins = coins; - - var cache = {}; - - this.makeChange = function(amount) { - var change = [], - total = 0; - for (var i=coins.length; i>=0; i--){ - var coin = coins[i]; - while (total + coin <= amount) { - change.push(coin); - total += coin; - } - } - return change; - }; -} - - -var minCoinChange = new MinCoinChange([1, 5, 10, 25]); -console.log(minCoinChange.makeChange(36)); - -var minCoinChange2 = new MinCoinChange([1, 3, 4]); -console.log(minCoinChange2.makeChange(6)); \ No newline at end of file diff --git a/chapter11/05-BigONotation.html b/chapter11/05-BigONotation.html deleted file mode 100644 index 317a5bfb..00000000 --- a/chapter11/05-BigONotation.html +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/chapter11/05-BigONotation.js b/chapter11/05-BigONotation.js deleted file mode 100644 index a48bd6ab..00000000 --- a/chapter11/05-BigONotation.js +++ /dev/null @@ -1,65 +0,0 @@ -//*************** o(1) -function increment(num){ - console.log('cost for increment with input ' + num + ' is 1'); - return ++num; -} - -increment(1); -increment(2); - -//*************** o(n) - -function createNonSortedArray(size){ - var array = []; - - for (var i = size; i> 0; i--){ - array[i] = i; - } - - return array; -} - -function sequentialSearch(array, item){ - var cost = 0; - for (var i=0; i array[j+1]){ - swap(array, j, j+1); - } - } - } - console.log('cost for bubbleSort with input size ' + length + ' is ' + cost); -} - -var array1 = createNonSortedArray(99); -var array2 = createNonSortedArray(999); -var array3 = createNonSortedArray(9999); -bubbleSort(array1); -bubbleSort(array2); -bubbleSort(array3); \ No newline at end of file diff --git a/chapter11/bigOChart/chart.js b/chapter11/bigOChart/chart.js deleted file mode 100644 index 765794df..00000000 --- a/chapter11/bigOChart/chart.js +++ /dev/null @@ -1,37 +0,0 @@ -google.load('visualization', '1.0', {'packages':['corechart']}); -google.setOnLoadCallback(drawChart); - -function drawChart() { - - var data = new google.visualization.DataTable(); - data.addColumn('string', 'n'); - data.addColumn('number', 'O(1)'); - data.addColumn('number', 'O(log n)'); - data.addColumn('number', 'O(n)'); - data.addColumn('number', 'O(n log n)'); - data.addColumn('number', 'O(n^2)'); - data.addColumn('number', 'O(2^n)'); - - for (var i = 0; i <= 30; i++) { - data.addRow([i+'', 1, Math.log(i), i, Math.log(i)*i, Math.pow(i,2), Math.pow(2,i)]); - } - - var options = {'title':'Big O Notation Complexity Chart', - 'width':700, - 'height':600, - 'backgroundColor':{stroke:'#CCC',strokeWidth:1}, - 'curveType':'function', - 'hAxis':{ - title:'Elements (n)', - showTextEvery:5 - }, - 'vAxis':{ - title:'Operations', - viewWindowMode:'explicit', - viewWindow:{min:0,max:450} - } - }; - - var chart = new google.visualization.LineChart(document.getElementById('chart_div')); - chart.draw(data, options); -} \ No newline at end of file diff --git a/chapter11/bigOChart/index.html b/chapter11/bigOChart/index.html deleted file mode 100644 index 31118263..00000000 --- a/chapter11/bigOChart/index.html +++ /dev/null @@ -1,14 +0,0 @@ - - - - - - - - - -
- - \ No newline at end of file From c63f7c82bbbdd855adbde76de3704799e9b8cc4a Mon Sep 17 00:00:00 2001 From: loiane Date: Mon, 23 Oct 2017 11:41:43 -0200 Subject: [PATCH 161/162] merged 2nd ed --- chapter01/01-HelloWorld.html | 14 ++ chapter01/01-HelloWorld.js | 8 + chapter01/02-Variables.html | 10 + chapter01/03-Operators.html | 10 + chapter01/03-Operators.js | 68 +++++++ chapter01/04-TruthyFalsy.html | 10 + chapter01/04-TruthyFalsy.js | 23 +++ chapter01/05-EqualsOperators.html | 10 + chapter01/05-EqualsOperators.js | 36 ++++ chapter01/06-ConditionalStatements.html | 10 + chapter01/06-ConditionalStatements.js | 51 +++++ chapter01/07-Loops.html | 10 + chapter01/07-Loops.js | 23 +++ chapter01/08-Functions.html | 10 + chapter02/01-Introduction.html | 10 + chapter02/01-Introduction.js | 12 ++ chapter02/02-CreatingAndInitialingArrays.html | 10 + chapter02/02-CreatingAndInitialingArrays.js | 34 ++++ chapter02/03-AddingRemovingElements.html | 10 + chapter02/03-AddingRemovingElements.js | 73 +++++++ .../04-TwoDimensionalMultiDimensional.html | 10 + .../04-TwoDimensionalMultiDimensional.js | 62 ++++++ chapter02/05-ArrayMethods.html | 10 + chapter02/05-ArrayMethods.js | 113 +++++++++++ chapter03/01-Stack.html | 10 + chapter03/03-BalancedSymbols.html | 11 ++ chapter03/04-DecimalToBinary.html | 11 ++ chapter03/04-DecimalToBinary.js | 52 +++++ chapter03/05-TowerOfHanoi.html | 11 ++ chapter04/01-Queue.html | 10 + chapter04/03-PriorityQueue.html | 10 + chapter04/04-HotPotato.html | 11 ++ chapter06/03-Operations.html | 11 ++ chapter07/02-UsingDictionaries.html | 11 ++ chapter07/03-HashTable.js | 46 +++++ chapter07/04-UsingHash.html | 11 ++ chapter07/04-UsingHash.js | 29 +++ .../06-UsingHashCollisionSeparateChaining.js | 40 ++++ .../08-UsingHashCollisionLinearProbing.html | 11 ++ chapter08/01-BinarySearchTree.js | 187 ++++++++++++++++++ chapter09/02-UsingGraphs.html | 14 ++ chapter09/02-UsingGraphs.js | 97 +++++++++ chapter10/02-UsingSortingAlgorithms.html | 11 ++ chapter10/03-UsingSearchingAlgorithms.html | 11 ++ chapter10/03-UsingSearchingAlgorithms.js | 33 ++++ chapter11/01-Recursion.html | 10 + chapter11/01-Recursion.js | 25 +++ chapter11/02-InfiniteRecursion.html | 10 + chapter11/02-InfiniteRecursion.js | 15 ++ chapter11/03-MinCoinChangeDP.html | 10 + chapter11/04-MinCoinChangeGreedy.html | 10 + 51 files changed, 1355 insertions(+) create mode 100755 chapter01/01-HelloWorld.html create mode 100755 chapter01/01-HelloWorld.js create mode 100755 chapter01/02-Variables.html create mode 100755 chapter01/03-Operators.html create mode 100755 chapter01/03-Operators.js create mode 100755 chapter01/04-TruthyFalsy.html create mode 100755 chapter01/04-TruthyFalsy.js create mode 100755 chapter01/05-EqualsOperators.html create mode 100755 chapter01/05-EqualsOperators.js create mode 100755 chapter01/06-ConditionalStatements.html create mode 100755 chapter01/06-ConditionalStatements.js create mode 100755 chapter01/07-Loops.html create mode 100755 chapter01/07-Loops.js create mode 100755 chapter01/08-Functions.html create mode 100755 chapter02/01-Introduction.html create mode 100755 chapter02/01-Introduction.js create mode 100755 chapter02/02-CreatingAndInitialingArrays.html create mode 100755 chapter02/02-CreatingAndInitialingArrays.js create mode 100755 chapter02/03-AddingRemovingElements.html create mode 100755 chapter02/03-AddingRemovingElements.js create mode 100755 chapter02/04-TwoDimensionalMultiDimensional.html create mode 100755 chapter02/04-TwoDimensionalMultiDimensional.js create mode 100755 chapter02/05-ArrayMethods.html create mode 100755 chapter02/05-ArrayMethods.js create mode 100755 chapter03/01-Stack.html create mode 100755 chapter03/03-BalancedSymbols.html create mode 100755 chapter03/04-DecimalToBinary.html create mode 100755 chapter03/04-DecimalToBinary.js create mode 100755 chapter03/05-TowerOfHanoi.html create mode 100755 chapter04/01-Queue.html create mode 100755 chapter04/03-PriorityQueue.html create mode 100755 chapter04/04-HotPotato.html create mode 100755 chapter06/03-Operations.html create mode 100755 chapter07/02-UsingDictionaries.html create mode 100755 chapter07/03-HashTable.js create mode 100755 chapter07/04-UsingHash.html create mode 100755 chapter07/04-UsingHash.js create mode 100755 chapter07/06-UsingHashCollisionSeparateChaining.js create mode 100755 chapter07/08-UsingHashCollisionLinearProbing.html create mode 100755 chapter08/01-BinarySearchTree.js create mode 100755 chapter09/02-UsingGraphs.html create mode 100755 chapter09/02-UsingGraphs.js create mode 100755 chapter10/02-UsingSortingAlgorithms.html create mode 100755 chapter10/03-UsingSearchingAlgorithms.html create mode 100755 chapter10/03-UsingSearchingAlgorithms.js create mode 100755 chapter11/01-Recursion.html create mode 100755 chapter11/01-Recursion.js create mode 100755 chapter11/02-InfiniteRecursion.html create mode 100755 chapter11/02-InfiniteRecursion.js create mode 100755 chapter11/03-MinCoinChangeDP.html create mode 100755 chapter11/04-MinCoinChangeGreedy.html diff --git a/chapter01/01-HelloWorld.html b/chapter01/01-HelloWorld.html new file mode 100755 index 00000000..f7eca1bf --- /dev/null +++ b/chapter01/01-HelloWorld.html @@ -0,0 +1,14 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/01-HelloWorld.js b/chapter01/01-HelloWorld.js new file mode 100755 index 00000000..89833849 --- /dev/null +++ b/chapter01/01-HelloWorld.js @@ -0,0 +1,8 @@ +function output(t) { + document.write('

' + t + '

'); + return; +} + +alert('Hello, World!'); +console.log('Hello, World!'); +output('Hello, World!'); \ No newline at end of file diff --git a/chapter01/02-Variables.html b/chapter01/02-Variables.html new file mode 100755 index 00000000..f093a684 --- /dev/null +++ b/chapter01/02-Variables.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/03-Operators.html b/chapter01/03-Operators.html new file mode 100755 index 00000000..2502aa78 --- /dev/null +++ b/chapter01/03-Operators.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/03-Operators.js b/chapter01/03-Operators.js new file mode 100755 index 00000000..d1044b92 --- /dev/null +++ b/chapter01/03-Operators.js @@ -0,0 +1,68 @@ +/* Arithmetic operators */ +var num = 0; + +console.log('num value is ' + num); + +num = num + 2; + +console.log('New num value is ' + num); + +num = num * 3; + +console.log('New num value is ' + num); + +num = num / 2; + +console.log('New num value is ' + num); + +num++; + +num--; + +console.log('New num value is ' + num); + +console.log('num mod 2 value is ' + (num % 2)); + + +/* Assignment operators */ +num += 1; +num -= 2; +num *= 3; +num /= 2; +num %= 3; + +console.log('New num value is ' + num); + +/* Assignment operators */ +console.log('num == 1 : ' + (num == 1)); +console.log('num === 1 : ' + (num === 1)); +console.log('num != 1 : ' + (num != 1)); +console.log('num > 1 : ' + (num > 1)); +console.log('num < 1 : ' + (num < 1)); +console.log('num >= 1 : ' + (num >= 1)); +console.log('num <= 1 : ' + (num <= 1)); + +/* Logical operators */ +console.log('true && false : ' + (true && false)); +console.log('true || false : ' + (true || false)); +console.log('!true : ' + (!true)); + +/* Bitwise operators */ +console.log('5 & 1:', (5 & 1)); //same as 0101 & 0001 (result 0001 / 1) +console.log('5 | 1:', (5 | 1)); //same as 0101 | 0001 (result 0101 / 5) +console.log('~ 5:', (~5)); //same as ~0101 (result 1010 / 10) +console.log('5 ^ 1:', (5 ^ 1)); //same as 0101 ^ 0001 (result 0100 / 4) +console.log('5 << 1:', (5 << 1)); //same as 0101 << 1 (result 1010 / 10) +console.log('5 >> 1:', (5 >> 1)); //same as 0101 >> 1 (result 0010 / 2) + +/* typeOf */ +console.log('typeof num:', typeof num); +console.log('typeof Packt:', typeof 'Packt'); +console.log('typeof true:', typeof true); +console.log('typeof [1,2,3]:', typeof [1,2,3]); +console.log('typeof {name:John}:', typeof {name:'John'}); + +/* delete */ +var myObj = {name: 'John', age: 21}; +delete myObj.age; +console.log(myObj); //Object {name: "John"} \ No newline at end of file diff --git a/chapter01/04-TruthyFalsy.html b/chapter01/04-TruthyFalsy.html new file mode 100755 index 00000000..9b20f161 --- /dev/null +++ b/chapter01/04-TruthyFalsy.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/04-TruthyFalsy.js b/chapter01/04-TruthyFalsy.js new file mode 100755 index 00000000..d700cd2c --- /dev/null +++ b/chapter01/04-TruthyFalsy.js @@ -0,0 +1,23 @@ +function testTruthy(val){ + return val ? console.log('truthy') : console.log('falsy'); +} + +testTruthy(true); //true +testTruthy(false); //false +testTruthy(new Boolean(false)); //true (object is always true) + +testTruthy(''); //false +testTruthy('Packt'); //true +testTruthy(new String('')); //true (object is always true) + +testTruthy(1); //true +testTruthy(-1); //true +testTruthy(NaN); //false +testTruthy(new Number(NaN)); //true (object is always true) + +testTruthy({}); //true (object is always true) + +var obj = {name:'John'}; +testTruthy(obj); //true +testTruthy(obj.name); //true +testTruthy(obj.age); //age (prop does not exist) \ No newline at end of file diff --git a/chapter01/05-EqualsOperators.html b/chapter01/05-EqualsOperators.html new file mode 100755 index 00000000..bf26fbf3 --- /dev/null +++ b/chapter01/05-EqualsOperators.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/05-EqualsOperators.js b/chapter01/05-EqualsOperators.js new file mode 100755 index 00000000..253c21b9 --- /dev/null +++ b/chapter01/05-EqualsOperators.js @@ -0,0 +1,36 @@ +//Packt == true + +console.log('packt' ? true : false); +//outputs true + +console.log('packt' == true); +//1 - converts Boolean using toNumber +//'packt' == 1 +//2 - converts String using toNumber +//NaN == 1 +//outputs false + +console.log('packt' == false); +//1 - converts Boolean using toNumber +//'packt' == 0 +//2 - converts String using toNumber +//NaN == 0 +//outputs false + +console.log([0] == true); +//1 - converts Boolean using toNumber +//[0] == 1 +//2 - converts Object using toPrimitive +//2.1 - [0].valueOf() is not primitive +//2.2 - [0].toString is 0 +//0 == 1 +//outputs false + +//******************************* === +console.log('packt' === true); //false + +console.log('packt' === 'packt'); //true + +var person1 = {name:'John'}; +var person2 = {name:'John'}; +console.log(person1 === person2); //false, different objects \ No newline at end of file diff --git a/chapter01/06-ConditionalStatements.html b/chapter01/06-ConditionalStatements.html new file mode 100755 index 00000000..885a409b --- /dev/null +++ b/chapter01/06-ConditionalStatements.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/06-ConditionalStatements.js b/chapter01/06-ConditionalStatements.js new file mode 100755 index 00000000..c7256c80 --- /dev/null +++ b/chapter01/06-ConditionalStatements.js @@ -0,0 +1,51 @@ +/* Example 01 - if */ +var num = 1; +if (num === 1) { + console.log("num is equal to 1"); +} + +/* Example 02 - if-else */ +var num = 0; +if (num === 1) { + console.log("num is equal to 1"); +} else { + console.log("num is not equal to 1, the value of num is " + num); +} + +/* Example 03 - if-else-if-else... */ +var month = 5; +if (month === 1) { + console.log("January"); +} else if (month === 2){ + console.log("February"); +} else if (month === 3){ + console.log("March"); +} else { + console.log("Month is not January, February or March"); +} + +/* Example 04 - switch */ +var month = 5; +switch(month) { + case 1: + console.log("January"); + break; + case 2: + console.log("February"); + break; + case 3: + console.log("March"); + break; + default: + console.log("Month is not January, February or March"); +} + +/* Example 05 - ternary operator - if..else */ +if (num === 1){ + num--; +} else { + num++; +} + +//is the same as +(num === 1) ? num-- : num++; \ No newline at end of file diff --git a/chapter01/07-Loops.html b/chapter01/07-Loops.html new file mode 100755 index 00000000..e87a478f --- /dev/null +++ b/chapter01/07-Loops.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter01/07-Loops.js b/chapter01/07-Loops.js new file mode 100755 index 00000000..61cf20cb --- /dev/null +++ b/chapter01/07-Loops.js @@ -0,0 +1,23 @@ +console.log('**** for example ****'); + +/* for - example */ +for (var i=0; i<10; i++) { + console.log(i); +} + +console.log('**** while example ****'); +/* while - example */ +var i = 0; +while(i<10) +{ + console.log(i); + i++; +} + +console.log('**** do-while example ****'); +/* do-while - example */ +var i = 0; +do { + console.log(i); + i++; +} while (i<10) \ No newline at end of file diff --git a/chapter01/08-Functions.html b/chapter01/08-Functions.html new file mode 100755 index 00000000..cde89bcf --- /dev/null +++ b/chapter01/08-Functions.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter02/01-Introduction.html b/chapter02/01-Introduction.html new file mode 100755 index 00000000..86731b13 --- /dev/null +++ b/chapter02/01-Introduction.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter02/01-Introduction.js b/chapter02/01-Introduction.js new file mode 100755 index 00000000..93d80a8d --- /dev/null +++ b/chapter02/01-Introduction.js @@ -0,0 +1,12 @@ +var averageTempJan = 31.9; +var averageTempFeb = 35.3; +var averageTempMar = 42.4; +var averageTempApr = 52; +var averageTempMay = 60.8; + +var averageTemp = []; +averageTemp[0] = 31.9; +averageTemp[1] = 35.3; +averageTemp[2] = 42.4; +averageTemp[3] = 52; +averageTemp[4] = 60.8; diff --git a/chapter02/02-CreatingAndInitialingArrays.html b/chapter02/02-CreatingAndInitialingArrays.html new file mode 100755 index 00000000..7a51f1c9 --- /dev/null +++ b/chapter02/02-CreatingAndInitialingArrays.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter02/02-CreatingAndInitialingArrays.js b/chapter02/02-CreatingAndInitialingArrays.js new file mode 100755 index 00000000..1b20431e --- /dev/null +++ b/chapter02/02-CreatingAndInitialingArrays.js @@ -0,0 +1,34 @@ +var daysOfWeek = []; + +var daysOfWeek = ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday']; + +var daysOfWeek = new Array(); //{1} + +var daysOfWeek = new Array(7); //{2} + +console.log(daysOfWeek.length); + +var daysOfWeek = new Array('Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'); //{3} + +for (var i=0; i + + + + + + + + + \ No newline at end of file diff --git a/chapter02/03-AddingRemovingElements.js b/chapter02/03-AddingRemovingElements.js new file mode 100755 index 00000000..d19aa555 --- /dev/null +++ b/chapter02/03-AddingRemovingElements.js @@ -0,0 +1,73 @@ +function printArray(myArray) { + for (var i=0; i=0; i--){ + numbers[i] = numbers[i-1]; +} + +numbers[0] = -1; + +//printArray(numbers); + +//using method unshift +numbers.unshift(-2); + +//printArray(numbers); + +numbers.unshift(-4, -3); + +//printArray(numbers); + +//**** Removing elements + +numbers.pop(); + +//remove first position manually +/*for (var i=0; i + + + + + + + + + \ No newline at end of file diff --git a/chapter02/04-TwoDimensionalMultiDimensional.js b/chapter02/04-TwoDimensionalMultiDimensional.js new file mode 100755 index 00000000..7830e4d1 --- /dev/null +++ b/chapter02/04-TwoDimensionalMultiDimensional.js @@ -0,0 +1,62 @@ +var averageTempDay1 = [72,75,79,79,81,81]; +var averageTempDay2 = [81,79,75,75,73,72]; + +var averageTemp = []; + +//same as +averageTemp[0] = [72,75,79,79,81,81]; +averageTemp[1] = [81,79,75,75,73,72]; + +function printMatrix(myMatrix) { + for (var i=0; i + + + + + + + + + \ No newline at end of file diff --git a/chapter02/05-ArrayMethods.js b/chapter02/05-ArrayMethods.js new file mode 100755 index 00000000..7b59b8c0 --- /dev/null +++ b/chapter02/05-ArrayMethods.js @@ -0,0 +1,113 @@ +//*** contact +var zero = 0; +var positiveNumbers = [1,2,3]; +var negativeNumbers = [-3,-2,-1]; +var numbers = negativeNumbers.concat(zero, positiveNumbers); + +console.log(numbers); + +//console.log(numbers); + +//*** every and some +var isEven = function (x) { + // returns true if x is a multiple of 2. + console.log(x); + return (x % 2 == 0) ? true : false; +}; +var numbers = [1,2,3,4,5,6,7,8,9,10,11,12,13,14,15]; + +numbers.every(isEven); //is going to execute the function only once + +console.log('---'); + +numbers.some(isEven); //is going to execute the function twice + +numbers.forEach(function(x){ + console.log((x % 2 == 0)); +}); + +console.log(numbers.reverse()); + +//console.log('*** filter ***'); + +var evenNumbers = numbers.filter(isEven); + +//console.log(evenNumbers); + +console.log('*** map ***'); + +//console.log(numbers.map(isEven)); + +console.log(numbers.reduce(function(previous, current, index){ + return previous + current; +})); + +console.log(numbers.sort()); + +console.log(numbers.sort(function(a,b){ + return a-b; +})); + +function compare(a, b) { + if (a < b) { + return -1; + } + if (a > b) { + return 1; + } + // a must be equal to b + return 0; +} + +console.log(numbers.sort(compare)); + +//Sorting objects + +var friends = [ + {name: 'John', age: 30}, + {name: 'Ana', age: 20}, + {name: 'Chris', age: 25} +]; + +function comparePerson(a, b){ + if (a.age < b.age){ + return -1 + } + if (a.age > b.age){ + return 1 + } + return 0; +} + +console.log(friends.sort(comparePerson)); + +var names =['Ana', 'ana', 'john', 'John']; +console.log(names.sort()); + +console.log(names.sort(function(a, b){ + if (a.toLowerCase() < b.toLowerCase()){ + return -1 + } + if (a.toLowerCase() > b.toLowerCase()){ + return 1 + } + return 0; +})); + +var names2 = ['Maève', 'Maeve']; +console.log(names2.sort(function(a, b){ + return a.localeCompare(b); +})); + +//*** toString +console.log(numbers.toString()); + +console.log(numbers.indexOf(10)); +console.log(numbers.indexOf(100)); + +numbers.push(10); +console.log(numbers.lastIndexOf(10)); +console.log(numbers.lastIndexOf(100)); + +var numbersString = numbers.join('-'); +console.log(numbersString); \ No newline at end of file diff --git a/chapter03/01-Stack.html b/chapter03/01-Stack.html new file mode 100755 index 00000000..e936b4e1 --- /dev/null +++ b/chapter03/01-Stack.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter03/03-BalancedSymbols.html b/chapter03/03-BalancedSymbols.html new file mode 100755 index 00000000..d347fe2e --- /dev/null +++ b/chapter03/03-BalancedSymbols.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter03/04-DecimalToBinary.html b/chapter03/04-DecimalToBinary.html new file mode 100755 index 00000000..a178b773 --- /dev/null +++ b/chapter03/04-DecimalToBinary.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter03/04-DecimalToBinary.js b/chapter03/04-DecimalToBinary.js new file mode 100755 index 00000000..d4695b51 --- /dev/null +++ b/chapter03/04-DecimalToBinary.js @@ -0,0 +1,52 @@ +//233 == 11101001 +//2x(10x10) + 3x(10) + 3x(1) + +function divideBy2(decNumber){ + + var remStack = new Stack(), + rem, + binaryString = ''; + + while (decNumber > 0){ + rem = Math.floor(decNumber % 2); + remStack.push(rem); + decNumber = Math.floor(decNumber / 2); + } + + while (!remStack.isEmpty()){ + binaryString += remStack.pop().toString(); + } + + return binaryString; +} + +console.log(divideBy2(233)); +console.log(divideBy2(10)); +console.log(divideBy2(1000)); + +/* + The folow algorithm converts from base 10 to any base + */ +function baseConverter(decNumber, base){ + + var remStack = new Stack(), + rem, + baseString = '', + digits = '0123456789ABCDEF'; + + while (decNumber > 0){ + rem = Math.floor(decNumber % base); + remStack.push(rem); + decNumber = Math.floor(decNumber / base); + } + + while (!remStack.isEmpty()){ + baseString += digits[remStack.pop()]; + } + + return baseString; +} + +console.log(baseConverter(100345, 2)); +console.log(baseConverter(100345, 8)); +console.log(baseConverter(100345, 16)); \ No newline at end of file diff --git a/chapter03/05-TowerOfHanoi.html b/chapter03/05-TowerOfHanoi.html new file mode 100755 index 00000000..8e11f147 --- /dev/null +++ b/chapter03/05-TowerOfHanoi.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter04/01-Queue.html b/chapter04/01-Queue.html new file mode 100755 index 00000000..4220c419 --- /dev/null +++ b/chapter04/01-Queue.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter04/03-PriorityQueue.html b/chapter04/03-PriorityQueue.html new file mode 100755 index 00000000..924bf7c4 --- /dev/null +++ b/chapter04/03-PriorityQueue.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter04/04-HotPotato.html b/chapter04/04-HotPotato.html new file mode 100755 index 00000000..1efd71c5 --- /dev/null +++ b/chapter04/04-HotPotato.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter06/03-Operations.html b/chapter06/03-Operations.html new file mode 100755 index 00000000..ff01c7ae --- /dev/null +++ b/chapter06/03-Operations.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter07/02-UsingDictionaries.html b/chapter07/02-UsingDictionaries.html new file mode 100755 index 00000000..f0f8e0eb --- /dev/null +++ b/chapter07/02-UsingDictionaries.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter07/03-HashTable.js b/chapter07/03-HashTable.js new file mode 100755 index 00000000..c72783aa --- /dev/null +++ b/chapter07/03-HashTable.js @@ -0,0 +1,46 @@ +function HashTable() { + + var table = []; + + var loseloseHashCode = function (key) { + var hash = 0; + for (var i = 0; i < key.length; i++) { + hash += key.charCodeAt(i); + } + return hash % 37; + }; + + var djb2HashCode = function (key) { + var hash = 5381; + for (var i = 0; i < key.length; i++) { + hash = hash * 33 + key.charCodeAt(i); + } + return hash % 1013; + }; + + var hashCode = function (key) { + return loseloseHashCode(key); + }; + + this.put = function (key, value) { + var position = hashCode(key); + console.log(position + ' - ' + key); + table[position] = value; + }; + + this.get = function (key) { + return table[hashCode(key)]; + }; + + this.remove = function(key){ + table[hashCode(key)] = undefined; + }; + + this.print = function () { + for (var i = 0; i < table.length; ++i) { + if (table[i] !== undefined) { + console.log(i + ": " + table[i]); + } + } + }; +} \ No newline at end of file diff --git a/chapter07/04-UsingHash.html b/chapter07/04-UsingHash.html new file mode 100755 index 00000000..104be603 --- /dev/null +++ b/chapter07/04-UsingHash.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter07/04-UsingHash.js b/chapter07/04-UsingHash.js new file mode 100755 index 00000000..d0735eeb --- /dev/null +++ b/chapter07/04-UsingHash.js @@ -0,0 +1,29 @@ +var hash = new HashTable(); + +hash.put('Gandalf', 'gandalf@email.com'); +hash.put('John', 'johnsnow@email.com'); +hash.put('Tyrion', 'tyrion@email.com'); +hash.put('Aaron', 'aaron@email.com'); +hash.put('Donnie', 'donnie@email.com'); +hash.put('Ana', 'ana@email.com'); +hash.put('Jonathan', 'jonathan@email.com'); +hash.put('Jamie', 'jamie@email.com'); +hash.put('Sue', 'sue@email.com'); +hash.put('Mindy', 'mindy@email.com'); +hash.put('Paul', 'paul@email.com'); +hash.put('Nathan', 'nathan@email.com'); + +console.log('**** Printing Hash **** '); + +hash.print(); + +console.log('**** Get **** '); + +console.log(hash.get('Gandalf')); +console.log(hash.get('Loiane')); + +console.log('**** Remove **** '); + +hash.remove('Gandalf'); +console.log(hash.get('Gandalf')); +hash.print(); \ No newline at end of file diff --git a/chapter07/06-UsingHashCollisionSeparateChaining.js b/chapter07/06-UsingHashCollisionSeparateChaining.js new file mode 100755 index 00000000..2a0d3c37 --- /dev/null +++ b/chapter07/06-UsingHashCollisionSeparateChaining.js @@ -0,0 +1,40 @@ +var hashTableSeparateChaining = new HashTableSeparateChaining(); + +hashTableSeparateChaining.put('Gandalf', 'gandalf@email.com'); +hashTableSeparateChaining.put('John', 'johnsnow@email.com'); +hashTableSeparateChaining.put('Tyrion', 'tyrion@email.com'); +hashTableSeparateChaining.put('Aaron', 'aaron@email.com'); +hashTableSeparateChaining.put('Donnie', 'donnie@email.com'); +hashTableSeparateChaining.put('Ana', 'ana@email.com'); +hashTableSeparateChaining.put('Jonathan', 'jonathan@email.com'); +hashTableSeparateChaining.put('Jamie', 'jamie@email.com'); +hashTableSeparateChaining.put('Sue', 'sue@email.com'); +hashTableSeparateChaining.put('Mindy', 'mindy@email.com'); +hashTableSeparateChaining.put('Paul', 'paul@email.com'); +hashTableSeparateChaining.put('Nathan', 'nathan@email.com'); + +console.log('**** Printing Hash **** '); + +hashTableSeparateChaining.print(); + +console.log('**** Get **** '); + +console.log(hashTableSeparateChaining.get('Jamie')); +console.log(hashTableSeparateChaining.get('Sue')); +console.log(hashTableSeparateChaining.get('Jonathan')); +console.log(hashTableSeparateChaining.get('Loiane')); + +console.log('**** Remove **** '); + +console.log(hashTableSeparateChaining.remove('Gandalf')); +console.log(hashTableSeparateChaining.get('Gandalf')); +hashTableSeparateChaining.print(); + +console.log(hashTableSeparateChaining.remove('Sue')); +hashTableSeparateChaining.print(); + +console.log(hashTableSeparateChaining.remove('Jamie')); +hashTableSeparateChaining.print(); + +console.log(hashTableSeparateChaining.remove('Donnie')); +hashTableSeparateChaining.print(); \ No newline at end of file diff --git a/chapter07/08-UsingHashCollisionLinearProbing.html b/chapter07/08-UsingHashCollisionLinearProbing.html new file mode 100755 index 00000000..f5fd9ad5 --- /dev/null +++ b/chapter07/08-UsingHashCollisionLinearProbing.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter08/01-BinarySearchTree.js b/chapter08/01-BinarySearchTree.js new file mode 100755 index 00000000..ae813fce --- /dev/null +++ b/chapter08/01-BinarySearchTree.js @@ -0,0 +1,187 @@ +function BinarySearchTree() { + + var Node = function(key){ + this.key = key; + this.left = null; + this.right = null; + }; + + var root = null; + + this.insert = function(key){ + + var newNode = new Node(key); + + //special case - first element + if (root === null){ + root = newNode; + } else { + insertNode(root,newNode); + } + }; + + var insertNode = function(node, newNode){ + if (newNode.key < node.key){ + if (node.left === null){ + node.left = newNode; + } else { + insertNode(node.left, newNode); + } + } else { + if (node.right === null){ + node.right = newNode; + } else { + insertNode(node.right, newNode); + } + } + }; + + this.getRoot = function(){ + return root; + }; + + this.search = function(key){ + + return searchNode(root, key); + }; + + var searchNode = function(node, key){ + + if (node === null){ + return false; + } + + if (key < node.key){ + return searchNode(node.left, key); + + } else if (key > node.key){ + return searchNode(node.right, key); + + } else { //element is equal to node.item + return true; + } + }; + + this.inOrderTraverse = function(callback){ + inOrderTraverseNode(root, callback); + }; + + var inOrderTraverseNode = function (node, callback) { + if (node !== null) { + inOrderTraverseNode(node.left, callback); + callback(node.key); + inOrderTraverseNode(node.right, callback); + } + }; + + this.preOrderTraverse = function(callback){ + preOrderTraverseNode(root, callback); + }; + + var preOrderTraverseNode = function (node, callback) { + if (node !== null) { + callback(node.key); + preOrderTraverseNode(node.left, callback); + preOrderTraverseNode(node.right, callback); + } + }; + + this.postOrderTraverse = function(callback){ + postOrderTraverseNode(root, callback); + }; + + var postOrderTraverseNode = function (node, callback) { + if (node !== null) { + postOrderTraverseNode(node.left, callback); + postOrderTraverseNode(node.right, callback); + callback(node.key); + } + }; + + this.min = function() { + return minNode(root); + }; + + var minNode = function (node) { + if (node){ + while (node && node.left !== null) { + node = node.left; + } + + return node.key; + } + return null; + }; + + this.max = function() { + return maxNode(root); + }; + + var maxNode = function (node) { + if (node){ + while (node && node.right !== null) { + node = node.right; + } + + return node.key; + } + return null; + }; + + this.remove = function(element){ + root = removeNode(root, element); + }; + + var findMinNode = function(node){ + while (node && node.left !== null) { + node = node.left; + } + + return node; + }; + + var removeNode = function(node, element){ + + if (node === null){ + return null; + } + + if (element < node.key){ + node.left = removeNode(node.left, element); + return node; + + } else if (element > node.key){ + node.right = removeNode(node.right, element); + return node; + + } else { //element is equal to node.item + + //handle 3 special conditions + //1 - a leaf node + //2 - a node with only 1 child + //3 - a node with 2 children + + //case 1 + if (node.left === null && node.right === null){ + node = null; + return node; + } + + //case 2 + if (node.left === null){ + node = node.right; + return node; + + } else if (node.right === null){ + node = node.left; + return node; + } + + //case 3 + var aux = findMinNode(node.right); + node.key = aux.key; + node.right = removeNode(node.right, aux.key); + return node; + } + }; +} \ No newline at end of file diff --git a/chapter09/02-UsingGraphs.html b/chapter09/02-UsingGraphs.html new file mode 100755 index 00000000..75722d85 --- /dev/null +++ b/chapter09/02-UsingGraphs.html @@ -0,0 +1,14 @@ + + + + + + + + + + + + + + \ No newline at end of file diff --git a/chapter09/02-UsingGraphs.js b/chapter09/02-UsingGraphs.js new file mode 100755 index 00000000..3f143525 --- /dev/null +++ b/chapter09/02-UsingGraphs.js @@ -0,0 +1,97 @@ +var graph = new Graph(); + +var myVertices = ['A','B','C','D','E','F','G','H','I']; + +for (var i=0; i max){ + max = fTimes[myVertices[i]]; + maxName = myVertices[i]; + } + } + s += ' - ' + maxName; + delete fTimes[maxName]; +} +console.log(s); diff --git a/chapter10/02-UsingSortingAlgorithms.html b/chapter10/02-UsingSortingAlgorithms.html new file mode 100755 index 00000000..7a666fdb --- /dev/null +++ b/chapter10/02-UsingSortingAlgorithms.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter10/03-UsingSearchingAlgorithms.html b/chapter10/03-UsingSearchingAlgorithms.html new file mode 100755 index 00000000..a4e4b6a3 --- /dev/null +++ b/chapter10/03-UsingSearchingAlgorithms.html @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/chapter10/03-UsingSearchingAlgorithms.js b/chapter10/03-UsingSearchingAlgorithms.js new file mode 100755 index 00000000..62201e80 --- /dev/null +++ b/chapter10/03-UsingSearchingAlgorithms.js @@ -0,0 +1,33 @@ +function createNonSortedArray(items){ + var array = new ArrayList(); + + for (var i = items; i> 0; i--){ + array.insert(i); + } + + return array; +} + +var array = createNonSortedArray(5); + +console.log('********** Sequential Sort #3 **********'); + +console.log(array.sequentialSearch(3)); + +console.log('********** Min **********'); + +console.log(array.findMinValue()); + +console.log('********** Max **********'); + +console.log(array.findMaxValue()); + +console.log('********** Binary Search #3 **********'); + +console.log(array.binarySearch(3)); + +console.log('********** Binary Search #2 **********'); + +var array = createNonSortedArray(8); + +console.log(array.binarySearch(2)); \ No newline at end of file diff --git a/chapter11/01-Recursion.html b/chapter11/01-Recursion.html new file mode 100755 index 00000000..5961583b --- /dev/null +++ b/chapter11/01-Recursion.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter11/01-Recursion.js b/chapter11/01-Recursion.js new file mode 100755 index 00000000..bd16253d --- /dev/null +++ b/chapter11/01-Recursion.js @@ -0,0 +1,25 @@ +//Recursive solution - DP +function fibonacci(num){ + if (num === 1 || num === 2){ + return 1; + } + if (num > 2){ + return fibonacci(num - 1) + fibonacci(num - 2); + } +} + +//Non Recursive solution +function fib(num){ + var n1 = 1, + n2 = 1, + n = 1; + for (var i = 3; i<=num; i++){ + n = n1 + n2; + n1 = n2; + n2 = n; + } + return n; +} + +console.log(fibonacci(6)); +console.log(fib(6)); \ No newline at end of file diff --git a/chapter11/02-InfiniteRecursion.html b/chapter11/02-InfiniteRecursion.html new file mode 100755 index 00000000..e51a8132 --- /dev/null +++ b/chapter11/02-InfiniteRecursion.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter11/02-InfiniteRecursion.js b/chapter11/02-InfiniteRecursion.js new file mode 100755 index 00000000..2ca26d33 --- /dev/null +++ b/chapter11/02-InfiniteRecursion.js @@ -0,0 +1,15 @@ +var i = 0; + +function recursiveFn () { + i++; + recursiveFn(); +} + +try { + recursiveFn(); +} catch (ex) { + alert('i = ' + i + ' error: ' + ex); +} + +//chrome 37 = 20955 RangeError: Maximum call stack size exceeded +//ff 27 = 343429 InternalError: too much recursion \ No newline at end of file diff --git a/chapter11/03-MinCoinChangeDP.html b/chapter11/03-MinCoinChangeDP.html new file mode 100755 index 00000000..c4171470 --- /dev/null +++ b/chapter11/03-MinCoinChangeDP.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/chapter11/04-MinCoinChangeGreedy.html b/chapter11/04-MinCoinChangeGreedy.html new file mode 100755 index 00000000..cc01ddc2 --- /dev/null +++ b/chapter11/04-MinCoinChangeGreedy.html @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file From 208b75777f02e796aa2e34cc1c405797ef19f6e3 Mon Sep 17 00:00:00 2001 From: Loiane Groner Date: Mon, 20 Nov 2017 13:08:47 -0200 Subject: [PATCH 162/162] Update 14-ES6ParameterHandling.js --- chapter01/14-ES6ParameterHandling.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/chapter01/14-ES6ParameterHandling.js b/chapter01/14-ES6ParameterHandling.js index 4645f2a7..af23585c 100644 --- a/chapter01/14-ES6ParameterHandling.js +++ b/chapter01/14-ES6ParameterHandling.js @@ -14,7 +14,7 @@ function sum2 (x, y, z) { z = 3; return x + y + z; }; -console.log(sum2(4,2)); //outpus 10 +console.log(sum2(4,2)); //outpus 9 //******* EcmaScript 6: spread operator ('...') var params = [3, 4, 5];