0

I am a beginner. I am trying to do something like this -

function write(x, y, z) {
 x();
 console.log("This is foo: ", y, z);
}
var b = 32,
 c = 92;
function a(d) {
 console.log("This is d from a:", d);
 return d;
}
write(a(12), b, c);

And I am getting an Error below -

caspio-common.js:73 Uncaught TypeError: Cannot read properties of undefined (reading 'length')
at HTMLDocument.<anonymous> (caspio-common.js:73:26)
at f_dataPageReadyEvent.dispatchEvent (<anonymous>:1:523)
at f_dataPageReadyEvent.init (<anonymous>:1:91)
at new <anonymous> (<anonymous>:2:34)
at <anonymous>:1:1
at f_dpLoadObj.addScriptElement (...

My question is how can I run x(x) with parameter inside write function.

Thank you

kevinSpaceyIsKeyserSöze
4,5102 gold badges18 silver badges29 bronze badges
asked Jul 26, 2022 at 9:54
3
  • 1
    You can't run x because it's not a function Commented Jul 26, 2022 at 9:59
  • a.bind( null, 12) Commented Jul 26, 2022 at 9:59
  • write(() => a(12), b, c) Commented Jul 26, 2022 at 10:01

2 Answers 2

2

check this

function pass1(value){
 return ("Hello " + value);
}
function pass2(){
 return (" Howdy!");
}
function receive_pass(func1, func2){
 console.log(func1("world!")+func2());
}
receive_pass(pass1, pass2);
answered Jul 26, 2022 at 10:04
Sign up to request clarification or add additional context in comments.

1 Comment

Thank you, I appreciate your support.
2

You cannot call x because you did not pass the function itself but the returned value of a function as the parameter.

write(a(12), b, c);
// a(12) -> returns 12 which is not a function and thus not callable

One solution to make this work is wrapping the function call into another function.

write(function() {
 a(12);
}, b, c);

Or use this commonly used syntax.

write(() => a(12), b, c);

Full working example

function write(x, y, z) {
 x();
 console.log("This is foo: ", y, z);
}
var b = 32,
 c = 92;
function a(d) {
 console.log("This is d from a:", d);
 return d;
}
write(() => a(12), b, c);

answered Jul 26, 2022 at 10:04

Comments

Your Answer

Draft saved
Draft discarded

Sign up or log in

Sign up using Google
Sign up using Email and Password

Post as a guest

Required, but never shown

Post as a guest

Required, but never shown

By clicking "Post Your Answer", you agree to our terms of service and acknowledge you have read our privacy policy.

Start asking to get answers

Find the answer to your question by asking.

Ask question

Explore related questions

See similar questions with these tags.