我在Web应用程序中为表使用DataTables。该表列出了数据库中的一些数据。

我决定进行向下钻取,当您单击该行时,它将在下面切换另一行以显示更多详细信息。

我现在有这个。

<tr class="main-row">
    <td></td>
    <td></td>
    <td></td>
</tr>
<tr class="drill-down-row">
    <td colspan="3">
        // Drill down content here
    </td>
</tr>


JS:

$(document).on('click', '.main-row', function(event){
    var $line = $(this);
        $line.next('.drill-down-row').toggle();
});


添加下钻行后,DataTables中断,因为新行只有1个单元格。我到处搜索,找不到找不到该行的方法。

我真的需要利用Django的模板渲染器,并且不想使用javascript模板。

最佳答案

数据表要​​求表中的每一行都具有相同数量的单元格。

这是您需要做的:


缓存所有明细行
将jQuery数据中的缓存行放入.main-row
从表格中删除所有向下钻取的行
初始化数据表
单击绑定.main-row,可将数据后的缓存行插入其后。




Javascript:

$(function(){
    // CACHE THEN DELETE ALL DRILL DOWN ROWS !!

    $('.main-row').each(function(){
        var $row = $(this);
        var $rowmore = $row.next('.drill-down-row');

        if($rowmore.length>0){
            $row.data('cached-row', $rowmore);
        }
    });

    $('.drill-down-row').remove();

    // INITIALIZE YOUR DATATABLE HERE !!!!



    $(document).on('click', '.main-row', function(event){
        var $line = $(this);
        if($line.data('cached-row')){
            $line.data('cached-row').toggle().insertAfter($line);
        }
    });
});

10-08 04:40