2013-12-15 88 views
10

我想使用模態來編輯我的數據。我將數據傳遞給模態實例。當我單擊確定時,我將$ scope.selected中的編輯數據傳回給控制器。

那裏我想更新原來的$範圍。不知何故$ scope不會更新。我究竟做錯了什麼?

var ModalDemoCtrl = function ($scope, $modal, $log) { 

    $scope.data = { name: '', serial: '' } 

    $scope.edit = function (theIndex) { 

    var modalInstance = $modal.open({ 
     templateUrl: 'myModalContent.html', 
     controller: ModalInstanceCtrl, 
     resolve: { 
     items: function() { 
      return $scope.data[theIndex]; 
     } 
     } 
    }); 

    modalInstance.result.then(function (selectedItem) { 
     $scope.selected = selectedItem; 

     // this is where the data gets updated, but doesn't do it 
     $scope.data.name = $scope.selected.name; 
     $scope.data.serial = $scope.selected.serial; 

    }); 
    }; 
}; 

模態控制器:

var ModalInstanceCtrl = function ($scope, $modalInstance, items) { 

    $scope.items = items; 
    $scope.selected = { 
    name: $scope.items.name, 
    serial: $scope.items.serial 
    }; 

    $scope.ok = function() { 
    $modalInstance.close($scope.selected); 
    }; 

    $scope.cancel = function() { 
    $modalInstance.dismiss('cancel'); 
    }; 
}; 

模態:

<div class="modal-header"> 
    <h3>{{ name }}</h3> 
</div> 
<div class="modal-body"> 
    <input type="text" value="{{ serial }}"> 
    <input type="text" value="{{ name }}"> 
</div> 
<div class="modal-footer"> 
    <button class="btn btn-primary" ng-click="ok()">OK</button> 
    <button class="btn btn-warning" ng-click="cancel()">Cancel</button> 
</div> 
+0

呵呵thx你小錯字,但並沒有解決問題:-) – Tino

回答

14

您不包括您的模態模板,所以這是一個有點猜測。您的代碼非常接近angular-ui模式的示例代碼,該代碼在模板中使用ng-repeat。如果你正在做同樣的事情,那麼你應該知道ng-repeat創建一個從父項繼承的子範圍。

從這個片段來看:

$scope.ok = function() { 
    $modalInstance.close($scope.selected); 
}; 

它看起來像,而不是在你的模板這樣做:

<li ng-repeat="item in items"> 
    <a ng-click="selected.item = item">{{ item }}</a> 
</li> 

,你可能會做這樣的事情:

<li ng-repeat="item in items"> 
    <a ng-click="selected = item">{{ item }}</a> 
</li> 

如果所以,那麼在你的情況下,你在子範圍內分配selected,這不會影響父範圍的selected屬性。然後,當您嘗試訪問$scope.selected.name時,它將爲空。 通常,您應該爲模型使用對象,並在其上設置屬性,而不是直接分配新值。

This part of the documentation更詳細地解釋了範圍問題。

編輯:

您還沒有你的輸入綁定到任何模式可言,所以您輸入的數據從來就沒有存儲任何地方。您需要使用ng-model要做到這一點,例如:

<input type="text" ng-model="editable.serial" /> 
<input type="text" ng-model="editable.name" /> 

的工作示例見this plunkr

+0

thx我只是用兩個輸入來更新「名稱」和「串行」。 No ng-repeat – Tino

+0

我添加了模式 – Tino

+0

@Tino我更新了我的答案 –