6.S082 Lecture 15 More Functional Programming

Closures

Closures

Closure Example


						function makeCounter(init) {
							let count = init;

							return function(delta) {
								count = count + delta;
								return count;
							};
						}

						let myCounter = makeCounter(4);
						console.log(myCounter(1));
				

What will happen when the button is clicked?


							function foo(n) {
								let i;
								for (i = 1; i <= n; i++) {
									button.addEventListener("click", evt => {
										console.log(i);
									});
								}
							}
							foo(3);
				
  1. console logs 1, 2, 3
  2. console logs 4, 4, 4
  • variable i in foo's scope
  • updated during for loop
  • listener is invoked after loop ends
  • At which point value of i is 4

What will happen when the button is clicked?


							function foo(n) {
								let i;
								for (i = 1; i <= n; i++) {
									button.addEventListener("click", evt => {
										let j=i;
										console.log(i);
									});
								}
							}
							foo(3);
				
  1. console logs 1, 2, 3
  2. console logs 4, 4, 4
  • j defined in callback scope
  • instantiated when callback is invoked
  • callback is invoked after loop ends
  • At which point value of i is 4

What will happen when the button is clicked?


							function foo(n) {
								let i;
								for (i = 1; i <= n; i++) {
									let j=i;
									button.addEventListener("click", evt => {
										console.log(j);
									});
								}
							}
					
  1. console logs 1, 2, 3
  2. console logs 4, 4, 4
  • j is bound inside for loop scope
  • during execution of for loop
  • each iteration gets a distinct j
  • set to the appropriate i
  • long before execution of callback

What will happen when the button is clicked?


						function foo(n) {
							let i;
							for (let i = 1; i <= n; i++) {
								button.addEventListener("click", evt => {
									console.log(i);
								});
							}
						}
				

Common enough pattern that useful syntax was introduced

let inside for statement declares variable inside loop scope

Modularity with Function Closures

Sharing a Function

  • You write some JS to provide a function main()
  • It relies on a helper() function
  • What can go wrong?
  • helper is in the global name space
  • what if some other code has a function called helper()?
						
							<script>
							function helper() {
							...
							}

							function main() {
								helper();
							...
							}
							</script>
						
					

Hiding in a Closure

  • Write your code inside a function scope
  • Top level function executes immediately
  • All your code is hidden in the local scope by default
  • You can decide what names to expose by setting global variables
						
							(function () {
								// defined in local scope
								function helper () {
								...
								}

								// set in global scope
								main = function () {
									helper();
									...
								}
							})();
						
					

Hiding in a Closure

  • Even better: let the user of your code choose the name
  • Return the function you want exposed
  • They assign it to a variable name of their choice
						
							let main = (function () {
								function helper () {
								...
								}

								function myFunction () {
									helper();
									...
								}

								return myFunction;
							})();
						
					

The Singleton Pattern

						
							//defining a library
							function makeMyLibrary () {
								function helper () {
								...
								}

								function mainFunction () {
									helper();
								}

								function otherMainFunction() ...

								return {
									"main": mainFunction,
									"otherMain": otherMainFunction};
								};
							}
					
  • Nice way to minimize your impact on the global context
  • Even if you want to provide many functions
  • Define one object that contains all the functions/properties you want to expose
  • Define any local variables in local scope of your defining function

							//library user
							let library = makeMyLibrary();
							library.main();
						
					

Functions for Dispatching

If Then Else


							function combine(key,x,y) {
								if (key == '+') {
									return x+y;
								} else if (key == '-') {
									return x-y;
								} else if (key == '^') {
									return x**y;
								} else if (key == '*') {
									return x*y;
								}
							}
					
  • data about operations interleaved with computation
  • writing a new op means changing the code
  • inefficient walk through all cases

Function Dictionary


							(function () {
								let ops = {
									"+": (x,y) => x+y;
									"-": (x,y) => x-y;
									"*": (x,y) => x*y;
							        "^": (x,y) => x**y;
							};

							function combine(key,x,y) {
								returns ops[key](x,y);
								};
							})();
					
  • Data about operations separated from code
  • Adding an operation edits only the data
  • Efficiently jump to relevant case
  • DRY avoids duplication of if test
  • Can even write functions to dynamically add new operations

