如何在jQuery中显示加载微调器?

时间:2008-09-16 01:18:16

标签: jquery spinner prototypejs equivalence language-interoperability

Prototype 中,我可以使用以下代码显示“loading ...”图片:

var myAjax = new Ajax.Request( url, {method: 'get', parameters: pars, 
onLoading: showLoad, onComplete: showResponse} );

function showLoad () {
    ...
}

jQuery 中,我可以将服务器页面加载到一个元素中:

$('#message').load('index.php?pg=ajaxFlashcard');

但是如何像在Prototype中那样将加载微调器附加到此命令?

25 个答案:

答案 0 :(得分:772)

有两种方法。我首选的方法是将一个函数附加到元素本身的ajaxStart / Stop事件上。

$('#loadingDiv')
    .hide()  // Hide it initially
    .ajaxStart(function() {
        $(this).show();
    })
    .ajaxStop(function() {
        $(this).hide();
    })
;

无论何时进行任何Ajax调用,都会触发ajaxStart / Stop函数。

更新:从jQuery 1.8开始,文档指出.ajaxStart/Stop只应附加到document。这会将上面的代码段转换为:

var $loading = $('#loadingDiv').hide();
$(document)
  .ajaxStart(function () {
    $loading.show();
  })
  .ajaxStop(function () {
    $loading.hide();
  });

答案 1 :(得分:202)

对于jQuery,我使用

jQuery.ajaxSetup({
  beforeSend: function() {
     $('#loader').show();
  },
  complete: function(){
     $('#loader').hide();
  },
  success: function() {}
});

答案 2 :(得分:37)

您可以使用jQuery的.ajax函数并使用其选项beforeSend并定义一些函数,您可以在其中显示类似于装载器div的内容,并且在成功选项中您可以隐藏该装载器div。< / p>

jQuery.ajax({
    type: "POST",
    url: 'YOU_URL_TO_WHICH_DATA_SEND',
    data:'YOUR_DATA_TO_SEND',
    beforeSend: function() {
        $("#loaderDiv").show();
    },
    success: function(data) {
        $("#loaderDiv").hide();
    }
});

您可以拥有任何Spinning Gif图像。根据您的配色方案,这是一个很棒的AJAX Loader Generator网站:http://ajaxload.info/

答案 3 :(得分:22)

你可以在AJAX调用之前将动画图像插入到DOM中,并使用内联函数将其删除...

$("#myDiv").html('<img src="images/spinner.gif" alt="Wait" />');
$('#message').load('index.php?pg=ajaxFlashcard', null, function() {
  $("#myDiv").html('');
});

这将确保您的动画在后续请求的同一帧开始(如果这很重要)。请注意,IE 的旧版本可能对动画有困难。

祝你好运!

答案 4 :(得分:20)

$('#message').load('index.php?pg=ajaxFlashcard', null, showResponse);
showLoad();

function showResponse() {
    hideLoad();
    ...
}

http://docs.jquery.com/Ajax/load#urldatacallback

答案 5 :(得分:15)

如果您使用$.ajax(),可以使用以下内容:

$.ajax({
        url: "destination url",
        success: sdialog,
        error: edialog,
        // shows the loader element before sending.
        beforeSend: function () { $("#imgSpinner1").show(); },
        // hides the loader after completion of request, whether successfull or failor.             
        complete: function () { $("#imgSpinner1").hide(); },             
        type: 'POST', dataType: 'json'
    });  

答案 6 :(得分:10)

使用加载插件:http://plugins.jquery.com/project/loading

$.loading.onAjax({img:'loading.gif'});

答案 7 :(得分:8)

Variant:我在主页左上角有一个id =“logo”的图标;然后当ajax工作时,将旋转器gif覆盖在顶部(带透明度)。

jQuery.ajaxSetup({
  beforeSend: function() {
     $('#logo').css('background', 'url(images/ajax-loader.gif) no-repeat')
  },
  complete: function(){
     $('#logo').css('background', 'none')
  },
  success: function() {}
});

答案 8 :(得分:7)

我也想为这个答案做出贡献。我在jQuery中寻找类似的东西,这也是我最终使用的东西。

我从http://ajaxload.info/获得了加载微调器。我的解决方案基于http://christierney.com/2011/03/23/global-ajax-loading-spinners/上的这个简单答案。

基本上你的HTML标记和CSS看起来像这样:

<style>
     #ajaxSpinnerImage {
          display: none;
     }
</style>

<div id="ajaxSpinnerContainer">
     <img src="~/Content/ajax-loader.gif" id="ajaxSpinnerImage" title="working..." />
</div>

然后你的jQuery代码看起来像这样:

<script>
     $(document).ready(function () {
          $(document)
          .ajaxStart(function () {
               $("#ajaxSpinnerImage").show();
          })
          .ajaxStop(function () {
               $("#ajaxSpinnerImage").hide();
          });

          var owmAPI = "http://api.openweathermap.org/data/2.5/weather?q=London,uk&APPID=YourAppID";
          $.getJSON(owmAPI)
          .done(function (data) {
               alert(data.coord.lon);
          })
          .fail(function () {
               alert('error');
          });
     });
