Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

ng-model and value combination not working for input text box

I'm having two input text box. I need to combine the values entered in two text boxes and display it in the third. I'm able to display it if I use only the value in the third text box.

Box 1:

 <input type="text" ng-model="entity.name">

Box 2:

 <input type="text" ng-model="entity.code">

Box 3:Box1+Box 2

  <input type="text" value="{{entity.name+ ' + ' + entity.code}}">

However if I use a model name in the third box, the logic doesn't seem to be working:

 <input type="text" value="{{entity.name+ ' + ' + entity.code}}" 
        ng-model="entity.fullCode">

Can anyone suggest a fix ??

like image 245
forgottofly Avatar asked Feb 05 '15 08:02

forgottofly


3 Answers

This is a good question as it illustrates how incorrect "thinking in Angular" can lead to issues.

With Angular you start with model first. Then the View is bound to the model and reflects it - not the other way around. What I mean by that is that ng-value would not set the model, although it would alter the view. You (or rather, the controller) is responsible for setting the model.

So, if you need entity.fullCode to equal the concatenation of entity.name and entity.code, then you should set it in the controller.

For example, if you wanted to set it any time entity.name or entity.code change, then you could do so with $watch:

$scope.$watch("entity.name + entity.code", function(newVal){
   $scope.entity.fullCode = $scope.entity.name + "+" + $scope.entity.code;
})

Note, though, that since you are binding entity.fullCode to another input, changing that input would change entity.fullCode and would not make it equal to the + of the first two.

like image 113
New Dev Avatar answered Nov 11 '22 18:11

New Dev


<div ng-app>
  <div>
    <label>Name:</label>
    <input type="text" ng-model="entity.name">
    <label>Code:</label>
    <input type="text" ng-model="entity.code">
    <label>Full Code:</label>
    <input type="text" ng-model="entity.fullCode" value="{{entity.fullCode=entity.name + ' + ' + entity.code}}">
  </div>
</div>

You must assign something to your ng-model attribute, so that it can bind. your code seems to be work. but just display purpose we do this. cheers

like image 37
Palani Kumar Avatar answered Nov 11 '22 18:11

Palani Kumar


You need to use $watch with true

function MyCtrl($scope) {
    $scope.entity={name:'',code:'',fullCode:''};
    $scope.$watch('entity',function(n,o){
        $scope.entity.fullCode = $scope.entity.name + $scope.entity.code;
    },true);

}

Fiddle:- http://jsfiddle.net/405qc0xg/

like image 1
squiroid Avatar answered Nov 11 '22 17:11

squiroid