xxxxxxxxxx
/* A constructor in Javascript is used to create a new object and set values
for any existing object properties*/
class Animal{
constructor (name, height, weight){
console.log("created animal named", name)
}
nameLength() {
return name.length;
}
}
var dog = new Animal("Fido", 25, 90);
var fish = new Animal("Goldie", 2, .02);
console.log(dog.nameLength);
xxxxxxxxxx
// The function constructor can take in multiple statements separated by a semicolon. Function expressions require a return statement with the function's name
// Observe that new Function is called. This is so we can call the function we created directly afterwards
const sumOfArray = new Function('const sumArray = (arr) => arr.reduce((previousValue, currentValue) => previousValue + currentValue); return sumArray')();
// call the function
sumOfArray([1, 2, 3, 4]);
// 10
// If you don't call new Function at the point of creation, you can use the Function.call() method to call it
const findLargestNumber = new Function('function findLargestNumber (arr) { return Math.max(...arr) }; return findLargestNumber');
// call the function
findLargestNumber.call({}).call({}, [2, 4, 1, 8, 5]);
// 8
// Function declarations do not require a return statement
const sayHello = new Function('return function (name) { return `Hello, ${name}` }')();
// call the function
sayHello('world');
// Hello, world