This and Bind

This

Holding an Object

						
							{
							let elt = document.getElementById("link")

							elt.setAttribute("href","http://mit.edu/");

							let attr = elt.setAttribute;

							attr("href","http://harvard.edu/");
							}
						
					
What is in the href attribute?
  1. MIT
  2. Harvard
  • f is called as a plain function
  • its context is the window object
  • elt has been lost
  • f=setAttribute function doesn't know what element to set

Bind to the Rescue

						
							{
							let elt = document.getElementById("link")

							elt.setAttribute("href","http://mit.edu/");

							let attr = elt.setAttribute;
							let boundAttr = attr.bind(elt);

							boundAttr("href","http://harvard.edu/");
							}
						
					
What is in the href attribute?
  1. MIT
  2. Harvard
  • bind fixes the this argument to a function
  • can be used to remember the object of the method
  • or to change it to a different object

Partial Function Evaluation

  • Bind can also bind other arguments of the function/method
  • Useful if you plan to frequently repeat same arguments
  • Or use the function as a callback with parameters the calling function shouldn't know about
  • Limitation: can only bind a prefix of the arguments
						
							let add = (x,y) => x+y;
							let power = (x,y) => x**y;
							let increment = add.bind(null,1);
							let exp = power.bind(null,2.718);

							//can't let square = power.bind(null, 2);
							//power.bind(null,2) produces 2**y
						
					

Chaining

Method Sequences

  • Often, sequence of updates on an object
  • Some redundancy repeating object name
  • Can we remove it?
						
							function action1 () {
								this.age=17;
								...
								return;   // no return value
							}

							element.action1();
							element.action2();
							element.action3();
						
					

Chaining Pattern

  • Having/using no return value is a waste
  • Modify methods to return their own object
  • Now can apply next method on returned value
						
							function action1 () {
								this.age = 17;
								...
								return this; // chainable
							}

							element.action1().action2().action(3);

							element.action1()
								.action2();
								.action3();
						
					

Functions can do anything

Implementing Objects

  • Suppose a language only has functions
  • You can implement objects yourself!
  • Converse not true: objects cannot implement functions
  • Implement an object as a function that, given a key, returns the value associated with that key
  • To set a key, define a new function that knows what to return for that key and otherwise asks the old function

							const emptyObject = function() {
								return (key) => undefined;
							}

							const oSet = function(obj,key,value) {
								return function(q) {
									if (q == key) {
										return value;
										} else {
										return obj(q);
									}
								}
							}
					

Implementing Objects


							const emptyObject = function() {
								return (key) => undefined;
							}

							const oSet = function(obj,key,value) {
								return function(q) {
									if (q == key) {
										return value;
									} else {
										return obj(q);
									}
								}
							}
					

							a = emptyObject();
							b = oSet(a,"x",1);  //b wraps a
							c = oSet(b,"y",2);  //c wraps b
							c("y");   // c recognizes and returns 2
							c("x");   // c doesn't recognize
									  //   so evaluates b("x")
									  //   which returns 1
							c("z");   // returns undefined
					

Implementing Booleans

  • λ-calculus developed by Alonzo Church to explore the theory of computation using functions
    • “function“ keyword in JS is equivalent to “λ”
    • λ(x)(+ 1 x)
  • TRUE is a function that returns its first argument
  • FALSE returns its second
  • IF just applies its first argument to the next two
  • Everything is functions, so these functions all return functions

							const TRUE = (x,y) => x;
							const FALSE = (x,y) => y;
							const IF = (x,y,z) => x(y,z);
							const NOT = x => if(x,FALSE,TRUE);
							const AND = (x,y) => IF (x,y,FALSE);
							const OR = (x,y) => IF (x,TRUE,y);

							AND(TRUE,FALSE) -> IF(TRUE,FALSE,FALSE)
			        -> TRUE(FALSE,FALSE)
			        -> FALSE;

							AND(TRUE,TRUE)  -> IF(TRUE,TRUE,FALSE)
			        -> TRUE(TRUE,FALSE)
			        -> FALSE;
						
					

Summary