最新的Web开发教程
 

AngularJS NG-重复指令


写出记录阵列中的每个项目一个头:

<body ng-app="myApp" ng-controller="myCtrl">

<h1 ng-repeat="x in records">{{x}}</h1>

<script>
var app = angular.module("myApp", []);
app.controller("myCtrl", function($scope) {
    $scope.records = [
        "Alfreds Futterkiste",
        "Berglunds snabbkop",
        "Centro comercial Moctezuma",
        "Ernst Handel",
    ]
});
</script>

</body>
试一试»

定义和用法

ng-repeat指令重复一组HTML,一个给定的次数的。

该组HTML将每一次项目的集合中重复。

集合必须是一个数组或一个对象。

注:重复的每个实例都给出了自己的范围,其中包括目前的项目。

如果有对象的集合,所述ng-repeat指令是完美的制作HTML表格,显示一个表行对于每个对象,并为每一个表中的数据对象属性。 参见下面的例子。


句法

< element ng-repeat=" expression "></ element >

所有HTML元素的支持。


参数值

Value Description
expression An expression that specifies how to loop the collection.

Legal Expression examples:

x in records

(key, value) in myObj

x in records track by $id(x)

更多示例

写一个表行的记录阵列中的每个项目:

<table ng-controller="myCtrl" border="1">
    <tr ng-repeat="x in records">
        <td>{{x.Name}}</td>
        <td>{{x.Country}}</td>
    </tr>
</table>

<script>
var app = angular.module("myApp", []);
app.controller("myCtrl", function($scope) {
    $scope.records = [
       {
            "Name" : "Alfreds Futterkiste",
            "Country" : "Germany"
        },{
            "Name" : "Berglunds snabbkop",
            "Country" : "Sweden"
        },{
            "Name" : "Centro comercial Moctezuma",
            "Country" : "Mexico"
        },{
            "Name" : "Ernst Handel",
            "Country" : "Austria"
        }
    ]
});
</script>
试一试»

写一个表行中的对象的每个属性:

<table ng-controller="myCtrl" border="1">
    <tr ng-repeat="(x, y) in myObj">
        <td>{{x}}</td>
        <td>{{y}}</td>
    </tr>
</table>

<script>
var app = angular.module("myApp", []);
app.controller("myCtrl", function($scope) {
    $scope.myObj = {
        "Name" : "Alfreds Futterkiste",
        "Country" : "Germany",
        "City" : "Berlin"
    }
});
</script>
试一试»