Appending to / redefining a function?

55 Views Asked by At

I have a function handler:

function handler(data) {
    console.log(`1. ${data}`);
}

which I want to append, or redefine, in the same scope as follows:

let oldHandler = handler;
function handler(data) {
    oldHandler(data);
    console.log(`2. ${data}`);
}

such that when I now call handler:

handler("bar");

I expect the output to be:

1. bar
2. bar

Is this possible?

EDIT

Currently the above results in error: unknown: Identifier 'handler' has already been declared.

1

There are 1 best solutions below

0
On BEST ANSWER

Function declarations:

  • Declare a variable with a matching name
  • Are hoisted

Use a function expression instead. These do neither of the above.

function handler(data) {
  console.log(`1. ${data}`);
}

let oldHandler = handler;

handler = function handler(data) {
  oldHandler(data);
  console.log(`2. ${data}`);
};

handler("bar");