我正在使用datatables网站上的this example来显示表格并提供扩展行并显示其他数据的便利性。请参见下面的工作代码;
/* Formatting function for row details - modify as you need */
function format ( d ) {
// `d` is the original data object for the row
return '<table cellpadding="5" cellspacing="0" border="0" style="padding-left:50px;">'+
'<tr>'+
'<td>Full name:</td>'+
'<td>'+d.name+'</td>'+
'</tr>'+
'<tr>'+
'<td>Extension number:</td>'+
'<td>'+d.extn+'</td>'+
'</tr>'+
'<tr>'+
'<td>Extra info:</td>'+
'<td>And any further details here (images etc)...</td>'+
'</tr>'+
'</table>';
}
$(document).ready(function() {
var table = $('#example').DataTable( {
"ajax": "../ajax/data/objects.txt",
"columns": [
{
"className": 'details-control',
"orderable": false,
"data": null,
"defaultContent": ''
},
{ "data": "name" },
{ "data": "position" },
{ "data": "office" },
{ "data": "salary" }
],
"order": [[1, 'asc']]
} );
// Add event listener for opening and closing details
$('#example tbody').on('click', 'td.details-control', function () {
var tr = $(this).closest('tr');
var row = table.row( tr );
if ( row.child.isShown() ) {
// This row is already open - close it
row.child.hide();
tr.removeClass('shown');
}
else {
// Open this row
row.child( format(row.data()) ).show();
tr.addClass('shown');
}
} );
} );
这一切都按预期工作,但是我注意到,如果子行包含任何null
值,则会显示单词'null'。而我想显示一个空字符串或自定义默认内容(“不可用”)。
数据表文档解释了如何使用columns.defaultContent处理空值,类似于下面的代码,但是我不确定如何将其应用于子行?
$('#example').dataTable( {
"columns": [
null,
null,
null,
{
"data": "first_name", // can be null or undefined
"defaultContent": "<i>Not set</i>"
}
]
} );
任何建议都值得赞赏。
答案 0 :(得分:1)
data field除了字符串以外,还可以使用其他函数。在这种情况下,您可以使用基本函数来检查字符串值是否等于null。我相信这样的事情应该起作用。在这一点上可能完全不需要“ defaultContent”,但为防万一。您可以尝试通过一些测试将其删除。
$('#example').dataTable( {
"columns": [
null,
null,
null,
{
"data": function ( row, type, set ) {
if(!row.property || row.property == "null" || row.property == "undefined"){
return "<i>Not set</i>";
} else {
return row.mavenArtifact;
}
},
"defaultContent": "<i>Not set</i>"
}
]
} );
编辑:
我没有看到您在谈论子行。看来format函数正在生成要作为子行显示的html。您可以将这些相同的基本检查移至该功能。我将支票移到了自己的formatValue函数,如下所示。
function format ( d ) {
// `d` is the original data object for the row
return '<table cellpadding="5" cellspacing="0" border="0" style="padding-left:50px;">'+
'<tr>'+
'<td>Full name:</td>'+
'<td>' + formatValue(d.name) + '</td>'+
'</tr>'+
'<tr>'+
'<td>Extension number:</td>'+
'<td>' + formatValue(d.extn) + '</td>'+
'</tr>'+
'<tr>'+
'<td>Extra info:</td>'+
'<td>And any further details here (images etc)...</td>'+
'</tr>'+
'</table>';
}
function formatValue(value){
if(!value || value == 'undefined' || value == "null"){
return "<i>Not set</i>";
} else {
return value;
}
}