Ng-if Should Show Only One Object
Solution 1:
If you don't want to touch your markup and want the oi-offer-edit element to be repeated, you have to use a boolean property on the offer object itself:
<md-cardmd-theme-watchflex="100"ng-repeat="offer in company.offers"><md-buttonclass="..."ng-click="offer.formVisible = !offer.formVisible"><oi-offer-editoffer="offer"is-change="true"ng-if="offer.formVisible"></oi-offer-edit></md-card>Solution before i realized, that you want to have that directive in every md-card:
You might want to place your oi-offer-edit element outside your ng-repeat container, because as far as i see it in your snippet, you only need one with the offer-data of the selected company.offers.
So you could just cache the offer on the click handler and make your oi-offer-edit visible. Something like this:
<md-card md-theme-watch flex="100" ng-repeat="offer in company.offers">
    <md-buttonclass="..."ng-click="company.setEditVisibility(offer)"></md-card><oi-offer-editoffer="currentSelectedOffer"is-change="true"ng-if="company.isEditVisible"></oi-offer-edit>functionsetEditVisibility(selectedOffer){
     vm.currentSelectedOffer = selectedOffer;
     vm.isEditVisible = !vm.isEditVisible;
}
Solution 2:
it will because you have bounded to each ng-repeat object .
Solution 3:
If you want to toggle the visibility of oi-offer-edit independently of each offer object then you should move the boolean flag you're checking in the ng-if directive into the offers array.
Check the below example it will help you accomplish what you want to do.
angular
   .module('demo', [])
   .controller('DefaultController', DefaultController);
   
   functionDefaultController() {
    var vm = this;
    vm.company = {
      offers: [
        { id: 1, name: 'Offer 1' },
        { id: 2, name: 'Offer 2' },
        { id: 3, name: 'Offer 3' }
      ]
    };
    
    vm.setEditVisibility = setEditVisibility;
    
    functionsetEditVisibility(id) {
      for (var i = 0; i < vm.company.offers.length; i++) {
        if (vm.company.offers[i].id === id) {
          vm.company.offers[i].isEditVisible = !vm.company.offers[i].isEditVisible;
        }
      }
    }
  }
   <scriptsrc="https://ajax.googleapis.com/ajax/libs/angularjs/1.2.23/angular.min.js"></script><divng-app="demo"><divng-controller="DefaultController as ctrl"><divng-repeat="offer in ctrl.company.offers">
      {{offer.name}}
      <buttonng-click="ctrl.setEditVisibility(offer.id)">Toggle Edit Visibility</button><spanng-if="offer.isEditVisible">{{offer.name}} Edit Details</span></div></div></div>
Post a Comment for "Ng-if Should Show Only One Object"