使用ng-repeat将所有对象数组列为列表,并为每个值添加复选框。
在这里,我要过滤复选框,并在基于“检查/取消选中”值(“复选框”)的“应用过滤器”上单击以形成新的JSON。
实际
我尝试通过串联过滤器名称及其值在模型范围对象($ scope.models)中添加选定和未选定的复选框
(即):data1(过滤器名称)+1(值)= data11
单击应用过滤器后,循环现有过滤器数组,并与模型对象进行比较,然后将匹配项推入新数组中。
Plunker
应用过滤功能
的HTML
<li ng-repeat="(key, filter) in filters">
<a href="" data-target="#{{filter.name}}" data-toggle="collapse" aria-expanded="{{enableShow.indexOf(filter.name) > -1 ? true : false}}">
{{filter.name}}
</a>
<ul class="collapse list-unstyled" id="{{filter.name}}" ng-class="{show : enableShow.indexOf(filter.name) > -1}">
<li ng-repeat="v in filter.values">
<label class="w-100" ng-show="filter.type == 'CheckBox'">
<span class="ml-3 p-1 d-block">
{{v.value}}
<input type="checkbox" ng-model="models[filter.name + v.value]" class="pull-right mt-1 ml-1" style="margin-right: 7%" />
</span>
</label>
</li>
</ul>
JS
$scope.applyFilters = function() {
var arr = [];
_.map($scope.filters, function(d) {
_.map(d.values, function(v) {
var name = d.name + v.value;
for (key in $scope.models) {
if (key == name) {
arr.push({
name: d.name,
values: v
});
}
}
});
});
console.log(arr);
};
预期
单击应用过滤器后,要形成一个新的JSON,该JSON仅在其各自的对象中包含选定的值。
{
"results": [
{
"name": "data1",
"type": "CheckBox",
"values": [
{
"value": "1"
},
{
"value": "4"
}
]
},
{
"name": "data2",
"type": "CheckBox",
"values": [
{
"value": "1"
}
]
},
{
"name": "data5",
"type": "CheckBox",
"values": [
{
"value": "3"
}
]
},
{
"name": "data6",
"type": "CheckBox",
"values": [
{
"value": "2"
}
]
}
]
}
提前致谢。
最佳答案
使用_.map()
迭代原始数据结构,并将其转换为请求的格式。使用_.filter()
或_.reject()
删除没有选定值(plunker)的节:
$scope.applyFilters = function() {
var arr = _($scope.filters)
.map(function(o, i) {
var section = _.pick(o, ['name', 'type']);
section.values = _(o.values)
.filter(function(v, j) {
return $scope.models['data' + (i + 1) + (j + 1)];
})
.map(_.partialRight(_.pick, 'value'))
.value();
return section;
})
.reject(function(o) { return _.isEmpty(o.values); })
.value();
console.log(arr);
};
关于javascript - 如何使用angularJS筛选选定的复选框,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/54053828/