How to write an Object for using this object like below
var cal = new calculator;
cal.add(10).add(20).miniz(2).div(2);
console.log(cal.result()); // result 14
How to write an Object for using this object like below
var cal = new calculator;
cal.add(10).add(20).miniz(2).div(2);
console.log(cal.result()); // result 14
 
    
    Here you go, this is one way to do it:
var calculator = function() {
  this.curr = 0;
  this.add = function(n) {
    this.curr += n;
    return this; // returning this at the end of each method is the key to chaining
  };
  this.miniz = function(n) {
    this.curr -= n;
    return this;
  };
  this.div = function(n) {
    this.curr = this.curr / n;
    return this;
  };
  this.result = function() {
    return this.curr;
  };
};
You need to change the instantiation to this:
var cal = new calculator();
 
    
    Just to get you started:
function Calculator() {
    var value = 0;
    this.add = function (v) {
        value += v;
        return this;
    };
    this.result = function () {
        return value;
    };
}
var cal = new Calculator;
console.log(cal.add(10).result()); // result 10 
    
    may be this is will help some what..
var Calc = function(){
   this.value = 0;  
};
Calc.prototype.add = function(val){
    this.value += val;
    return this;
};
then you can use like new Calc().add(100).add(100)
but before make sure understood how prototyping is working,
for ref : a sample
 
    
    function calculator(){
    this.val = 0;
    this.add = function(num){
        this.val += num;
        return this;
    };
    this.miniz = function(num){
        this.val -= num;
        return this;
    };
    this.div = function(num){
        this.val /= num;
        return this;  
    };
    this.result = function(){
        return this.val;
    };
}
