「サイズ変更」イベントの「終了」を待ってから、アクションを実行する方法は?


243

だから私は現在のようなものを使用しています:

$(window).resize(function(){resizedw();});

しかし、これは、サイズ変更プロセスの進行中に何度も呼び出されます。終了時にイベントをキャッチすることは可能ですか?


多分.one()、すべてのサイズ変更が完了した後にのみ実行され、何度も実行されないように使用してアタッチしますか?
ブラッドクリスティー

5
ユーザーがウィンドウを手動で(ドラッグして)サイズ変更すると、サイズ変更イベントが複数回呼び出されるため、.one()を使用しても効果はありません。
jessegavin 2011年

上記で無名関数を使用すると、シンプルさと限界迅速ために、除去することができる:$(ウィンドウ).resize(resizedw)
フォルノスト

これがjQueryライブラリです:github.com/nielse63/jquery.resizeend
rugk

回答:


177

私は次の推奨事項で運が良かった:http : //forum.jquery.com/topic/the-resizeend-event

これがコードですので、彼の投稿のリンクとソースを掘り下げる必要はありません。

var rtime;
var timeout = false;
var delta = 200;
$(window).resize(function() {
    rtime = new Date();
    if (timeout === false) {
        timeout = true;
        setTimeout(resizeend, delta);
    }
});

function resizeend() {
    if (new Date() - rtime < delta) {
        setTimeout(resizeend, delta);
    } else {
        timeout = false;
        alert('Done resizing');
    }               
}

コードをありがとうsime.vidas!


1
日付を次のように変更したいnew Date(-1E12)場合があり00ます。つまり、JSLintは使用について警告します。
elundmark 2015年

ありがとうエルンドマーク。日付のインスタンス化を単一の0を使用するように切り替えました。うまくいけば、それは不満を生成しません。
Dolan Antenucci、2015年

@elundmarkまたは+演算を使用します。rtime: Date; .... if (+new Date() - +rtime < delta)そしてtypescriptのresizeend関数はこのような矢印関数でなければなりませんresizeend=()=>。resizeend関数では、thisウィンドウオブジェクトへの参照だからです。
ムハメットカンTONBUL

517

あなたが使用することができますsetTimeout()し、clearTimeout()

function resizedw(){
    // Haven't resized in 100ms!
}

var doit;
window.onresize = function(){
  clearTimeout(doit);
  doit = setTimeout(resizedw, 100);
};

jsfiddleのコード例。


7
これは素晴らしい答えです。それは、プラグインなしでのみ、私が推奨するプラグインがすることを行います。
jessegavin 2011年

これを本当に改善する唯一の方法は、マウスの動きを検出することだと思います。しかし、それを掘り下げても利益は得られないのではないかと思います。
Michael Haren

これは、サイズ変更が1秒以内に終了した場合にのみ機能しますか?これを使用しようとすると、機能がトリガーされました(ウィンドウのサイズを変更したために時間がかかりました)
Dolan Antenucci

@MichaelHarenサイズ変更ハンドルは通常の外側にあるため$(document)、マウスの検出は、Microsoft WindowsとそのInternet Explorerの脆弱なバージョンを実行しているユーザーに制限されます:iedataleak.spider.io/demo
Alastair

12
これはデバウンスコンセプトの非常にシンプルな実装です(unscriptable.com/2009/03/20/debouncing-javascript-methods)。Paul Irish(および他の人)は、「不要な」サイズ変更イベントを処理しないはるかに効率的なソリューションを提示しました:paulirish.com/2009/throttled-smartresize-jquery-event-handler
rmoestl

78

これは、@ Mark Colemanの回答に従って私が書いたコードです。

$(window).resize(function() {
    clearTimeout(window.resizedFinished);
    window.resizedFinished = setTimeout(function(){
        console.log('Resized finished.');
    }, 250);
});

マークありがとう!


1
素敵なアプローチ。また、ここではスーパー変数ウィンドウに変更が加えられない点が異なります
Alwin Kesler、2016年

2
@AlwinKesler-この例では、変数resizeTimerはグローバル変数です。つまり、変数は定義されていないためwindow、こことまったく同じです。外部で変数を定義する必要がないため、この例のみが優れています。また、この変数をwindowオブジェクトに追加することは、イベントリスナーがバインドされているオブジェクトであるため、意味があります。
vsync

