Run Ember.run.later from action triggered












0















I am having a problem with action handling in Ember controller. I want to run some function continuously after edit button is clicked in hbs. I have tried it like this in action.



openEditWindow() {
this.set('someChangingValue', true);
},


Here is the function that reacts to action someChangingValue change.



someChangingValue: false,
someTestFunction: observer('someChangingValue', function() {
var test = this.get('someChangingValue');

if(test === true){
Ember.run.later((function() {
this.functionThatIsRunningEachTwoSeconds();
}), 2000);
} else {
console.log('this should not do anything');
}
}),


But this runs functionThatIsRunningEachTwoSeconds only once. Also tried the same functionality with changing someChangingValue to false if true and otherwise, that put me in an infinite loop of observing property.



Thanks!










share|improve this question





























    0















    I am having a problem with action handling in Ember controller. I want to run some function continuously after edit button is clicked in hbs. I have tried it like this in action.



    openEditWindow() {
    this.set('someChangingValue', true);
    },


    Here is the function that reacts to action someChangingValue change.



    someChangingValue: false,
    someTestFunction: observer('someChangingValue', function() {
    var test = this.get('someChangingValue');

    if(test === true){
    Ember.run.later((function() {
    this.functionThatIsRunningEachTwoSeconds();
    }), 2000);
    } else {
    console.log('this should not do anything');
    }
    }),


    But this runs functionThatIsRunningEachTwoSeconds only once. Also tried the same functionality with changing someChangingValue to false if true and otherwise, that put me in an infinite loop of observing property.



    Thanks!










    share|improve this question



























      0












      0








      0








      I am having a problem with action handling in Ember controller. I want to run some function continuously after edit button is clicked in hbs. I have tried it like this in action.



      openEditWindow() {
      this.set('someChangingValue', true);
      },


      Here is the function that reacts to action someChangingValue change.



      someChangingValue: false,
      someTestFunction: observer('someChangingValue', function() {
      var test = this.get('someChangingValue');

      if(test === true){
      Ember.run.later((function() {
      this.functionThatIsRunningEachTwoSeconds();
      }), 2000);
      } else {
      console.log('this should not do anything');
      }
      }),


      But this runs functionThatIsRunningEachTwoSeconds only once. Also tried the same functionality with changing someChangingValue to false if true and otherwise, that put me in an infinite loop of observing property.



      Thanks!










      share|improve this question
















      I am having a problem with action handling in Ember controller. I want to run some function continuously after edit button is clicked in hbs. I have tried it like this in action.



      openEditWindow() {
      this.set('someChangingValue', true);
      },


      Here is the function that reacts to action someChangingValue change.



      someChangingValue: false,
      someTestFunction: observer('someChangingValue', function() {
      var test = this.get('someChangingValue');

      if(test === true){
      Ember.run.later((function() {
      this.functionThatIsRunningEachTwoSeconds();
      }), 2000);
      } else {
      console.log('this should not do anything');
      }
      }),


      But this runs functionThatIsRunningEachTwoSeconds only once. Also tried the same functionality with changing someChangingValue to false if true and otherwise, that put me in an infinite loop of observing property.



      Thanks!







      javascript ember.js handlebars.js ember-concurrency






      share|improve this question















      share|improve this question













      share|improve this question




      share|improve this question








      edited Jan 3 at 11:06









      Liam

      16.4k1677130




      16.4k1677130










      asked Dec 30 '18 at 17:42









      RamixRamix

      42




      42
























          2 Answers
          2






          active

          oldest

          votes


















          0














          Ember.run.later runs function only once. It is said clear in docs



          Also, do you use very old version of ember? Ember.run.later is outdated and you supposed to use partial import import { later } from '@ember/runloop'; instead of that



          As for your task, there is at least two ways



          Using ember-concurrency addon



          Install ember-concurrency and write in controller:



          import { task, timeout } from 'ember-concurrency';

          export default Controller.extend({
          infiniteTask: task(function* () {
          while(true) {
          this.functionThatIsRunningEachTwoSeconds();
          yield timeout(2000);
          }
          }).drop(),
          });


          Template:



          {{#if infiniteTask.isIdle}}
          <button onclick={{perform infiniteTask}}>Start</button>
          {{else}}
          <button onclick={{cancel-all infiniteTask}}>Stop</button>
          {{/if}}


          This addon is helpful in lot of situations, read it's docs to understand why you might need it



          Creating a function that will recursively call itself



          It's a classical JS approach to repeat some action, but in vanilla JS we use setTimeout instead of ember's later.



          import { later, cancel } from '@ember/runloop';

          export default Controller.extend({
          infiniteFuction() {
          this.functionThatIsRunningEachTwoSeconds();
          this.set('infiniteTimer', later(this, 'infiniteFuction', 2000));
          },
          startInfiniteFunction() {
          //clear timer as safety measure to prevent from starting few
          //"infinite function loops" at the same time
          cancel(this.infiniteTimer);
          this.infiniteFuction();
          },
          stopInfiniteFunction() {
          cancel(this.infiniteTimer);
          this.set('infiniteTimer', undefined);
          }
          });


          Template:



          {{#unless infiniteTimer}}
          <button onclick={{action startInfiniteFunction}}>Start</button>
          {{else}}
          <button onclick={{action stopInfiniteFunction}}>Stop</button>
          {{/unless}}





          share|improve this answer































            0














            Just to clarify what's wrong with your current code (and not necessarily promoting this as the solution), you must change the value for the observer to fire. If you set the value to true, and then set it to true again later without ever having set it to false, Ember will internally ignore this and not refire the observer. See this twiddle to see a working example using observers.



            The code is



            init(){
            this._super(...arguments);
            this.set('count', 0);
            this.set('execute', true);
            this.timer();
            },
            timer: observer('execute', function(){
            //this code is called on set to false or true
            if(this.get('execute')){
            Ember.run.later((() => {
            this.functionThatIsRunningEachTwoSeconds();
            }), 2000);
            // THIS IS SUPER IMPORTANT, COMMENT THIS OUT AND YOU ONLY GET 1 ITERATION
            this.set('execute', false);
            }
            }),
            functionThatIsRunningEachTwoSeconds(){
            let count = this.get('count');
            this.set('count', count + 1);
            this.set('execute', true);
            }


            Now that you know what's wrong with your current approach, let my go back again on record and suggest that this is not a great, intuitive way to orchestrate a repeated loop. I recommend the Ember-Concurrency as well since it is Ember lifecycle aware



            If you handled the edit button in the route, you could super cleanly cancel it on route change



            functionThatIsRunningEachTwoSeconds: task(function * (id) {
            try {
            while (true) {
            yield timeout(2000);
            //work function
            }
            } finally {
            //if you wanted code after cancel
            }
            }).cancelOn('deactivate').restartable()


            Deactivate corresponds to the ember deactivate route hook/event:




            This hook is executed when the router completely exits this route. It
            is not executed when the model for the route changes.







            share|improve this answer























              Your Answer






              StackExchange.ifUsing("editor", function () {
              StackExchange.using("externalEditor", function () {
              StackExchange.using("snippets", function () {
              StackExchange.snippets.init();
              });
              });
              }, "code-snippets");

              StackExchange.ready(function() {
              var channelOptions = {
              tags: "".split(" "),
              id: "1"
              };
              initTagRenderer("".split(" "), "".split(" "), channelOptions);

              StackExchange.using("externalEditor", function() {
              // Have to fire editor after snippets, if snippets enabled
              if (StackExchange.settings.snippets.snippetsEnabled) {
              StackExchange.using("snippets", function() {
              createEditor();
              });
              }
              else {
              createEditor();
              }
              });

              function createEditor() {
              StackExchange.prepareEditor({
              heartbeatType: 'answer',
              autoActivateHeartbeat: false,
              convertImagesToLinks: true,
              noModals: true,
              showLowRepImageUploadWarning: true,
              reputationToPostImages: 10,
              bindNavPrevention: true,
              postfix: "",
              imageUploader: {
              brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
              contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
              allowUrls: true
              },
              onDemand: true,
              discardSelector: ".discard-answer"
              ,immediatelyShowMarkdownHelp:true
              });


              }
              });














              draft saved

              draft discarded


















              StackExchange.ready(
              function () {
              StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f53979960%2frun-ember-run-later-from-action-triggered%23new-answer', 'question_page');
              }
              );

              Post as a guest















              Required, but never shown

























              2 Answers
              2






              active

              oldest

              votes








              2 Answers
              2






              active

              oldest

              votes









              active

              oldest

              votes






              active

              oldest

              votes









              0














              Ember.run.later runs function only once. It is said clear in docs



              Also, do you use very old version of ember? Ember.run.later is outdated and you supposed to use partial import import { later } from '@ember/runloop'; instead of that



              As for your task, there is at least two ways



              Using ember-concurrency addon



              Install ember-concurrency and write in controller:



              import { task, timeout } from 'ember-concurrency';

              export default Controller.extend({
              infiniteTask: task(function* () {
              while(true) {
              this.functionThatIsRunningEachTwoSeconds();
              yield timeout(2000);
              }
              }).drop(),
              });


              Template:



              {{#if infiniteTask.isIdle}}
              <button onclick={{perform infiniteTask}}>Start</button>
              {{else}}
              <button onclick={{cancel-all infiniteTask}}>Stop</button>
              {{/if}}


              This addon is helpful in lot of situations, read it's docs to understand why you might need it



              Creating a function that will recursively call itself



              It's a classical JS approach to repeat some action, but in vanilla JS we use setTimeout instead of ember's later.



              import { later, cancel } from '@ember/runloop';

              export default Controller.extend({
              infiniteFuction() {
              this.functionThatIsRunningEachTwoSeconds();
              this.set('infiniteTimer', later(this, 'infiniteFuction', 2000));
              },
              startInfiniteFunction() {
              //clear timer as safety measure to prevent from starting few
              //"infinite function loops" at the same time
              cancel(this.infiniteTimer);
              this.infiniteFuction();
              },
              stopInfiniteFunction() {
              cancel(this.infiniteTimer);
              this.set('infiniteTimer', undefined);
              }
              });


              Template:



              {{#unless infiniteTimer}}
              <button onclick={{action startInfiniteFunction}}>Start</button>
              {{else}}
              <button onclick={{action stopInfiniteFunction}}>Stop</button>
              {{/unless}}





              share|improve this answer




























                0














                Ember.run.later runs function only once. It is said clear in docs



                Also, do you use very old version of ember? Ember.run.later is outdated and you supposed to use partial import import { later } from '@ember/runloop'; instead of that



                As for your task, there is at least two ways



                Using ember-concurrency addon



                Install ember-concurrency and write in controller:



                import { task, timeout } from 'ember-concurrency';

                export default Controller.extend({
                infiniteTask: task(function* () {
                while(true) {
                this.functionThatIsRunningEachTwoSeconds();
                yield timeout(2000);
                }
                }).drop(),
                });


                Template:



                {{#if infiniteTask.isIdle}}
                <button onclick={{perform infiniteTask}}>Start</button>
                {{else}}
                <button onclick={{cancel-all infiniteTask}}>Stop</button>
                {{/if}}


                This addon is helpful in lot of situations, read it's docs to understand why you might need it



                Creating a function that will recursively call itself



                It's a classical JS approach to repeat some action, but in vanilla JS we use setTimeout instead of ember's later.



                import { later, cancel } from '@ember/runloop';

                export default Controller.extend({
                infiniteFuction() {
                this.functionThatIsRunningEachTwoSeconds();
                this.set('infiniteTimer', later(this, 'infiniteFuction', 2000));
                },
                startInfiniteFunction() {
                //clear timer as safety measure to prevent from starting few
                //"infinite function loops" at the same time
                cancel(this.infiniteTimer);
                this.infiniteFuction();
                },
                stopInfiniteFunction() {
                cancel(this.infiniteTimer);
                this.set('infiniteTimer', undefined);
                }
                });


                Template:



                {{#unless infiniteTimer}}
                <button onclick={{action startInfiniteFunction}}>Start</button>
                {{else}}
                <button onclick={{action stopInfiniteFunction}}>Stop</button>
                {{/unless}}





                share|improve this answer


























                  0












                  0








                  0







                  Ember.run.later runs function only once. It is said clear in docs



                  Also, do you use very old version of ember? Ember.run.later is outdated and you supposed to use partial import import { later } from '@ember/runloop'; instead of that



                  As for your task, there is at least two ways



                  Using ember-concurrency addon



                  Install ember-concurrency and write in controller:



                  import { task, timeout } from 'ember-concurrency';

                  export default Controller.extend({
                  infiniteTask: task(function* () {
                  while(true) {
                  this.functionThatIsRunningEachTwoSeconds();
                  yield timeout(2000);
                  }
                  }).drop(),
                  });


                  Template:



                  {{#if infiniteTask.isIdle}}
                  <button onclick={{perform infiniteTask}}>Start</button>
                  {{else}}
                  <button onclick={{cancel-all infiniteTask}}>Stop</button>
                  {{/if}}


                  This addon is helpful in lot of situations, read it's docs to understand why you might need it



                  Creating a function that will recursively call itself



                  It's a classical JS approach to repeat some action, but in vanilla JS we use setTimeout instead of ember's later.



                  import { later, cancel } from '@ember/runloop';

                  export default Controller.extend({
                  infiniteFuction() {
                  this.functionThatIsRunningEachTwoSeconds();
                  this.set('infiniteTimer', later(this, 'infiniteFuction', 2000));
                  },
                  startInfiniteFunction() {
                  //clear timer as safety measure to prevent from starting few
                  //"infinite function loops" at the same time
                  cancel(this.infiniteTimer);
                  this.infiniteFuction();
                  },
                  stopInfiniteFunction() {
                  cancel(this.infiniteTimer);
                  this.set('infiniteTimer', undefined);
                  }
                  });


                  Template:



                  {{#unless infiniteTimer}}
                  <button onclick={{action startInfiniteFunction}}>Start</button>
                  {{else}}
                  <button onclick={{action stopInfiniteFunction}}>Stop</button>
                  {{/unless}}





                  share|improve this answer













                  Ember.run.later runs function only once. It is said clear in docs



                  Also, do you use very old version of ember? Ember.run.later is outdated and you supposed to use partial import import { later } from '@ember/runloop'; instead of that



                  As for your task, there is at least two ways



                  Using ember-concurrency addon



                  Install ember-concurrency and write in controller:



                  import { task, timeout } from 'ember-concurrency';

                  export default Controller.extend({
                  infiniteTask: task(function* () {
                  while(true) {
                  this.functionThatIsRunningEachTwoSeconds();
                  yield timeout(2000);
                  }
                  }).drop(),
                  });


                  Template:



                  {{#if infiniteTask.isIdle}}
                  <button onclick={{perform infiniteTask}}>Start</button>
                  {{else}}
                  <button onclick={{cancel-all infiniteTask}}>Stop</button>
                  {{/if}}


                  This addon is helpful in lot of situations, read it's docs to understand why you might need it



                  Creating a function that will recursively call itself



                  It's a classical JS approach to repeat some action, but in vanilla JS we use setTimeout instead of ember's later.



                  import { later, cancel } from '@ember/runloop';

                  export default Controller.extend({
                  infiniteFuction() {
                  this.functionThatIsRunningEachTwoSeconds();
                  this.set('infiniteTimer', later(this, 'infiniteFuction', 2000));
                  },
                  startInfiniteFunction() {
                  //clear timer as safety measure to prevent from starting few
                  //"infinite function loops" at the same time
                  cancel(this.infiniteTimer);
                  this.infiniteFuction();
                  },
                  stopInfiniteFunction() {
                  cancel(this.infiniteTimer);
                  this.set('infiniteTimer', undefined);
                  }
                  });


                  Template:



                  {{#unless infiniteTimer}}
                  <button onclick={{action startInfiniteFunction}}>Start</button>
                  {{else}}
                  <button onclick={{action stopInfiniteFunction}}>Stop</button>
                  {{/unless}}






                  share|improve this answer












                  share|improve this answer



                  share|improve this answer










                  answered Jan 1 at 22:23









                  Gennady DogaevGennady Dogaev

                  4,1411818




                  4,1411818

























                      0














                      Just to clarify what's wrong with your current code (and not necessarily promoting this as the solution), you must change the value for the observer to fire. If you set the value to true, and then set it to true again later without ever having set it to false, Ember will internally ignore this and not refire the observer. See this twiddle to see a working example using observers.



                      The code is



                      init(){
                      this._super(...arguments);
                      this.set('count', 0);
                      this.set('execute', true);
                      this.timer();
                      },
                      timer: observer('execute', function(){
                      //this code is called on set to false or true
                      if(this.get('execute')){
                      Ember.run.later((() => {
                      this.functionThatIsRunningEachTwoSeconds();
                      }), 2000);
                      // THIS IS SUPER IMPORTANT, COMMENT THIS OUT AND YOU ONLY GET 1 ITERATION
                      this.set('execute', false);
                      }
                      }),
                      functionThatIsRunningEachTwoSeconds(){
                      let count = this.get('count');
                      this.set('count', count + 1);
                      this.set('execute', true);
                      }


                      Now that you know what's wrong with your current approach, let my go back again on record and suggest that this is not a great, intuitive way to orchestrate a repeated loop. I recommend the Ember-Concurrency as well since it is Ember lifecycle aware



                      If you handled the edit button in the route, you could super cleanly cancel it on route change



                      functionThatIsRunningEachTwoSeconds: task(function * (id) {
                      try {
                      while (true) {
                      yield timeout(2000);
                      //work function
                      }
                      } finally {
                      //if you wanted code after cancel
                      }
                      }).cancelOn('deactivate').restartable()


                      Deactivate corresponds to the ember deactivate route hook/event:




                      This hook is executed when the router completely exits this route. It
                      is not executed when the model for the route changes.







                      share|improve this answer




























                        0














                        Just to clarify what's wrong with your current code (and not necessarily promoting this as the solution), you must change the value for the observer to fire. If you set the value to true, and then set it to true again later without ever having set it to false, Ember will internally ignore this and not refire the observer. See this twiddle to see a working example using observers.



                        The code is



                        init(){
                        this._super(...arguments);
                        this.set('count', 0);
                        this.set('execute', true);
                        this.timer();
                        },
                        timer: observer('execute', function(){
                        //this code is called on set to false or true
                        if(this.get('execute')){
                        Ember.run.later((() => {
                        this.functionThatIsRunningEachTwoSeconds();
                        }), 2000);
                        // THIS IS SUPER IMPORTANT, COMMENT THIS OUT AND YOU ONLY GET 1 ITERATION
                        this.set('execute', false);
                        }
                        }),
                        functionThatIsRunningEachTwoSeconds(){
                        let count = this.get('count');
                        this.set('count', count + 1);
                        this.set('execute', true);
                        }


                        Now that you know what's wrong with your current approach, let my go back again on record and suggest that this is not a great, intuitive way to orchestrate a repeated loop. I recommend the Ember-Concurrency as well since it is Ember lifecycle aware



                        If you handled the edit button in the route, you could super cleanly cancel it on route change



                        functionThatIsRunningEachTwoSeconds: task(function * (id) {
                        try {
                        while (true) {
                        yield timeout(2000);
                        //work function
                        }
                        } finally {
                        //if you wanted code after cancel
                        }
                        }).cancelOn('deactivate').restartable()


                        Deactivate corresponds to the ember deactivate route hook/event:




                        This hook is executed when the router completely exits this route. It
                        is not executed when the model for the route changes.







                        share|improve this answer


























                          0












                          0








                          0







                          Just to clarify what's wrong with your current code (and not necessarily promoting this as the solution), you must change the value for the observer to fire. If you set the value to true, and then set it to true again later without ever having set it to false, Ember will internally ignore this and not refire the observer. See this twiddle to see a working example using observers.



                          The code is



                          init(){
                          this._super(...arguments);
                          this.set('count', 0);
                          this.set('execute', true);
                          this.timer();
                          },
                          timer: observer('execute', function(){
                          //this code is called on set to false or true
                          if(this.get('execute')){
                          Ember.run.later((() => {
                          this.functionThatIsRunningEachTwoSeconds();
                          }), 2000);
                          // THIS IS SUPER IMPORTANT, COMMENT THIS OUT AND YOU ONLY GET 1 ITERATION
                          this.set('execute', false);
                          }
                          }),
                          functionThatIsRunningEachTwoSeconds(){
                          let count = this.get('count');
                          this.set('count', count + 1);
                          this.set('execute', true);
                          }


                          Now that you know what's wrong with your current approach, let my go back again on record and suggest that this is not a great, intuitive way to orchestrate a repeated loop. I recommend the Ember-Concurrency as well since it is Ember lifecycle aware



                          If you handled the edit button in the route, you could super cleanly cancel it on route change



                          functionThatIsRunningEachTwoSeconds: task(function * (id) {
                          try {
                          while (true) {
                          yield timeout(2000);
                          //work function
                          }
                          } finally {
                          //if you wanted code after cancel
                          }
                          }).cancelOn('deactivate').restartable()


                          Deactivate corresponds to the ember deactivate route hook/event:




                          This hook is executed when the router completely exits this route. It
                          is not executed when the model for the route changes.







                          share|improve this answer













                          Just to clarify what's wrong with your current code (and not necessarily promoting this as the solution), you must change the value for the observer to fire. If you set the value to true, and then set it to true again later without ever having set it to false, Ember will internally ignore this and not refire the observer. See this twiddle to see a working example using observers.



                          The code is



                          init(){
                          this._super(...arguments);
                          this.set('count', 0);
                          this.set('execute', true);
                          this.timer();
                          },
                          timer: observer('execute', function(){
                          //this code is called on set to false or true
                          if(this.get('execute')){
                          Ember.run.later((() => {
                          this.functionThatIsRunningEachTwoSeconds();
                          }), 2000);
                          // THIS IS SUPER IMPORTANT, COMMENT THIS OUT AND YOU ONLY GET 1 ITERATION
                          this.set('execute', false);
                          }
                          }),
                          functionThatIsRunningEachTwoSeconds(){
                          let count = this.get('count');
                          this.set('count', count + 1);
                          this.set('execute', true);
                          }


                          Now that you know what's wrong with your current approach, let my go back again on record and suggest that this is not a great, intuitive way to orchestrate a repeated loop. I recommend the Ember-Concurrency as well since it is Ember lifecycle aware



                          If you handled the edit button in the route, you could super cleanly cancel it on route change



                          functionThatIsRunningEachTwoSeconds: task(function * (id) {
                          try {
                          while (true) {
                          yield timeout(2000);
                          //work function
                          }
                          } finally {
                          //if you wanted code after cancel
                          }
                          }).cancelOn('deactivate').restartable()


                          Deactivate corresponds to the ember deactivate route hook/event:




                          This hook is executed when the router completely exits this route. It
                          is not executed when the model for the route changes.








                          share|improve this answer












                          share|improve this answer



                          share|improve this answer










                          answered Jan 3 at 12:12









                          mistahenrymistahenry

                          5,87431830




                          5,87431830






























                              draft saved

                              draft discarded




















































                              Thanks for contributing an answer to Stack Overflow!


                              • Please be sure to answer the question. Provide details and share your research!

                              But avoid



                              • Asking for help, clarification, or responding to other answers.

                              • Making statements based on opinion; back them up with references or personal experience.


                              To learn more, see our tips on writing great answers.




                              draft saved


                              draft discarded














                              StackExchange.ready(
                              function () {
                              StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f53979960%2frun-ember-run-later-from-action-triggered%23new-answer', 'question_page');
                              }
                              );

                              Post as a guest















                              Required, but never shown





















































                              Required, but never shown














                              Required, but never shown












                              Required, but never shown







                              Required, but never shown

































                              Required, but never shown














                              Required, but never shown












                              Required, but never shown







                              Required, but never shown







                              Popular posts from this blog

                              MongoDB - Not Authorized To Execute Command

                              Npm cannot find a required file even through it is in the searched directory

                              in spring boot 2.1 many test slices are not allowed anymore due to multiple @BootstrapWith