6

したがって、aspx ページにコントロール (マップ) があります。次のセットアップをオンロードするためのJavaScriptをいくつか書きたいと思います。

  1. マウスがコントロール上で停止したとき = いくつかのコード

  2. マウスの移動時 = 何らかのコード (ただし、移動が 250 ミリ秒より長い場合のみ)

これは、停止時にコードをトリガーし、次に移動するために機能します...

function setupmousemovement() {
var map1 = document.getElementById('Map_Panel');
var map = document.getElementById('Map1');
map1.onmousemove = (function() {
    var onmousestop = function() {
            //code to do on stop
    }, thread;

    return function() {
        //code to do on mouse move
        clearTimeout(thread);
        thread = setTimeout(onmousestop, 25);
    };
    })();
};

しかし、移動中のコードに遅延を導入する方法がわかりません。私はこれでそれを持っていると思った...

function setupmousemovement() {
var map1 = document.getElementById('Map_Panel');
var map = document.getElementById('Map1');
map1.onmousemove = (function() {
    var onmousestop = function() {
            //code to do on stop
            clearTimeout(thread2);
    }, thread;

    return function() {
        thread2 = setTimeout("code to do on mouse move", 250);
        clearTimeout(thread);
        thread = setTimeout(onmousestop, 25);
    };
    })();
};

でも思ったように動かない。移動中の「thread2」は、停止によってクリアされることはありません。私は何が欠けていますか?

4

1 に答える 1

6

それはトリッキーなものです。少しいじくり回した結果、次のようになりました。

function setupmousemovement() {

  var map1 = document.getElementById('Map_Panel');
  map1.onmousemove = (function() {
    var timer,
        timer250,
        onmousestop = function() {

          // code to do on stop

          clearTimeout( timer250 ); // I'm assuming we don't want this to happen if mouse stopped
          timer = null;  // this needs to be falsy next mousemove start
        };
    return function() {
      if (!timer) {

        // code to do on start

        timer250 = setTimeout(function () { // you can replace this with whatever

          // code to do when 250 millis have passed

        }, 250 );
      }
      // we are still moving, or this is our first time here...
      clearTimeout( timer );  // remove active end timer
      timer = setTimeout( onmousestop, 25 );  // delay the stopping action another 25 millis
    };

  })();

};

コードが機能しない理由は、マウスの移動中に mousemove が繰り返し起動し、毎回新しいタイムアウトを開始しているためです。

于 2008-10-20T18:54:56.893 に答える