0

努力充分描述问题中的场景。我正在尝试学习 jQuery,所以毫无疑问,我已经拥有的东西会出现一堆错误。

这是我到目前为止的 jQuery 代码。

$(document).ready(function() {
 $('a.x', $('#innerlayout')).hover(
  function () {
   var path = $(this).attr('rel');
   var text = $(this).attr('title');
   $(this).append($("<p class='revealer'><img src='"+path+"' /><br />"+text+"</p>"));
   $('p.revealer').hide().fadeIn(500);
  }, 
  function () {
    $(this).find('p:last').hide();
    $(this).removeClass('x').addClass("revealed");
  }
 );
 $('a.revealed', $('#innerlayout')).hover(
  function() {
   $(this).find('p').show();
  },
  function() {
   $(this).find('p').hide();
  }
 );
});

而 HTML 基本上是

<a class="x" href="javascript:void(0)" rel="image1.jpg" title="Image">
 <img src="icon.jpg" width="40" height="40" alt="Icon" />
</a>

我以前使用 remove() 来删除 mouseout 上的 p 标签并且工作正常。我想尝试更改它以便隐藏内容,并且更改类以便如果再次发生 mouseenter 它只会显示现有内容。相反,我发现它仍然会再次附加内容并在每次输入/输出时叠加。谁能建议我哪里出错了?

4

3 回答 3

0

您应该只附加一次元素,并让悬停显示/隐藏它:

 $('a.x', $('#innerlayout')).each(function() {
     var path = $(this).attr('rel');
     var text = $(this).attr('title');
     $(this).append($("<p class='revealer'><img src='"+path+"' /><br />"+text+"</p>").hide())
 });

 $('a.x', $('#innerlayout')).hover(
     function () {
         $('p.revealer').fadeIn(500);
      },
      ...

通过将元素插入移动到悬停之外,它不会一遍又一遍地创建。

于 2012-03-20T17:44:02.430 回答
0

我自己会避免使用 .append(),并且将 a 与 jQuery .html() 一起使用。

  $('a.x', $('#innerlayout')).hover( 
  function () { 
   var path = $(this).attr('rel'); 
   var text = $(this).attr('title'); 
   $(this).children("span").html("<p class='revealer'><img src='"+path+"' /><br />"+text+"</p>"); 
   $('p.revealer').hide().fadeIn(500); 
  },  
  function () { 
    $(this).find('p:last').hide(); 
    $(this).removeClass('x').addClass("revealed"); 
  } 
 ); 

然后HTML类似于:

<a class="x" href="javascript:void(0)" rel="image1.jpg" title="Image">
 <span></span>
 <img src="icon.jpg" width="40" height="40" alt="Icon" />      
</a>  

道歉,因为我没有测试它,但希望能让你走上正轨。然后,您可以隐藏跨度,或将 HTML 重写为空白。

于 2012-03-20T17:46:59.700 回答
0

我最终使用了这个解决方案,它提供了我想要的功能。

$(document).ready(function() {
 $('a.x', $('#innerlayout')).hover(
  function () {
  if($(this).hasClass('revealed')){
    $(this).find('p.revealer').fadeIn(500);
  }
  else{
   var path = $(this).attr('rel');
   var text = $(this).find('span.y').html();
   $(this).append($("<p class='revealer'><img src='"+path+"'/><br />"+text+"</p>"));
   $(this).find('p.revealer').hide().fadeIn(500);
   }
  }, 
  function () {
    $(this).find('p.revealer').hide();
    $(this).addClass("revealed");
  }
 );
});

用这个 HTML

<a class="x" href="javascript:void(0)" rel="image1.jpg">
 <img src="radio-hover.png" width="15" height="15" alt="Image available icon" />
 <span class="y" style="display:none;">Any follow up content required</span>
</a>

最初 title 属性用于提供 var 文本,但我发现我偶尔需要在此处包含 html,因此采用了这种方法。

于 2012-03-26T11:32:24.683 回答