1
ありがとう!場合によっては、コールバックで特定のタスクを実行するためにより長い時間間隔が必要になることを追加したかっただけです。たとえば私の場合、250はうまくいきませんでしたが、700はうまくいきました。
マリアブレア

最も良い解決策。
Daniel Dewhurst

36

Internet ExplorerはresizeEndイベントを提供します。他のブラウザは、サイズ変更中に何度もサイズ変更イベントをトリガーします。

setTimeoutと.throttleの使用方法を示す他の素晴らしい回答がありますlodashとunderscoreからの.debounceメソッドなので、目的を達成するBen Almanのthrottle-debounce jQueryプラグインについて説明します。

サイズ変更後にトリガーする次の関数があるとします。

function onResize() {
  console.log("Resize just happened!");
};

スロットルの例
次の例でonResize()は、ウィンドウのサイズ変更中に250ミリ秒ごとに1回だけ呼び出されます。

$(window).resize( $.throttle( 250, onResize) );

デバウンスの例
次の例でonResize()は、ウィンドウのサイズ変更アクションの最後に一度だけ呼び出されます。これにより、@ Markが彼の回答で提示するのと同じ結果が得られます。

$(window).resize( $.debounce( 250, onResize) );

1
Lodashもここで役立ちます。これには、_。throttleメソッドと_.debounceメソッドもあります。デバウンスは、上記の受け入れられた例よりも優れたアプローチだと思います。
Kevin Leary 2016年

1
ええ、この答えは5年以上前に書かれました。jQueryプラグインの時代から多くのことが起こりました。スタンドアロンのデバウンス関数もここにありますdavidwalsh.name/javascript-debounce-function
jessegavin

26

Underscore.jsを使用したエレガントなソリューションがあるため、プロジェクトで使用している場合は、次のことができます-

$( window ).resize( _.debounce( resizedw, 500 ) );

これで十分でしょう:)しかし、それについてもっと読みたい場合は、私のブログ投稿をチェックしてください-http://rifatnabi.com/post/detect-end-of-jquery-resize-event-using-underscore -debounce(デッドリンク)


1
これを追加したいだけlodashでもこれを提供します
vsync

10

1つのソリューションは、jQueryを関数で拡張することです。例: resized

$.fn.resized = function (callback, timeout) {
    $(this).resize(function () {
        var $this = $(this);
        if ($this.data('resizeTimeout')) {
            clearTimeout($this.data('resizeTimeout'));
        }
        $this.data('resizeTimeout', setTimeout(callback, timeout));
    });
};

使用例:

$(window).resized(myHandler, 300);


7

setIntervalまたはsetTimeoutへの参照IDを保存できます。このような:

var loop = setInterval(func, 30);

// some time later clear the interval
clearInterval(loop);

「グローバル」変数なしでこれを行うには、関数自体にローカル変数を追加できます。例:

$(window).resize(function() {
    clearTimeout(this.id);
    this.id = setTimeout(doneResizing, 500);
});

function doneResizing(){
  $("body").append("<br/>done!");   
}

4

以下setTimeout()clearTimeout()組み合わせて使用できますjQuery.data

$(window).resize(function() {
    clearTimeout($.data(this, 'resizeTimer'));
    $.data(this, 'resizeTimer', setTimeout(function() {
        //do something
        alert("Haven't resized in 200ms!");
    }, 200));
});

更新

jQueryのデフォルトの(&)-event-handlerを拡張する拡張機能を作成しました。イベントが特定の間隔でトリガーされなかった場合、1つ以上のイベントのイベントハンドラー関数を選択した要素にアタッチします。これは、サイズ変更イベントなど、遅延の後でのみコールバックを起動する場合に便利です。 https://github.com/yckart/jquery.unevent.jsonbind

;(function ($) {
    var methods = { on: $.fn.on, bind: $.fn.bind };
    $.each(methods, function(k){
        $.fn[k] = function () {
            var args = [].slice.call(arguments),
                delay = args.pop(),
                fn = args.pop(),
                timer;

            args.push(function () {
                var self = this,
                    arg = arguments;
                clearTimeout(timer);
                timer = setTimeout(function(){
                    fn.apply(self, [].slice.call(arg));
                }, delay);
            });

            return methods[k].apply(this, isNaN(delay) ? arguments : args);
        };
    });
}(jQuery));

