js new function code example

Example 1: js function

var x = 10;

function créerFonction1() {
  var x = 20;
  return new Function("return x;"); // ici |x| fait référence au |x| global
}

function créerFonction2() {
  var x = 20;
  function f() {
    return x; // ici |x| fait référence au |x| local juste avant
  }
  return f;
}

var f1 = créerFonction1();
console.log(f1());          // 10
var f2 = créerFonction2();
console.log(f2());          // 20

Example 2: new function in javascript

// NOTE : Function defined using (Function CONSTRUCTOR) does not 
//        inherits any scope other than the GLOBAL SCOPE
 
var x=7;
function A(){
  var x=70;
   function B(){
     console.log(x);                // 70
   }
     let C = function(){
      console.log(x);              // 70
     }
	 		let D = new Function('console.log(x)'); // user caps F

	B();  // 70
    C(); // 70
    D();// 7 - Inherits always the GLOBAL scope
};

A();

Example 3: new function javascript

var add = function(num1, num2) {
  return num1 + num2
}