forked from bloominstituteoftechnology/JavaScript-II-Mini
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathconstructors.js
More file actions
80 lines (63 loc) · 1.96 KB
/
constructors.js
File metadata and controls
80 lines (63 loc) · 1.96 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
/* eslint-disable */
// to test these problems you can run 'node constructors.js' in your terminal
// problem #1
// add a method to Animal's prototype called 'grow'
// when 'grow' is invoked log '<name> grew larger!'
// Prototype is an SPECIAL Obj that is assigned objects when are created
// We use the protype to pass on abilities to child objects;
////pseudoclassical inheritance ///
function Animal(options) {
this.name = options.name;
this.species = options.species;
}
Animal.prototype.grow = function() {
console.log (`${this.name} grew larger`);
};
Animal.prototype.greeting = function() {
console.log (`${this.name} says ${this.speak}`);
};
function Dog(dogAttributes) {
Animal.call(this, dogAttributes);
this.speak = dogAttributes.speak;
this.waggyTail = dogAttributes.waggyTail;
}
Dog.prototype = Object.create(Animal.prototype);
const grizzly = new Dog({
species: 'Canis cutues',
name: 'Grizzly Bear',
speak: 'woof',
waggyTail: true,
});
grizzly.grow();
//console.log(grizzly);
// add 'grow' to Animal's prototype here
// problem #2
// setup Cat to inherit from Animal
// the Animal constructor needs to be invoked with the 'options' argument
// Cat should have its prototype inherit from Animal
// instances of Cat should also have access to the 'grow' method
function Cat(catAttributes) {
Animal.call(this, catAttributes);
this.speak = catAttributes.speak;
this.waggyTail = catAttributes.waggyTail;
// invoke Animal here with .call
}
Cat.prototype = Object.create(Animal.prototype);
const CaptainHook = new Cat({
species: 'Felus totes cutum',
name: 'foffie',
meow: 'Meow',
waggyTail: false,
});
// connect the prototypes here
// if everything is setup properly the code below will print 'Foofie grew larger!'
// uncomment the code below to test your solution
const foofie = new Cat({
species: 'Felus totes cutum',
name: 'foofie',
speak: 'Meow',
waggyTail: false,
});
foofie.grow();
//console.log(foofie);
foofie.greeting();