ラストとして追加のパラメータを渡すことができることを除いて、他のハンドラonまたはbind-eventハンドラと同じように使用します。

$(window).on('resize', function(e) {
    console.log(e.type + '-event was 200ms not triggered');
}, 200);

http://jsfiddle.net/ARTsinn/EqqHx/


3

2つの呼び出し間のデルタ時間を計算するよりも、サイズ変更の最後に関数を実行する非常に簡単な方法があります。次のようにしてください。

var resizeId;
$(window).resize(function() {
    clearTimeout(resizeId);
    resizeId = setTimeout(resizedEnded, 500);
});

function resizedEnded(){
    ...
}

そして、Angular2の同等のもの

private resizeId;
@HostListener('window:resize', ['$event'])
onResized(event: Event) {
  clearTimeout(this.resizeId);
  this.resizeId = setTimeout(() => {
    // Your callback method here.
  }, 500);
}

angularメソッドの場合、スコープを保持するためにの() => { }表記を使用しsetTimeoutます。そうしないと、関数を呼び出したり、を使用したりできなくなりますthis


2

これは上記のDolanのコードの変更です。サイズがマージンよりも大きいか小さい場合に、サイズ変更の開始時にウィンドウサイズをチェックし、サイズ変更の終了時のサイズと比較する機能を追加しました(例:1000)次にリロードします。

var rtime = new Date(1, 1, 2000, 12,00,00);
var timeout = false;
var delta = 200;
var windowsize = $window.width();
var windowsizeInitial = $window.width();

$(window).on('resize',function() {
    windowsize = $window.width();
    rtime = new Date();
    if (timeout === false) {
            timeout = true;
            setTimeout(resizeend, delta);
        }
});

function resizeend() {
if (new Date() - rtime < delta) {
    setTimeout(resizeend, delta);
    return false;
} else {
        if (windowsizeInitial > 1000 && windowsize > 1000 ) {
            setTimeout(resizeend, delta);
            return false;
        }
        if (windowsizeInitial < 1001 && windowsize < 1001 ) {
            setTimeout(resizeend, delta);
            return false;
        } else {
            timeout = false;
            location.reload();
        }
    }
    windowsizeInitial = $window.width();
    return false;
}

2

Mark Colemanの回答は選択した回答よりもはるかに優れていますが、タイムアウトIDのグローバル変数(doitMarkの回答の変数)を回避したい場合は、次のいずれかを実行できます。

(1)すぐに呼び出される関数式(IIFE)を使用してクロージャーを作成します。

$(window).resize((function() { // This function is immediately invoked
                               // and returns the closure function.
    var timeoutId;
    return function() {
        clearTimeout(timeoutId);
        timeoutId = setTimeout(function() {
            timeoutId = null; // You could leave this line out.
            // Code to execute on resize goes here.
        }, 100);
    };
})());

(2)イベントハンドラ関数のプロパティを使用します。

$(window).resize(function() {
    var thisFunction = arguments.callee;
    clearTimeout(thisFunction.timeoutId);
    thisFunction.timeoutId = setTimeout(function() {
        thisFunction.timeoutId = null; // You could leave this line out.
        // Code to execute on resize goes here.
    }, 100);
});

オプション2は、arguments.calleeを使用して、関数がES6から変換される場合は機能しません。
Martin Burch

1

自分で少しラッパー関数を書いた...

onResize  =   function(fn) {
    if(!fn || typeof fn != 'function')
        return 0;

    var args    = Array.prototype.slice.call(arguments, 1);

    onResize.fnArr    = onResize.fnArr || [];
    onResize.fnArr.push([fn, args]);

    onResize.loop   = function() {
        $.each(onResize.fnArr, function(index, fnWithArgs) {
            fnWithArgs[0].apply(undefined, fnWithArgs[1]);
        });
    };

    $(window).on('resize', function(e) {
        window.clearTimeout(onResize.timeout);
        onResize.timeout    = window.setTimeout("onResize.loop();", 300);
    });
};

使い方は次のとおりです。

var testFn  = function(arg1, arg2) {
    console.log('[testFn] arg1: '+arg1);
    console.log('[testFn] arg2: '+arg2);
};

