1

我正在尝试在 JavaScript、jQuery 甚至 PHP 中找到一个插件或函数,如果有必要每 10 秒检查一次页面文件是否已更新,如果页面已更新,则向用户发出警报()。

在此先感谢:) 对不起,如果我不够清楚。如果您有任何问题,请发表评论。

编辑:换句话说,使用客户端或服务器端脚本,向服务器发送 AJAX 请求并确定用户打开的当前页面是否已在服务器上被修改并显示警报。

4

1 回答 1

7

您可以每 10 秒向服务器发送一个 http HEAD 请求。这将使服务器只发送标头而不是内容。然后您可以检查“Last-Modified”响应标头。

jQuery 函数$.ajax();支持与此非常相似的功能。而是检查Last-Modifiedhttp 标头 jQquery 使用 http 标头向服务器发送请求If-Modified-Since。然后它检查服务器是否以响应代码 304 Not Modified 进行响应。

这是一个简短的 HTML + Javascript 示例,描述了 jQuery 功能:

<html>
  <head>
    <script type="text/javascript" src="http://code.jquery.com/jquery-1.8.3.min.js"></script>
    <script type="text/javascript">
      var checkUrl="test.txt";
      var firstCheck = false;
      window.setInterval(checkForUpdate, 1000);

      function checkForUpdate() {
          $.ajax(checkUrl, {
              ifModified : true,
              type : 'HEAD', 

              success : function (response) {
                  if(firstCheck === false) {
                      firstCheck = true;
                      return;
                  }
                  $('#output').html('the site has been modified');
              }
          }); 
      }    
   </script> 
  </head>
  <body>
    <div id="output">Not Modified</div>
  </body>
</html>

但是,上面的 jquery 示例对我不起作用- 使用 jQuery 1.8 和 firefox.(Linux) + apache2 web 服务器。尽管服务器以 304 Not Modified 响应,但仍将调用成功函数。

所以我将添加另一个工作示例来实现我上面的第一个建议,这里是 javascript 部分:

    var checkUrl="test.txt";
    window.setInterval("checkForUpdate()", 1000);
    var pageLoad = new Date().getTime();

    function checkForUpdate() {
        $.ajax(checkUrl, {
            type : 'HEAD',
            success : function (response, status, xhr) {
                if(firstCheck === false) {
                    firstCheck = true;
                    return;
                }
                // if the server omits the 'Last-Modified' header
                // the following line will return 0. meaning that
                // has not updated. you may refine this behaviour...
                var lastModified = new Date(xhr.getResponseHeader('Last-Modified'))
                    .getTime();
                if(lastModified > pageLoad) {
                    $('#output').html('the site has been modified');
                }
            }
        }); 
    }  
于 2012-12-22T20:04:09.273 回答