[angularjs] AngularJS에서 동적 모델 이름을 어떻게 설정할 수 있습니까?

동적 질문으로 양식을 채우고 싶습니다 ( 여기에 바이올린 ).

<div ng-app ng-controller="QuestionController">
    <ul ng-repeat="question in Questions">
        <li>
            <div>{{question.Text}}</div>
            <select ng-model="Answers['{{question.Name}}']" ng-options="option for option in question.Options">
            </select>
        </li>
    </ul>

    <a ng-click="ShowAnswers()">Submit</a>
</div>
​
function QuestionController($scope) {
    $scope.Answers = {};

    $scope.Questions = [
    {
        "Text": "Gender?",
        "Name": "GenderQuestion",
        "Options": ["Male", "Female"]},
    {
        "Text": "Favorite color?",
        "Name": "ColorQuestion",
        "Options": ["Red", "Blue", "Green"]}
    ];

    $scope.ShowAnswers = function()
    {
        alert($scope.Answers["GenderQuestion"]);
        alert($scope.Answers["{{question.Name}}"]);
    };
}​

평가 된 Answers [ “GenderQuestion”] 대신 모델이 문자 그대로 Answers [ “{{question.Name}}”] 인 것을 제외하고 모든 것이 작동합니다. 모델 이름을 어떻게 동적으로 설정할 수 있습니까?



답변

http://jsfiddle.net/DrQ77/

javascript 표현식을 ng-model.


답변

이와 같은 것을 사용할 수 scopeValue[field]있지만 필드가 다른 개체에 있으면 다른 솔루션이 필요합니다.

모든 종류의 상황을 해결하려면 다음 지시문을 사용할 수 있습니다.

this.app.directive('dynamicModel', ['$compile', '$parse', function ($compile, $parse) {
    return {
        restrict: 'A',
        terminal: true,
        priority: 100000,
        link: function (scope, elem) {
            var name = $parse(elem.attr('dynamic-model'))(scope);
            elem.removeAttr('dynamic-model');
            elem.attr('ng-model', name);
            $compile(elem)(scope);
        }
    };
}]);

HTML 예 :

<input dynamic-model="'scopeValue.' + field" type="text">


답변

내가 한 일은 다음과 같습니다.

컨트롤러에서 :

link: function($scope, $element, $attr) {
  $scope.scope = $scope;  // or $scope.$parent, as needed
  $scope.field = $attr.field = '_suffix';
  $scope.subfield = $attr.sub_node;
  ...

따라서 템플릿에서 특정 하드 코딩 된 요소 (예 : “Answers”사례) 아래가 아니라 완전히 동적 이름을 사용할 수 있습니다.

<textarea ng-model="scope[field][subfield]"></textarea>

도움이 되었기를 바랍니다.


답변

@abourget에서 제공하는 답변을보다 완전하게 만들기 위해 다음 코드 줄에서 scopeValue [field] 값을 정의하지 않을 수 있습니다. 이로 인해 하위 필드를 설정할 때 오류가 발생합니다.

<textarea ng-model="scopeValue[field][subfield]"></textarea>

이 문제를 해결하는 한 가지 방법은 ng-focus = “nullSafe (field)”속성을 추가하는 것이므로 코드는 다음과 같습니다.

<textarea ng-focus="nullSafe(field)" ng-model="scopeValue[field][subfield]"></textarea>

그런 다음 아래와 같은 컨트롤러에서 nullSafe (field)를 정의합니다.

$scope.nullSafe = function ( field ) {
  if ( !$scope.scopeValue[field] ) {
    $scope.scopeValue[field] = {};
  }
};

이렇게하면 값을 scopeValue [field] [subfield]로 설정하기 전에 scopeValue [field]가 정의되지 않은 상태가 아닙니다.

참고 : ng-change = “nullSafe (field)”를 사용하여 동일한 결과를 얻을 수 없습니다. ng-model이 변경된 후 ng-change가 발생하므로 scopeValue [field]가 정의되지 않은 경우 오류가 발생합니다.


답변

또는 사용할 수 있습니다

<select [(ngModel)]="Answers[''+question.Name+'']" ng-options="option for option in question.Options">
        </select>


답변