// document ready
$(function() {
    onResize(testFn, 'argument1', 'argument2');
});

1
(function(){
    var special = jQuery.event.special,
        uid1 = 'D' + (+new Date()),
        uid2 = 'D' + (+new Date() + 1);

    special.resizestart = {
        setup: function() {
            var timer,
                handler =  function(evt) {
                    var _self = this,
                        _args = arguments;
                    if (timer) {
                        clearTimeout(timer);
                    } else {
                        evt.type = 'resizestart';
                        jQuery.event.handle.apply(_self, _args);
                    }

                    timer = setTimeout( function(){
                        timer = null;
                    }, special.resizestop.latency);
                };
            jQuery(this).bind('resize', handler).data(uid1, handler);
        },
        teardown: function(){
            jQuery(this).unbind( 'resize', jQuery(this).data(uid1) );
        }
    };

    special.resizestop = {
        latency: 200,
        setup: function() {
            var timer,
                handler = function(evt) {
                    var _self = this,
                        _args = arguments;
                    if (timer) {
                        clearTimeout(timer);
                    }
                    timer = setTimeout( function(){
                        timer = null;
                        evt.type = 'resizestop';
                        jQuery.event.handle.apply(_self, _args);
                    }, special.resizestop.latency);
                };

            jQuery(this).bind('resize', handler).data(uid2, handler);
        },
        teardown: function() {
            jQuery(this).unbind( 'resize', jQuery(this).data(uid2) );
        }
    };
})();

$(window).bind('resizestop',function(){
    //...
});

1

まあ、限りウィンドウマネージャに関しては、各resizeイベントは、独自のメッセージはとても技術的には、ウィンドウのサイズが変更されるたびに、それは、明確な始まりと終わりで、あるある終わり。

そうは言っても、継続を遅らせたいのではないでしょうか?ここに例があります。

var t = -1;
function doResize()
{
    document.write('resize');
}
$(document).ready(function(){
    $(window).resize(function(){
        clearTimeout(t);
        t = setTimeout(doResize, 1000);
    });
});

1

ウィンドウオブジェクトで「resizestart」イベントと「resizeend」イベントの両方をトリガーする非常に単純なスクリプトを次に示します。

日付や時刻をいじくる必要はありません。

d変数は、リサイズ終了イベントをトリガする前に、あなたは終了イベントがどのように敏感変更するには、このと遊ぶことができるリサイズイベント間のミリ秒数を表します。

これらのイベントを聞くには、次のことを行う必要があります。

resizestart: $(window).on('resizestart', function(event){console.log('Resize Start!');});

サイズ変更: $(window).on('resizeend', function(event){console.log('Resize End!');});

(function ($) {
    var d = 250, t = null, e = null, h, r = false;

    h = function () {
        r = false;
        $(window).trigger('resizeend', e);
    };

    $(window).on('resize', function (event) {
        e = event || e;
        clearTimeout(t);

        if (!r) {
            $(window).trigger('resizestart', e);
            r = true;
        }

        t = setTimeout(h, d);
    });
}(jQuery));

1
サイズ変更の最初と最後が必要でしたが、これはうまく機能しているようです(Chrome、FF、Opera、IE11でテスト済み)。テストのために、あなたのソリューションでJSFiddleを作成しました:jsfiddle.net/8fsn2joj
Keith DC

1

これは私が繰り返しアクションを遅らせるために使用するもので、コードの複数の場所で呼び出すことができます:

function debounce(func, wait, immediate) {
    var timeout;
    return function() {
        var context = this, args = arguments;
        var later = function() {
            timeout = null;
            if (!immediate) func.apply(context, args);
        };
        var callNow = immediate && !timeout;
        clearTimeout(timeout);
        timeout = setTimeout(later, wait);
        if (callNow) func.apply(context, args);
    };
};

使用法:

$(window).resize(function () { 
   debounce(function() {
          //...
    }, 500);
});

0

