[javascript] AngularJS를 사용하여 확인란 값 목록에 어떻게 바인딩합니까?
몇 개의 확인란이 있습니다.
<input type='checkbox' value="apple" checked>
<input type='checkbox' value="orange">
<input type='checkbox' value="pear" checked>
<input type='checkbox' value="naartjie">
확인란이 변경 될 때마다 컨트롤러가 모든 확인 된 값의 목록을 유지하도록 컨트롤러의 목록에 바인딩하고 싶습니다 (예 🙂 ['apple', 'pear']
.
ng-model은 하나의 단일 확인란의 값을 컨트롤러의 변수에만 바인딩 할 수있는 것으로 보입니다.
네 개의 확인란을 컨트롤러의 목록에 바인딩 할 수 있도록 다른 방법이 있습니까?
답변
이 문제에 접근하는 방법에는 두 가지가 있습니다. 간단한 배열이나 객체 배열을 사용하십시오. 각 솔루션에는 장단점이 있습니다. 다음은 각 사례마다 하나씩입니다.
입력 데이터로 간단한 배열
HTML은 다음과 같습니다.
<label ng-repeat="fruitName in fruits">
<input
type="checkbox"
name="selectedFruits[]"
value="{{fruitName}}"
ng-checked="selection.indexOf(fruitName) > -1"
ng-click="toggleSelection(fruitName)"
> {{fruitName}}
</label>
적절한 컨트롤러 코드는 다음과 같습니다.
app.controller('SimpleArrayCtrl', ['$scope', function SimpleArrayCtrl($scope) {
// Fruits
$scope.fruits = ['apple', 'orange', 'pear', 'naartjie'];
// Selected fruits
$scope.selection = ['apple', 'pear'];
// Toggle selection for a given fruit by name
$scope.toggleSelection = function toggleSelection(fruitName) {
var idx = $scope.selection.indexOf(fruitName);
// Is currently selected
if (idx > -1) {
$scope.selection.splice(idx, 1);
}
// Is newly selected
else {
$scope.selection.push(fruitName);
}
};
}]);
장점 : 간단한 데이터 구조와 이름으로 토글하는 것은 다루기 쉽다
단점 : 두 목록 (입력 및 선택)을 관리해야하므로 추가 / 제거가 번거 로움
입력 데이터로 객체 배열 사용
HTML은 다음과 같습니다.
<label ng-repeat="fruit in fruits">
<!--
- Use `value="{{fruit.name}}"` to give the input a real value, in case the form gets submitted
traditionally
- Use `ng-checked="fruit.selected"` to have the checkbox checked based on some angular expression
(no two-way-data-binding)
- Use `ng-model="fruit.selected"` to utilize two-way-data-binding. Note that `.selected`
is arbitrary. The property name could be anything and will be created on the object if not present.
-->
<input
type="checkbox"
name="selectedFruits[]"
value="{{fruit.name}}"
ng-model="fruit.selected"
> {{fruit.name}}
</label>
적절한 컨트롤러 코드는 다음과 같습니다.
app.controller('ObjectArrayCtrl', ['$scope', 'filterFilter', function ObjectArrayCtrl($scope, filterFilter) {
// Fruits
$scope.fruits = [
{ name: 'apple', selected: true },
{ name: 'orange', selected: false },
{ name: 'pear', selected: true },
{ name: 'naartjie', selected: false }
];
// Selected fruits
$scope.selection = [];
// Helper method to get selected fruits
$scope.selectedFruits = function selectedFruits() {
return filterFilter($scope.fruits, { selected: true });
};
// Watch fruits for changes
$scope.$watch('fruits|filter:{selected:true}', function (nv) {
$scope.selection = nv.map(function (fruit) {
return fruit.name;
});
}, true);
}]);
장점 : 추가 / 제거가 매우 쉽다
단점 : 다소 복잡한 데이터 구조와 이름으로 토글하는 것은 번거 롭거나 도우미 방법이 필요합니다.
데모 : http://jsbin.com/ImAqUC/1/
답변
간단한 해결책 :
<div ng-controller="MainCtrl">
<label ng-repeat="(color,enabled) in colors">
<input type="checkbox" ng-model="colors[color]" /> {{color}}
</label>
<p>colors: {{colors}}</p>
</div>
<script>
var app = angular.module('plunker', []);
app.controller('MainCtrl', function($scope){
$scope.colors = {Blue: true, Orange: true};
});
</script>
답변
<input type='checkbox' ng-repeat="fruit in fruits"
ng-checked="checkedFruits.indexOf(fruit) != -1" ng-click="toggleCheck(fruit)">
.
function SomeCtrl ($scope) {
$scope.fruits = ["apple, orange, pear, naartjie"];
$scope.checkedFruits = [];
$scope.toggleCheck = function (fruit) {
if ($scope.checkedFruits.indexOf(fruit) === -1) {
$scope.checkedFruits.push(fruit);
} else {
$scope.checkedFruits.splice($scope.checkedFruits.indexOf(fruit), 1);
}
};
}
답변
여기에 당신이 원하는 것을하는 것처럼 보이는 재사용 가능한 작은 지시문이 있습니다. 나는 단순히 그것을 불렀다 checkList
. 확인란이 변경되면 배열이 업데이트되고 배열이 변경되면 확인란이 업데이트됩니다.
app.directive('checkList', function() {
return {
scope: {
list: '=checkList',
value: '@'
},
link: function(scope, elem, attrs) {
var handler = function(setup) {
var checked = elem.prop('checked');
var index = scope.list.indexOf(scope.value);
if (checked && index == -1) {
if (setup) elem.prop('checked', false);
else scope.list.push(scope.value);
} else if (!checked && index != -1) {
if (setup) elem.prop('checked', true);
else scope.list.splice(index, 1);
}
};
var setupHandler = handler.bind(null, true);
var changeHandler = handler.bind(null, false);
elem.bind('change', function() {
scope.$apply(changeHandler);
});
scope.$watch('list', setupHandler, true);
}
};
});
다음은 컨트롤러와 컨트롤러 사용 방법을 보여주는보기입니다.
<div ng-app="myApp" ng-controller='MainController'>
<span ng-repeat="fruit in fruits">
<input type='checkbox' value="{{fruit}}" check-list='checked_fruits'> {{fruit}}<br />
</span>
<div>The following fruits are checked: {{checked_fruits | json}}</div>
<div>Add fruit to the array manually:
<button ng-repeat="fruit in fruits" ng-click='addFruit(fruit)'>{{fruit}}</button>
</div>
</div>
app.controller('MainController', function($scope) {
$scope.fruits = ['apple', 'orange', 'pear', 'naartjie'];
$scope.checked_fruits = ['apple', 'pear'];
$scope.addFruit = function(fruit) {
if ($scope.checked_fruits.indexOf(fruit) != -1) return;
$scope.checked_fruits.push(fruit);
};
});
단추를 사용하면 배열을 변경하면 확인란도 업데이트됩니다.
마지막으로, Plunker에 적용되는 지시문의 예는 다음과 같습니다. http://plnkr.co/edit/3YNLsyoG4PIBW6Kj7dRK?p=preview
답변
이 스레드의 답변을 바탕으로 모든 경우를 다루는 검사 목록 모델 지시문을 만들었습니다 .
- 프리미티브의 간단한 배열
- 객체 배열 (pick id 또는 전체 객체)
- 객체 속성 반복
주제 시작 사례의 경우 다음과 같습니다.
<label ng-repeat="fruit in ['apple', 'orange', 'pear', 'naartjie']">
<input type="checkbox" checklist-model="selectedFruits" checklist-value="fruit"> {{fruit}}
</label>
답변
문자열 $index
을 사용하면 선택한 값의 해시 맵을 사용하는 데 도움 이 될 수 있습니다.
<ul>
<li ng-repeat="someItem in someArray">
<input type="checkbox" ng-model="someObject[$index.toString()]" />
</li>
</ul>
이렇게하면 ng-model 객체가 인덱스를 나타내는 키로 업데이트됩니다.
$scope.someObject = {};
잠시 후 $scope.someObject
다음과 같이 보일 것입니다.
$scope.someObject = {
0: true,
4: false,
1: true
};
이 방법은 모든 상황에서 작동하지는 않지만 구현하기 쉽습니다.
답변
목록을 사용하지 않은 답변을 수락 했으므로 내 의견 질문에 대한 답변이 “아니요, 목록 일 필요는 없습니다”라고 가정하겠습니다. 또한 샘플 HTML에 “checked”가 있기 때문에 HTML 서버 쪽을 찢어 버릴 수도 있다는 인상을 받았습니다 (ng-model을 사용하여 확인란을 모델링 한 경우에는 필요하지 않음).
어쨌든, 질문을 할 때 염두에두고 HTML 서버 측을 생성한다고 가정합니다.
<div ng-controller="MyCtrl"
ng-init="checkboxes = {apple: true, orange: false, pear: true, naartjie: false}">
<input type="checkbox" ng-model="checkboxes.apple">apple
<input type="checkbox" ng-model="checkboxes.orange">orange
<input type="checkbox" ng-model="checkboxes.pear">pear
<input type="checkbox" ng-model="checkboxes.naartjie">naartjie
<br>{{checkboxes}}
</div>
ng-init를 사용하면 서버 측에서 생성 된 HTML이 처음에 특정 확인란을 설정할 수 있습니다.
바이올린 .