我想要一个简单的 JavaScript 代码,它允许我在单击预定义的时间时隐藏某个 div 元素。为了提供更多信息,我在主页加载时出现了一个建议框。我想要的是,当单击 div 关闭按钮时,它会设置一个 cookie 以保持框 div 关闭 24 小时(1 天)。简单来说,当按下 div 关闭按钮时,box div 会被隐藏 24 小时。注意:我有一个允许关闭按钮关闭框的 javascript,但它会加载每次刷新。
			
			11249 次
		
2 回答
            13        
        
		
尽管 TJ Crowder 在他的评论中说 stackoverflow 不是为了编写您的代码是正确的......我为您编写了一些代码。这是一个使用 jQuery 的解决方案。在其中,您将使用 a<div id="popupDiv">...</div>表示消息并在其中使用 id 为“close”的链接来关闭 div。
$(document).ready(function() {
  // If the 'hide cookie is not set we show the message
  if (!readCookie('hide')) {
    $('#popupDiv').show();
  }
  // Add the event that closes the popup and sets the cookie that tells us to
  // not show it again until one day has passed.
  $('#close').click(function() {
    $('#popupDiv').hide();
    createCookie('hide', true, 1)
    return false;
  });
});
// ---
// And some generic cookie logic
// ---
function createCookie(name,value,days) {
  if (days) {
    var date = new Date();
    date.setTime(date.getTime()+(days*24*60*60*1000));
    var expires = "; expires="+date.toGMTString();
  }
  else var expires = "";
  document.cookie = name+"="+value+expires+"; path=/";
}
function readCookie(name) {
  var nameEQ = name + "=";
  var ca = document.cookie.split(';');
  for(var i=0;i < ca.length;i++) {
    var c = ca[i];
    while (c.charAt(0)==' ') c = c.substring(1,c.length);
    if (c.indexOf(nameEQ) == 0) return c.substring(nameEQ.length,c.length);
  }
  return null;
}
function eraseCookie(name) {
  createCookie(name,"",-1);
}
这是一个 js 小提琴:http: //jsfiddle.net/FcFW2/1/。运行一次,然后再次运行。第二次弹出窗口不显示。
于 2012-05-20T15:16:32.277   回答
    
    
            1        
        
		
这应该让你开始:http ://www.quirksmode.org/js/cookies.html
以下示例使用上述链接中声明的函数。
创建一个cookie:
// when the div is clicked
createCookie('hideSuggestionBox', 'true', 1);
读取 cookie:
// when deciding whether to show or hide the div (probably on document ready)
if (readCookie('hideSuggestionBox') === 'true') {
    // do not show the box, the cookie is there
} else {
    // the cookie was not found or is expired, show the box
}
于 2012-05-20T15:19:16.510   回答