選択された答えは実際には機能しなかったので..jqueryを使用していない場合は、ウィンドウのサイズ変更でそれを使用する方法の例を含む簡単なスロットル関数がここにあります

    function throttle(end,delta) {

    var base = this;

    base.wait = false;
    base.delta = 200;
    base.end = end;

    base.trigger = function(context) {

        //only allow if we aren't waiting for another event
        if ( !base.wait ) {

            //signal we already have a resize event
            base.wait = true;

            //if we are trying to resize and we 
            setTimeout(function() {

                //call the end function
                if(base.end) base.end.call(context);

                //reset the resize trigger
                base.wait = false;
            }, base.delta);
        }
    }
};

var windowResize = new throttle(function() {console.log('throttle resize');},200);

window.onresize = function(event) {
    windowResize.trigger();
}

0

プラグインを使いたくなかったので、これでうまくいきました。

$(window).resize(function() {
    var originalWindowSize = 0;
    var currentWidth = 0;

    var setFn = function () {
        originalWindowSize = $(window).width();
    };

    var checkFn = function () {
        setTimeout(function () {
            currentWidth = $(window).width();
            if (currentWidth === originalWindowSize) {
                console.info("same? = yes") 
                // execute code 
            } else {
                console.info("same? = no"); 
                // do nothing 
            }
        }, 500)
    };
    setFn();
    checkFn();
});

ウィンドウのサイズ変更時に、ウィンドウの幅を取得する「setFn」を呼び出し、「originalWindowSize」として保存します。次に「checkFn」を呼び出します。500ms(または設定)後に現在のウィンドウサイズを取得し、オリジナルと現在のウィンドウサイズを比較します。同じでない場合、ウィンドウのサイズは変更されます。本番環境でコンソールメッセージを削除することを忘れないでください。また、(オプション)「setFn」を自己実行させることができます。


0
var resizeTimer;
$( window ).resize(function() {
    if(resizeTimer){
        clearTimeout(resizeTimer);
    }
    resizeTimer = setTimeout(function() {
        //your code here
        resizeTimer = null;
        }, 200);
    });

これは私がクロムでやろうとしていたことに対してうまくいきました。これは、最後のサイズ変更イベントから200ミリ秒後までコールバックを起動しません。


0

更新!

私が作成したより良い代替案はこちらです: https : //stackoverflow.com/a/23692008/2829600 (「削除機能」をサポート)

元の投稿:

jQuery .scroll()と.resize()の内部で役立つ、実行の遅延を処理するためのこの単純な関数を作成しました。したがって、callback_fは特定のid文字列に対して1回だけ実行されます。

function delay_exec( id, wait_time, callback_f ){

    // IF WAIT TIME IS NOT ENTERED IN FUNCTION CALL,
    // SET IT TO DEFAULT VALUE: 0.5 SECOND
    if( typeof wait_time === "undefined" )
        wait_time = 500;

    // CREATE GLOBAL ARRAY(IF ITS NOT ALREADY CREATED)
    // WHERE WE STORE CURRENTLY RUNNING setTimeout() FUNCTION FOR THIS ID
    if( typeof window['delay_exec'] === "undefined" )
        window['delay_exec'] = [];

    // RESET CURRENTLY RUNNING setTimeout() FUNCTION FOR THIS ID,
    // SO IN THAT WAY WE ARE SURE THAT callback_f WILL RUN ONLY ONE TIME
    // ( ON LATEST CALL ON delay_exec FUNCTION WITH SAME ID  )
    if( typeof window['delay_exec'][id] !== "undefined" )
        clearTimeout( window['delay_exec'][id] );

    // SET NEW TIMEOUT AND EXECUTE callback_f WHEN wait_time EXPIRES,
    // BUT ONLY IF THERE ISNT ANY MORE FUTURE CALLS ( IN wait_time PERIOD )
    // TO delay_exec FUNCTION WITH SAME ID AS CURRENT ONE
    window['delay_exec'][id] = setTimeout( callback_f , wait_time );
}


// USAGE

jQuery(window).resize(function() {

    delay_exec('test1', 1000, function(){
        console.log('1st call to delay "test1" successfully executed!');
    });

    delay_exec('test1', 1000, function(){
        console.log('2nd call to delay "test1" successfully executed!');
    });

    delay_exec('test1', 1000, function(){
        console.log('3rd call to delay "test1" successfully executed!');
    });

    delay_exec('test2', 1000, function(){
        console.log('1st call to delay "test2" successfully executed!');
    });

    delay_exec('test3', 1000, function(){
        console.log('1st call to delay "test3" successfully executed!');
    });

});

