0

不确定我是否清楚地说明了我的问题,但我真正想要的是更新min-width其中ng-style的每个<li>ng-repeat等于100 / array.length.

我的第一个解决方案很简单:

<li ng-style="{'min-width': (100 / array.length) + '%'}">

这可行,但我不喜欢视图中的数学表达式,我宁愿将它放在控制器中。类似的东西:

$scope.percentage = (100 / $scope.array.length) + '%'

<li ng-style="{'min-width': percentage}"

这种方法的问题在于,当数组内容改变时,percentage并没有改变。我可以在那里添加$watchCollectionarray更新percentage,但感觉不对,就像我错过了更好的方法一样。我是吗?

如果不是,您更喜欢哪种解决方案?视图中的数学表达式,或$watchCollection

4

3 回答 3

1

例如,您应该使用一个函数:

$scope.getTableWidth = function(){
   return (100 / $scope.array.length) + '%';
}

<li ng-style="{'min-width': getTableWidth()}">

因此,在每次 DOM 刷新时,您的数组长度都会刷新,即使它发生了变化。

问候,

于 2015-05-26T12:39:02.250 回答
1

如果您改用函数怎么办:

$scope.percentage = function () {
  return (100 / $scope.array.length) + '%';
}

// or give array as parameter

$scope.percentage = function (array) {
  return (100 / array.length) + '%';
}

然后使用它:

<li ng-style="{'min-width': percentage()}">

Or

<li ng-style="{'min-width': percentage(array)}">

还有一种方法是使用过滤器:

// here it's presumed that you have 
//     var app = angular.module(...);
// somewhere above
app.filter('widthPercentage', function () {
    return function (items) {
        return 100 / items.length + '%';
    };
});

并使用它

<li ng-style="{'min-width': (array | widthPercentage)}">
于 2015-05-26T12:39:37.477 回答
1

您应该将百分比定义为函数。

看这里:

http://jsfiddle.net/waxolunist/5bnhj4vt/6/

HTML:

<div ng-app="app">
    <div ng-controller="AController">
        <ul>
            <li class="red" ng-repeat="item in items" ng-style="{'width': percentage()}">{{item}}</li>
        </ul>

    <button ng-click="addItem()">addItem</button>
    </div>


</div>

JS

var app = angular.module('app', []);

app.controller('AController', function($scope) {

    $scope.items = [1,2,3,4,5,6];

    $scope.percentage = function() {
        return 100/$scope.items.length + '%';
    }

    $scope.addItem = function() {
        $scope.items.push($scope.items.length + 1);
    }
});
于 2015-05-26T12:43:18.897 回答