Akshara
Akshara

Reputation: 137

Bind only second argument to javascript function

var add = function(a, b) {

    return a + b;
}
var addOne =add.bind(null,1);
var result = addOne(4);
console.log(result);

Here the binded value of a is 1 and b is 4.

How to assign the binding value i.e)1 to the second argument of the function without using spread operator(...)

Upvotes: 5

Views: 2836

Answers (4)

Nina Scholz
Nina Scholz

Reputation: 386680

You could take a swap function with binding the final function.

var add = function (a, b) { console.log(a, b); return a + b; },
    swap = function (a, b) { return this(b, a); },
    addOne = swap.bind(add, 1),
    result = addOne(4);

console.log(result);

With decorator, as georg suggested.

var add = function (a, b) { console.log(a, b); return a + b; },
    swap = function (f) { return function (b, a) { return f.call(this, a, b) }; },
    addOne = swap(add).bind(null, 1),
    result = addOne(4);

console.log(result);

You could use the arguments object for reordering the parameters.

var add = function (a, b, c, d, e) {
        console.log(a, b, c, d, e);
        return a + b + c + d + e;
    },
    swap = function (f) {
        return function () { 
            var arg = Array.apply(null, arguments);
            return f.apply(this, [arg.pop()].concat(arg));
        };
    },
    four = swap(add).bind(null, 2, 3, 4, 5),
    result = four(1);

console.log(result);

Upvotes: 4

Sourabh Somani
Sourabh Somani

Reputation: 2138

You can try this

function add (n) {
    var func = function (x) {
        if(typeof x==="undefined"){
           x=0;
        }
        return add (n + x);
    };

    func.valueOf = func.toString = function () {
        return n;
    };

    return func;
}
console.log(+add(1)(2));
console.log(+add(1)(2)(3));
console.log(+add(1)(2)(5)(8));

Upvotes: -1

Selvakumar
Selvakumar

Reputation: 537

This will help you what you need

var add = function(a) {
    return function(b) {
        return a + b;
    };
}
var addOne = add(1);
var result = addOne(4);
console.log(result);

Upvotes: 0

marvel308
marvel308

Reputation: 10458

You can use the following way

var add = function(x){
    return function(y){
        return x+y;
    }
}

add(2)(3); // gives 5
var add5 = add(5);
add5(10); // gives 15

here add5() would set x = 5 for the function

Upvotes: 0

Related Questions