</script>

就这么简单:)

答案 9 :(得分:7)

您可以简单地将加载程序映像分配给稍后将使用Ajax调用加载内容的同一标记:

$("#message").html('<span>Loading...</span>');

$('#message').load('index.php?pg=ajaxFlashcard');

您也可以使用图片标记替换span标记。

答案 10 :(得分:7)

我最终对original reply进行了两次更改。

  1. 从jQuery 1.8开始,ajaxStart和ajaxStop只应附加到document。这使得仅过滤一些ajax请求变得更加困难。洙...
  2. 切换到ajaxSendajaxComplete可以在显示微调器之前查看当前的ajax请求。
  3. 这是这些更改后的代码:

    $(document)
        .hide()  // hide it initially
        .ajaxSend(function(event, jqxhr, settings) {
            if (settings.url !== "ajax/request.php") return;
            $(".spinner").show();
        })
        .ajaxComplete(function(event, jqxhr, settings) {
            if (settings.url !== "ajax/request.php") return;
            $(".spinner").hide();
        })
    

答案 11 :(得分:6)

除了为ajax事件设置全局默认值之外,您还可以设置特定元素的行为。也许只是改变他们的课程就足够了?

$('#myForm').ajaxSend( function() {
    $(this).addClass('loading');
});
$('#myForm').ajaxComplete( function(){
    $(this).removeClass('loading');
});

示例CSS,用spinner隐藏#myForm:

.loading {
    display: block;
    background: url(spinner.gif) no-repeat center middle;
    width: 124px;
    height: 124px;
    margin: 0 auto;
}
/* Hide all the children of the 'loading' element */
.loading * {
    display: none;  
}

答案 12 :(得分:4)

请注意,你必须使用异步调用才能使用微调器(至少这是导致我在ajax调用之后才显示的内容,然后在调用完成后迅速离开并移除了微调器)。

$.ajax({
        url: requestUrl,
        data: data,
        dataType: 'JSON',
        processData: false,
        type: requestMethod,
        async: true,                         <<<<<<------ set async to true
        accepts: 'application/json',
        contentType: 'application/json',
        success: function (restResponse) {
            // something here
        },
        error: function (restResponse) {
            // something here                
        }
    });

答案 13 :(得分:4)

$('#loading-image').html('<img src="/images/ajax-loader.gif"> Sending...');

        $.ajax({
            url:  uri,
            cache: false,
            success: function(){
                $('#loading-image').html('');           
            },

           error:   function(jqXHR, textStatus, errorThrown) {
            var text =  "Error has occured when submitting the job: "+jqXHR.status+ " Contact IT dept";
           $('#loading-image').html('<span style="color:red">'+text +'  </span>');

            }
        });

答案 14 :(得分:2)

我在jQuery UI Dialog中使用了以下内容。 (也许它适用于其他ajax回调?)

$('<div><img src="/i/loading.gif" id="loading" /></div>').load('/ajax.html').dialog({
    height: 300,
    width: 600,
    title: 'Wait for it...'
});

包含动画加载gif,直到其内容在ajax调用完成时被替换。

答案 15 :(得分:2)

这对我来说是最好的方式:

<强>的jQuery

$(document).ajaxStart(function() {
  $(".loading").show();
});

$(document).ajaxStop(function() {
  $(".loading").hide();
});

<强>咖啡

  $(document).ajaxStart ->
    $(".loading").show()

  $(document).ajaxStop ->
    $(".loading").hide()

文档:ajaxStartajaxStop

答案 16 :(得分:2)

的JavaScript

$.listen('click', '#captcha', function() {
    $('#captcha-block').html('<div id="loading" style="width: 70px; height: 40px; display: inline-block;" />');
    $.get("/captcha/new", null, function(data) {
        $('#captcha-block').html(data);
    }); 
    return false;
});

CSS

#loading { background: url(/image/loading.gif) no-repeat center; }

答案 17 :(得分:2)

这是一个非常简单和智能的插件,用于特定目的: https://github.com/hekigan/is-loading

答案 18 :(得分:1)

我认为你是对的。 这种方法过于全球化......