/* RESULT
3rd call to delay "test1" successfully executed!
1st call to delay "test2" successfully executed!
1st call to delay "test3" successfully executed!
*/

ここで使用法を明確にしていただけませんか?あなたはそれを行うことを提案しています$(window).resize(function() { delay_exec('test1', 30, function() { ... delayed stuff here ... }); });か?それ以外はかなりきれいなコード。共有いただきありがとうございます。:)
mhulse 2014年

あなたはロック!@Déján、ありがとう!ずっと+1。クールなコード例、私がテストしたものから非常にうまく機能します。使い方も簡単。共有していただきありがとうございます。:)
mhulse 2014年

0

ウィンドウのResizeStartおよびResizeEndイベント

http://jsfiddle.net/04fLy8t4/

ユーザーDOM要素で2つのイベントをトリガーする関数を実装しました。

  1. resizestart
  2. サイズ変更

コード:

var resizeEventsTrigger = (function () {
    function triggerResizeStart($el) {
        $el.trigger('resizestart');
        isStart = !isStart;
    }

    function triggerResizeEnd($el) {
        clearTimeout(timeoutId);
        timeoutId = setTimeout(function () {
            $el.trigger('resizeend');
            isStart = !isStart;
        }, delay);
    }

    var isStart = true;
    var delay = 200;
    var timeoutId;

    return function ($el) {
        isStart ? triggerResizeStart($el) : triggerResizeEnd($el);
    };

})();

$("#my").on('resizestart', function () {
    console.log('resize start');
});
$("#my").on('resizeend', function () {
    console.log('resize end');
});

window.onresize = function () {
    resizeEventsTrigger( $("#my") );
};

0
var flag=true;
var timeloop;

$(window).resize(function(){
    rtime=new Date();
    if(flag){
        flag=false;
        timeloop=setInterval(function(){
            if(new Date()-rtime>100)
                myAction();
        },100);
    }
})
function myAction(){
    clearInterval(timeloop);
    flag=true;
    //any other code...
}

0

他の人のために私のコードが機能するかどうかはわかりませんが、それは本当に私にとって素晴らしい仕事をしています。Dolan Antenucciのコードを分析することでこのアイデアを得ました。彼のバージョンは私にとってはうまくいかず、誰かに役立つことを本当に期待しています。

var tranStatus = false;
$(window).resizeend(200, function(){
    $(".cat-name, .category").removeAttr("style");
    //clearTimeout(homeResize);
    $("*").one("webkitTransitionEnd otransitionend oTransitionEnd msTransitionEnd transitionend",function(event) {
      tranStatus = true;
    });
    processResize();
});

function processResize(){
  homeResize = setInterval(function(){
    if(tranStatus===false){
        console.log("not yet");
        $("*").one("webkitTransitionEnd otransitionend oTransitionEnd msTransitionEnd transitionend",function(event) {
            tranStatus = true;
        }); 
    }else{
        text_height();
        clearInterval(homeResize);
    }
  },200);
}

0

サイズ変更イベントにラップされたときに関数を渡す関数を作成しました。これは間隔を使用するので、サイズ変更がタイムアウトイベントを常に作成することはありません。これにより、本番環境で削除する必要のあるログエントリ以外のサイズ変更イベントとは無関係に実行できます。

https://github.com/UniWrighte/resizeOnEnd/blob/master/resizeOnEnd.js

        $(window).resize(function(){
            //call to resizeEnd function to execute function on resize end.
    //can be passed as function name or anonymous function
            resizeEnd(function(){



    });

        });

        //global variables for reference outside of interval
        var interval = null;
        var width = $(window).width();
    var numi = 0; //can be removed in production
        function resizeEnd(functionCall){
            //check for null interval
            if(!interval){
                //set to new interval
                interval = setInterval(function(){
        //get width to compare
                    width2 = $(window).width();
        //if stored width equals new width
                    if(width === width2){
                        //clear interval, set to null, and call passed function
                        clearInterval(interval);
                        interval = null; //precaution
                        functionCall();

                    }
        //set width to compare on next interval after half a second
                    width = $(window).width();
                }, 500);

            }else{
                //logging that should be removed in production
                console.log("function call " + numi++ + " and inteval set skipped");

            }

}

弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.