Change Value Of Passed Variable In Javascript Without Return?
I have the function change(x) which takes an integer and changes its value function change(x) { x=26; } Then I make a variable and I try to change its value window.onload=funct
Solution 1:
JavaScript always passes arguments by value, so you can't do it as you originally written.
However, an object's value is a reference, so you could use an object.
However, that would be confusing for this use case. You should have that function return the transformed number.
Solution 2:
You cannot pass a variable by reference like that (or at all). What you can do is pass an object and modify its properties:
functionchange(obj) {
obj.a = 4;
}
var obj = {a: 0};
change(obj);
// obj.a is "4" now
Solution 3:
I did this and it worked:
functionchange(x) {
x=26;
return x;
}
window.onload=function(){
var a = 10;
console.log(change(a));
}
Hope it helps
Post a Comment for "Change Value Of Passed Variable In Javascript Without Return?"