但是 - 当您的AJAX调用对页面本身没有影响时,它是一个很好的默认值。 (例如背景保存)。 (通过传递“global”,您可以随时将其关闭以进行某个ajax调用:false - 请参阅jquery上的文档

当AJAX调用是为了刷新部分页面时,我喜欢我的“加载”图像特定于刷新部分。我想看看哪个部分刷新了。

想象一下,如果你能简单地写下这样的话会有多酷:

$("#component_to_refresh").ajax( { ... } ); 

这将显示此部分的“加载”。 下面是我编写的一个处理“加载”显示的函数,但它特定于你在ajax中刷新的区域。

首先,让我告诉你如何使用它

<!-- assume you have this HTML and you would like to refresh 
      it / load the content with ajax -->

<span id="email" name="name" class="ajax-loading">
</span>

<!-- then you have the following javascript --> 

$(document).ready(function(){
     $("#email").ajax({'url':"/my/url", load:true, global:false});
 })

这就是功能 - 一个基本的开始,你可以根据自己的意愿增强。它非常灵活。

jQuery.fn.ajax = function(options)
{
    var $this = $(this);
    debugger;
    function invokeFunc(func, arguments)
    {
        if ( typeof(func) == "function")
        {
            func( arguments ) ;
        }
    }

    function _think( obj, think )
    {
        if ( think )
        {
            obj.html('<div class="loading" style="background: url(/public/images/loading_1.gif) no-repeat; display:inline-block; width:70px; height:30px; padding-left:25px;"> Loading ... </div>');
        }
        else
        {
            obj.find(".loading").hide();
        }
    }

    function makeMeThink( think )
    {
        if ( $this.is(".ajax-loading") )
        {
            _think($this,think);
        }
        else
        {
            _think($this, think);
        }
    }

    options = $.extend({}, options); // make options not null - ridiculous, but still.
    // read more about ajax events
    var newoptions = $.extend({
        beforeSend: function()
        {
            invokeFunc(options.beforeSend, null);
            makeMeThink(true);
        },

        complete: function()
        {
            invokeFunc(options.complete);
            makeMeThink(false);
        },
        success:function(result)
        {
            invokeFunc(options.success);
            if ( options.load )
            {
                $this.html(result);
            }
        }

    }, options);

    $.ajax(newoptions);
};

答案 19 :(得分:1)

如果你不想编写自己的代码,也有很多插件可以做到这一点:

答案 20 :(得分:1)

我这样做:

var preloaderdiv = '<div class="thumbs_preloader">Loading...</div>';
           $('#detail_thumbnails').html(preloaderdiv);
             $.ajax({
                        async:true,
                        url:'./Ajaxification/getRandomUser?top='+ $(sender).css('top') +'&lef='+ $(sender).css('left'),
                        success:function(data){
                            $('#detail_thumbnails').html(data);
                        }
             });

答案 21 :(得分:1)

如果您计划在每次发出服务器请求时使用加载程序,则可以使用以下模式。

 jTarget.ajaxloader(); // (re)start the loader
 $.post('/libs/jajaxloader/demo/service/service.php', function (content) {
     jTarget.append(content); // or do something with the content
 })
 .always(function () {
     jTarget.ajaxloader("stop");
 });

此代码特别使用jajaxloader插件(我刚刚创建)

https://github.com/lingtalfi/JAjaxLoader/

答案 22 :(得分:1)

我的ajax代码看起来像这样,实际上,我刚刚注释掉了async:false行,并且微调器显示出来。

$.ajax({
        url: "@Url.Action("MyJsonAction", "Home")",
        type: "POST",
        dataType: "json",
        data: {parameter:variable},
        //async: false, 

        error: function () {
        },

        success: function (data) {
          if (Object.keys(data).length > 0) {
          //use data 
          }
          $('#ajaxspinner').hide();
        }
      });

我在ajax代码之前显示了一个函数中的微调器:

$("#MyDropDownID").change(function () {
        $('#ajaxspinner').show();

对于Html,我使用了一个字体很棒的类:

<i id="ajaxspinner" class="fas fa-spinner fa-spin fa-3x fa-fw" style="display:none"></i>

希望它有所帮助。

答案 23 :(得分:1)

尝试使用此代码How To Show Loading Spinner In JQuery?

<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<title>How To Show Loading Spinner In JQuery? - phpcodingstuff.com</title>
<style>
.overlay{
    display: none;
    position: fixed;
    width: 100%;
    height: 100%;
    top: 0;
    left: 0;
    z-index: 999;
    background: rgba(255,255,255,0.8) url("loader-img.gif") center no-repeat;
}
/* Turn off scrollbar when body element has the loading class */
body.loading{
    overflow: hidden;   
}
/* Make spinner image visible when body element has the loading class */
body.loading .overlay{
    display: block;
}
</style>
<script src="https://code.jquery.com/jquery-3.5.1.min.js"></script>
<script>
// Initiate an Ajax request on button click
$(document).on("click", "button", function(){
    $.get("customers.php", function(data){
        $("body").html(data);
    });       
});
 

$(document).on({
    ajaxStart: function(){
        $("body").addClass("loading"); 
    },
    ajaxStop: function(){ 
        $("body").removeClass("loading"); 
    }    
});
</script>
</head>
<body style="text-align: center;">
    <button type="button">Get Customers Details</button>
    <p>Click the above button to get the customers details from the web server via Ajax.</p>
    <div class="overlay"></div>
</body>
</html>

答案 24 :(得分:0)

您始终可以使用Block UI jQuery plugin为您完成所有操作,甚至可以在加载ajax时阻止任何输入的页面。如果插件似乎无法正常工作,您可以阅读有关使用它的正确方法in this answer.查看它。