Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Angularjs toggle image onclick

Tags:

angularjs

I'm trying to toggle a button image when a user clicks it. I prefer to use angularjs instead of jquery if possible. Right now I have a working version which toggles the image when clicked, the only problem is it changes ALL the images on click. How do I reduce the scope or pass in the src attribute for the img element?

    <div ng-repeat="merchant in merchants">
      <div class="followrow">
        <a ng-click="toggleImage()"><img id="followbutton" ng-src="{{followBtnImgUrl}}"  /></a>
      </div>
    </div>

app.controller('FollowCtrl', function CouponCtrl($scope) {
    $scope.followBtnImgUrl = '/img1'


    $scope.toggleImage = function () {
        if ($scope.followBtnImgUrl === '/img1.jpg') {
            $scope.followBtnImgUrl = baseUrl + '/img2.jpg';
        } else {
            $scope.followBtnImgUrl = 'img1.jpg';
        }
    }
});

Can I pass in the img src attribute the function like toggleImage(this.img.src) or similar?

like image 838
user1071182 Avatar asked Jan 15 '23 05:01

user1071182


2 Answers

<div ng-repeat="merchant in merchants">
  <div class="followrow">
    <a ng-click="toggleImage(merchant)"><img id="followbutton" ng-src="{{merchant.imgUrl}}"  />
    </a>
  </div>
</div>

.

app.controller('FollowCtrl', function CouponCtrl($scope) {
    $scope.followBtnImgUrl = '/sth.jpg'
    $scope.merchants = [{imgUrl: "img1.jpg", name:"sdf"}, 
                         {imgUrl: "img2.jpg", name: "dfsd"}];


     $scope.toggleImage = function(merchant) {
         if(merchant.imgUrl === $scope.followBtnImgUrl) {
             merchant.imgUrl = merchant.$backupUrl;
         } else {
             merchant.$backupUrl = merchant.imgUrl;
             merchant.imgUrl = $scope.followBtnImgUrl;
         }
    };
});
like image 56
Umur Kontacı Avatar answered Jan 17 '23 19:01

Umur Kontacı


What you want is a new scope for each followrow. As your code stands, there's only one scope that all of the followrows are referencing.

A simple answer is to create a new controller that you attach to each followrow:

<div class="followrow" ng-controller="ImageToggleCtrl">...</div>

And then move the image toggling logic to that new controller:

app.controller('ImageToggleCtrl', function($scope) {
  $scope.followBtnImgUrl = '/img1';
  $scope.toggleImage = function() { /* the toggling logic */ };
});

Now, a new scope will be instantiated for each row, and the images will toggle independently.

like image 38
satchmorun Avatar answered Jan 17 '23 18:01

satchmorun