我正在使用带有ui-grid的angularjs。网格的一列包含一个时间戳,我想将其呈现为格式正确的日期。
到目前为止,我尝试过这样,但从未调用该函数。
$scope.formatDate = function(date) {
return '42';
};
$scope.columns = [
{field: 'date', cellTemplate: '<div class="ui-grid-cell-contents">formatDate({{row.entity.date}})</div>'},
{field: 'title'},
{field: 'quantity'},
//[...]
];
相反,函数调用被视为字符串文字。因此,该列始终显示formatDate(*timestamp*)
。
我只是通过在接收它们时在每一行上定义一个函数来找到一种不令人满意的方法来实现它:
$scope.columns = [
{field: 'getFormattedDate()'},
//[...]
];
$http.post('/api/data/').success(function (data) {
$scope.gridOptions.data = data.elements;
$scope.gridOptions.data.forEach(function(row) {
row.getFormattedDate = function() {
return '42';
}
})
});
有什么更好的建议吗?
答案 0 :(得分:18)
如果您想使用ui-grid
访问控制器范围级别功能,可以使用grid.appScope
,这是一个简单的示例:
{
name: 'date',
cellTemplate: '<div class="ui-grid-cell-contents">{{grid.appScope.parseDate(row.entity.date)}}</div>'
}
完整示例:
angular.module('myApp', ['ui.grid'])
.controller('myCtrl', ['$scope', function ($scope) {
$scope.parseDate = function (p) {
// Just return the value you want to output
return p;
}
$scope.parseName = function (p) {
// Just return the value you want to output
return p;
}
$scope.gridOptions = {
data: [{
name: "Foo",
date: "2015-10-12"
}, {
name: "Bar",
date: "2014-10-12"
}],
columnDefs: [{
name: 'name',
cellTemplate: '<div class="ui-grid-cell-contents">{{grid.appScope.parseName(row.entity.name)}}</div>'
}, {
name: 'date',
cellTemplate: '<div class="ui-grid-cell-contents">{{grid.appScope.parseDate(row.entity.date)}}</div>'
}]
};
}]);
答案 1 :(得分:4)
要使用函数输出,需要将整个函数调用而不是参数包装在表达式括号中
<div class="ui-grid-cell-contents">{{ formatDate(row.entity.date) }}</div>
答案 2 :(得分:0)
值得注意的是,如果您不以格式包含HTML,则cellTemplate
将不会执行任何操作:
不会点击格式化方法&#34; formatRating()&#34;:
columnDefs: [
{
name: 'starRating', headerCellClass: 'blue', headerTooltip: 'Star Rating',
cellTemplate: '{{grid.appScope.formatRating(row.entity.starRating)}}'
},
在cellTemplate中添加<span>
:
columnDefs: [
{
name: 'starRating', headerCellClass: 'blue', headerTooltip: 'Star Rating',
cellTemplate: '<span>{{grid.appScope.formatRating(row.entity.starRating)}}</span>'
},
我的格式化方法:
$scope.formatRating = function (starRating) {
switch (starRating) {
case "ONE": return "1/5"; break;
case "TWO": return "2/5"; break;
case "THREE": return "3/5"; break;
case "FOUR": return "4/5"; break;
case "FIVE": return "5/5"; break;
}
}