Call, Apply und Bind
Mit den Funktionsmethoden können wir das this-Keyword explizit setzen. Dabei gibt es drei Methoden: call, apply und bind.
call()-Methode
call()-Methodeconst lufthansa = {
airline: 'Lufthansa',
iataCode: 'LH',
bookings: [],
book(flightNum, name) {
console.log(
`${name} booked a seat on ${this.airline} flight ${this.iataCode}${flightNum}`
);
this.bookings.push({ flight: `${this.iataCode}${flightNum}`, name });
}
};
lufthansa.book(971, 'Levin');
lufthansa.book(972, 'Martha');
console.log(lufthansa);
// Copying the book method would be a bad practice
const eurowings = {
airline: 'Eurowings',
iataCode: 'EW',
bookings: []
};
const book = lufthansa.book;
book(973, 'Steven');Hier sagen wir also, dass die globale Funktion book das Gleiche macht wie die Methode lufthansa.book. Nun bekommen wir aber einen Fehler, da das this-Keyword undefined ist.
Um das nun zu umgehen, können wir die call-Methode nutzen, um zu sagen, dass wir einen Flug für Lufthansa bzw. Eurowings buchen wollen.
book.call(eurowings, 974, 'Steven'); // Steven booked a seat on Eurowings flight EW974
book.call(lufthansa, 975, 'Sarah'); // Sarah booked a seat on Lufthansa flight LH975Das erste Argument bestimmt also das this-Keyword.
apply()-Methode
apply()-MethodeDie apply()-Methode funktioniert ganz ähnlich, jedoch geben wir die Argumente in Form eines Arrays mit:
const swiss = {
airline: 'Swiss Air Lines',
iataCode: 'LX',
bookings: []
};
book.apply(swiss, [976, 'Mary']); // Mary booked a seat on Swiss Air Lines flight LX976
book.apply(lufthansa, [977, 'John']); // John booked a seat on Lufthansa flight LH977bind()-Methode
bind()-MethodeDie bind()-Methode ist praktisch, wenn man eine Methode sehr oft braucht, jedoch mit einem anderen this. Dabei gibt uns die bind()-Methode eine Funktion zurück. Diese Funktion können wir nun überall aufrufen, ohne dass this-Keyword durch call() oder apply() setzen zu müssen.
const bookEW = book.bind(eurowings);
const bookLH = book.bind(lufthansa);
const bookLX = book.bind(swiss);
bookEW(978, 'Peter');
bookLH(979, 'Laura');
bookLX(980, 'Michael');Es ist aber auch möglich andere Parameter fest zu definieren. Hier möchte man z.B. immer eine Buchung für den Eurowings Flug EW23 ausführen:
const bookEW23 = book.bind(eurowings, 23);
bookEW23('Steven Williams');Beispiel mit Event-Listeners
Das this-Keyword bei Event-Listeners bezieht sich immer auf das HTML-Element, das heisst, wenn wir eine Methode aufrufen, welche das this-Keyword braucht, wird diese fehlschlagen. Hier kommt die bind()-Methode ins Spiel wo wir eben das this-Keyword bestimmen können:
lufthansa.planes = 300;
lufthansa.buyPlane = function () {
console.log(this);
this.planes++;
console.log(this.planes);
};
document
.querySelector('.buy')
.addEventListener('click', lufthansa.buyPlane.bind(lufthansa));Last updated