Knockout button click binding for changing text

1.2k Views Asked by At

I am very new to knockout.js. I was trying a feature where when a user clicks a button the value is changed. Its sort of like a on/off button. I am storing the value on the backend as true and false. Any help would be greatly appreciated.

.js code

return class MyClass {

  constructor{
    self.switch = ko.observable();
  }
  changeValue(tgt, evt) {
     let self = this;

     if (self.switch ==false) {
            self.switch = on;
    }
  }
}

.html code

<button data-bind="click: changeValue">
   <span data-bind="text: switch() ? 'On' : 'Off'"></span>
</button>
2

There are 2 best solutions below

1
On BEST ANSWER

You return your Model without applying the bindings in your code example.

Here is a concise way to do what you want:

class Model {
  constructor() {
    this.switch = ko.observable(false);
  }
  changeValue() {
    this.switch(!this.switch())
  }
}

ko.applyBindings(new Model());
<script src="https://cdnjs.cloudflare.com/ajax/libs/knockout/3.4.2/knockout-min.js"></script>
<button data-bind="click: changeValue">
   <span data-bind="text: $data.switch() ? 'On' : 'Off'"></span>
</button>

0
On

class MyClass {
      constructor(){
      let self = this;
        //this is how you set the initial value for an observable.
        this.switch = ko.observable(false);
        //functions have to publicly available for the html to be able to access it.
        this.changeValue = function(tgt, evt) {
          //an observable is a function, and you access the value by calling it with empty parameters
         if (self.switch() === false) {
                //an observable's value can be updated by calling it as a function with the new value as input
                self.switch(true);
        }
        else {
          self.switch(false);
        }
      }
      }
      
    }

    //this needs to be called at the end of the js, for the bindings to be applied
    ko.applyBindings(new MyClass());
<script src="https://cdnjs.cloudflare.com/ajax/libs/knockout/3.4.2/knockout-min.js"></script>
<button data-bind="click: changeValue">
       <span data-bind="text: $data.switch() ? 'On' : 'Off'"></span>
    </button>