1

我使用本教程中的代码:jacklmoore.com/notes/jquery-tabs

<ul class='tabs'>
    <li><a href='#tab1'>Tab 1</a></li>
    <li><a href='#tab2'>Tab 2</a></li>
    <li><a href='#tab3'>Tab 3</a></li>
</ul>
<div id='tab1'>
    <p>Hi, this is the first tab.</p>
</div>
<div id='tab2'>
    <p>This is the 2nd tab.</p>
</div>
<div id='tab3'>
    <p>And this is the 3rd tab.</p>
</div>

脚本:

$('ul.tabs').each(function(){
    // For each set of tabs, we want to keep track of
    // which tab is active and it's associated content
    var $active, $content, $links = $(this).find('a');

    // If the location.hash matches one of the links, use that as the active tab.
    // If no match is found, use the first link as the initial active tab.
    $active = $($links.filter('[href="'+location.hash+'"]')[0] || $links[0]);
    $active.addClass('active');
    $content = $($active.attr('href'));

    // Hide the remaining content
    $links.not($active).each(function () {
        $($(this).attr('href')).hide();
    });

    // Bind the click event handler
    $(this).on('click', 'a', function(e){
        // Make the old tab inactive.
        $active.removeClass('active');
        $content.hide();

        // Update the variables with the new link and content
        $active = $(this);
        $content = $($(this).attr('href'));

        // Make the tab active.
        $active.addClass('active');
        $content.show();

        // Prevent the anchor's default click action
        e.preventDefault();
    });
});

如果我想在一个页面上有多个选项卡系统,我必须重复脚本代码:

$('ul.tabs2').each(function(){...});
$('ul.tabs3').each(function(){...});

我不想拥有许多类似代码的副本。是否可以从示例中为类似的代码行创建一种代码模式?

var = xxx
$('ul.tabs').each(function(){
  xxx
});
$('ul.tabs2').each(function(){
  xxx
});
$('ul.tabs3').each(function(){
  xxx
});
4

2 回答 2

3

你可能想要的是把它变成一个 jQuery 插件,你可以在一组元素上调用它:

$.fn.myTabs = function() {

  return this.each(function() {

    // All code here

  });

};

$('.tabs2, .tabs3').myTabs();
于 2012-11-09T02:22:07.007 回答
1

你可以有一个逗号分隔的选择器列表(就像在 CSS 中一样):

var = xxx
$('ul.tabs, ul.tabs2, ul.tabs3').each(function(){
  xxx
});

在函数中,$(this)then 成为每个逗号分隔选择器的变量。该函数将运行在所有三个上。

于 2012-11-09T02:22:54.540 回答