freeCodeCamp/curriculum/challenges/spanish/02-javascript-algorithms-an.../object-oriented-programming/override-inherited-methods....

3.1 KiB

id title challengeType videoUrl localeTitle
587d7db1367417b2b2512b88 Override Inherited Methods 1 Anular métodos heredados

Description

En las lecciones anteriores, aprendió que un objeto puede heredar su comportamiento (métodos) de otro objeto clonando su objeto prototype :
ChildObject.prototype = Object.create (ParentObject.prototype);
Luego, ChildObject recibió sus propios métodos encadenándolos a su prototype :
ChildObject.prototype.methodName = function () {...};
Es posible anular un método heredado. Se realiza de la misma manera: agregando un método a ChildObject.prototype utilizando el mismo nombre de método que el que se anula. Aquí hay un ejemplo de Bird anula el método eat() heredado de Animal :
función animal () {}
Animal.prototype.eat = function () {
devuelve "nom nom nom";
};
función Bird () {}

// Heredar todos los métodos de Animal
Bird.prototype = Object.create (Animal.prototype);

// Bird.eat () anula Animal.eat ()
Bird.prototype.eat = function () {
devuelve "peck peck peck";
};
Si tienes una instancia, let duck = new Bird(); y llamas a duck.eat() , así es como JavaScript busca el método en duck's cadena de prototype duck's : 1. pato => ¿Se define eat () aquí? No. 2. Pájaro => ¿Se define comer () aquí? => Sí. Ejecutarlo y dejar de buscar. 3. Animal => eat () también está definido, pero JavaScript dejó de buscar antes de alcanzar este nivel. 4. Objeto => JavaScript dejó de buscar antes de alcanzar este nivel.

Instructions

Reemplace el método fly() de Penguin para que devuelva "¡Ay !, este es un pájaro que no vuela".

Tests

tests:
  - text: '<code>penguin.fly()</code> debería devolver la cadena &quot;¡Ay !, este es un pájaro que no vuela&quot;.'
    testString: 'assert(penguin.fly() === "Alas, this is a flightless bird.", "<code>penguin.fly()</code> should return the string "Alas, this is a flightless bird."");'
  - text: El método <code>bird.fly()</code> debería devolver &quot;Estoy volando!&quot;
    testString: 'assert((new Bird()).fly() === "I am flying!", "The <code>bird.fly()</code> method should return "I am flying!"");'

Challenge Seed

function Bird() { }

Bird.prototype.fly = function() { return "I am flying!"; };

function Penguin() { }
Penguin.prototype = Object.create(Bird.prototype);
Penguin.prototype.constructor = Penguin;

// Add your code below this line



// Add your code above this line

let penguin = new Penguin();
console.log(penguin.fly());

Solution

// solution required