AngularJS ng-repeatで繰り返し要素の合計を計算する


107

以下のスクリプトは、を使用してショップカートを表示しますng-repeat。配列の各要素について、アイテム名、その金額、および小計(product.price * product.quantity)が表示されます。

繰り返し要素の合計価格を計算する最も簡単な方法は何ですか?

<table>

    <tr>
        <th>Product</th>
        <th>Quantity</th>
        <th>Price</th>
    </tr>

    <tr ng-repeat="product in cart.products">
        <td>{{product.name}}</td>
        <td>{{product.quantity}}</td>
        <td>{{product.price * product.quantity}} €</td>
    </tr>

    <tr>
        <td></td>
        <td>Total :</td>
        <td></td> <!-- Here is the total value of my cart -->
    </tr>

</table>

1
angular.forEach($ scope.cart.products、function(filterObj、filterKey){$ scope.total + = filterObj.product.price * filterObj.product.quantity;});
Gery

次も参照してください:stackoverflow.com/a/25667437/59087
Dave Jarvis


なぜtfoot-tagを使用しないのですか?
パスカル

回答:


147

テンプレート内

<td>Total: {{ getTotal() }}</td>

コントローラ内

$scope.getTotal = function(){
    var total = 0;
    for(var i = 0; i < $scope.cart.products.length; i++){
        var product = $scope.cart.products[i];
        total += (product.price * product.quantity);
    }
    return total;
}

24
これの1つの欠点は、コレクションを2回繰り返すことです。これは小さなコレクションでは問題ありませんが、コレクションがかなり大きい場合はどうなりますか?ng-repeatでは、特定のオブジェクトフィールドで合計を実行する方法があるはずです。
icfantv 2014

2
@Pascamel自分の答えを確認してください(stackoverflow.com/questions/22731145/…)フィルターを使用して求めていることで機能していると思います
Rajamohan Anguchamy 2014

その質問にたどり着いたときに私が探していたものとまったく同じです。
Pascamel 2014

2
このソリューションの主な問題は、関数呼び出しであるため、ダイジェストごとに合計が再計算されることです。
Marc Durdin 2015

@icfantvコレクションを2回反復する方法は?
キリスト教のラミレス2016

58

これは、フィルターと通常のリストの両方でも機能します。リストのすべての値の合計に対して新しいフィルターを作成する最初のこと、および合計数量の合計に対するソリューションも与えられます。詳細コードでそれをフィドラーリンクを確認します。

angular.module("sampleApp", [])
        .filter('sumOfValue', function () {
        return function (data, key) {        
            if (angular.isUndefined(data) || angular.isUndefined(key))
                return 0;        
            var sum = 0;        
            angular.forEach(data,function(value){
                sum = sum + parseInt(value[key], 10);
            });        
            return sum;
        }
    }).filter('totalSumPriceQty', function () {
        return function (data, key1, key2) {        
            if (angular.isUndefined(data) || angular.isUndefined(key1)  || angular.isUndefined(key2)) 
                return 0;        
            var sum = 0;
            angular.forEach(data,function(value){
                sum = sum + (parseInt(value[key1], 10) * parseInt(value[key2], 10));
            });
            return sum;
        }
    }).controller("sampleController", function ($scope) {
        $scope.items = [
          {"id": 1,"details": "test11","quantity": 2,"price": 100}, 
          {"id": 2,"details": "test12","quantity": 5,"price": 120}, 
          {"id": 3,"details": "test3","quantity": 6,"price": 170}, 
          {"id": 4,"details": "test4","quantity": 8,"price": 70}
        ];
    });


<div ng-app="sampleApp">
  <div ng-controller="sampleController">
    <div class="col-md-12 col-lg-12 col-sm-12 col-xsml-12">
      <label>Search</label>
      <input type="text" class="form-control" ng-model="searchFilter" />
    </div>
    <div class="col-md-12 col-lg-12 col-sm-12 col-xsml-12">
      <div class="col-md-2 col-lg-2 col-sm-2 col-xsml-2">
        <h4>Id</h4>

      </div>
      <div class="col-md-4 col-lg-4 col-sm-4 col-xsml-4">
        <h4>Details</h4>

      </div>
      <div class="col-md-2 col-lg-2 col-sm-2 col-xsml-2 text-right">
        <h4>Quantity</h4>

      </div>
      <div class="col-md-2 col-lg-2 col-sm-2 col-xsml-2 text-right">
        <h4>Price</h4>

      </div>
      <div class="col-md-2 col-lg-2 col-sm-2 col-xsml-2 text-right">
        <h4>Total</h4>

      </div>
      <div ng-repeat="item in resultValue=(items | filter:{'details':searchFilter})">
        <div class="col-md-2 col-lg-2 col-sm-2 col-xsml-2">{{item.id}}</div>
        <div class="col-md-4 col-lg-4 col-sm-4 col-xsml-4">{{item.details}}</div>
        <div class="col-md-2 col-lg-2 col-sm-2 col-xsml-2 text-right">{{item.quantity}}</div>
        <div class="col-md-2 col-lg-2 col-sm-2 col-xsml-2 text-right">{{item.price}}</div>
        <div class="col-md-2 col-lg-2 col-sm-2 col-xsml-2 text-right">{{item.quantity * item.price}}</div>
      </div>
      <div colspan='3' class="col-md-8 col-lg-8 col-sm-8 col-xsml-8 text-right">
        <h4>{{resultValue | sumOfValue:'quantity'}}</h4>

      </div>
      <div class="col-md-2 col-lg-2 col-sm-2 col-xsml-2 text-right">
        <h4>{{resultValue | sumOfValue:'price'}}</h4>

      </div>
      <div class="col-md-2 col-lg-2 col-sm-2 col-xsml-2 text-right">
        <h4>{{resultValue | totalSumPriceQty:'quantity':'price'}}</h4>

      </div>
    </div>
  </div>
</div>

このフィドルリンクをチェック


'undefined'を使用しているときに取得していますが、使用するresultValueと問題なくitems動作します。
Salal Aslam、

最初に、次のコード「resultValue =(items | filter:{'details':searchFilter})」を確認します。これは、すべてのフィルター値がその変数「resultValue」に格納されるためです。{}または()これを間違えたと思います。もう一度確認してください。
Rajamohan Anguchamy

私が使用itemsする場合、フィルターでは機能しません、助けてください!
Salal Aslam

私のコードは次のようである ng-repeat="campaign in filteredCampaigns=(campaigns | filter:{'name':q})"{{ filteredCampaigns | campaignTotal: 'totalCommission' | number: 2 }}
・サラルアスラム

はい、アイテムはまだフィルターされていないので、フィルターが発生した後、その結果は他のモデルに保存する必要があり、そのモデルのみを使用する必要があります。私のサンプルでは、​​「resultValue」モデルを使用しました。
Rajamohan Anguchamy

41

これはかなり前に答えたが、提示されていない別のアプローチを投稿したかった...

ng-init合計を集計するために使用します。この方法では、HTMLで繰り返し、コントローラーで繰り返す必要はありません。このシナリオでは、これはよりクリーンでシンプルなソリューションだと思います。(集計ロジックがより複雑な場合は、必要に応じてロジックをコントローラーまたはサービスに移動することをお勧めします。)

    <tr>
        <th>Product</th>
        <th>Quantity</th>
        <th>Price</th>
    </tr>

    <tr ng-repeat="product in cart.products">
        <td>{{product.name}}</td>
        <td>{{product.quantity}}</td>
        <td ng-init="itemTotal = product.price * product.quantity; controller.Total = controller.Total + itemTotal">{{itemTotal}} €</td>
    </tr>

    <tr>
        <td></td>
        <td>Total :</td>
        <td>{{ controller.Total }}</td> // Here is the total value of my cart
    </tr>

もちろん、コントローラーで、Totalフィールドを定義/初期化するだけです。

// random controller snippet
function yourController($scope..., blah) {
    var vm = this;
    vm.Total = 0;
}

4
これは間違いなく最も角度のある方法です。シンプルで読みやすく、宣言的です。したがって、それが表すロジックは、それが属する場所に残ります。
Daniel Leiszen、2015

このメソッドはセルの表示で計算を隠します。これはここでは理解しやすいですが、複雑なテーブルではかなり面倒になります。
Marc Durdin 2015

1
これに関するもう1つの問題は、双方向のバインディングがないことです。
Paul Carlton、

17

あなたはng-repeatフォロー内の合計を計算することができます:

<tbody ng-init="total = 0">
  <tr ng-repeat="product in products">
    <td>{{ product.name }}</td>
    <td>{{ product.quantity }}</td>
    <td ng-init="$parent.total = $parent.total + (product.price * product.quantity)">${{ product.price * product.quantity }}</td>
  </tr>
  <tr>
    <td>Total</td>
    <td></td>
    <td>${{ total }}</td>
  </tr>
</tbody>

ここで結果を確認してください: http //plnkr.co/edit/Gb8XiCf2RWiozFI3xWzp?p=preview

自動更新結果の場合:http : //plnkr.co/edit/QSxYbgjDjkuSH2s5JBPf?p=preview(ありがとう– VicJordan)


これは、リストがフィルターされている場合は機能しtbodyません- 初期化は1回だけですがtr、リストがフィルターされるたびに、誤った合計になります
Zbynek

plnkrまたはjsfiddleで例を挙げられますか?
Huy Nguyen

うーん、はい、ここではフィルタは更新ではなくビューで表示/非表示にするだけなので、フィルタでは機能しません$scope
Huy Nguyen

@HuyNguyen、上のコードを編集しました。ここを確認してください:plnkr.co/edit/QSxYbgjDjkuSH2s5JBPf?p=preview 。ここで私が欲しいのは、ユーザーが数量を変更した場合、4番目の列(価格*数量)が自動的に更新されることです。これを見てください。ありがとう
Vikasdeep Singh 2017

9

これは私の解決策です

甘くてシンプルなカスタムフィルター:

(しかし、単純な値の合計にのみ関連し、合計の製品には関係ありません。sumProductフィルターを作成し、この投稿への編集として追加しました)。

angular.module('myApp', [])

    .filter('total', function () {
        return function (input, property) {
            var i = input instanceof Array ? input.length : 0;
// if property is not defined, returns length of array
// if array has zero length or if it is not an array, return zero
            if (typeof property === 'undefined' || i === 0) {
                return i;
// test if property is number so it can be counted
            } else if (isNaN(input[0][property])) {
                throw 'filter total can count only numeric values';
// finaly, do the counting and return total
            } else {
                var total = 0;
                while (i--)
                    total += input[i][property];
                return total;
            }
        };
    })

JSフィドル

編集:sumProduct

これはsumProductフィルターであり、任意の数の引数を受け入れます。引数として、入力データからプロパティの名前を受け取り、ネストされたプロパティ(ドットでマークされたネスト:)を処理できproperty.nestedます。

  • ゼロ引数を渡すと、入力データの長さが返されます。
  • 引数を1つだけ渡すと、そのプロパティの値の単純な合計が返されます。
  • さらに引数を渡すと、渡されたプロパティの値の積の合計が返されます(プロパティのスカラー合計)。

ここにJSフィドルとコードがあります

angular.module('myApp', [])
    .filter('sumProduct', function() {
        return function (input) {
            var i = input instanceof Array ? input.length : 0;
            var a = arguments.length;
            if (a === 1 || i === 0)
                return i;

            var keys = [];
            while (a-- > 1) {
                var key = arguments[a].split('.');
                var property = getNestedPropertyByKey(input[0], key);
                if (isNaN(property))
                    throw 'filter sumProduct can count only numeric values';
                keys.push(key);
            }

            var total = 0;
            while (i--) {
                var product = 1;
                for (var k = 0; k < keys.length; k++)
                    product *= getNestedPropertyByKey(input[i], keys[k]);
                total += product;
            }
            return total;

            function getNestedPropertyByKey(data, key) {
                for (var j = 0; j < key.length; j++)
                    data = data[key[j]];
                return data;
            }
        }
    })

JSフィドル


4

シンプルなソリューション

これが簡単な解決策です。追加のforループは必要ありません。

HTML部分

         <table ng-init="ResetTotalAmt()">
                <tr>
                    <th>Product</th>
                    <th>Quantity</th>
                    <th>Price</th>
                </tr>

                <tr ng-repeat="product in cart.products">
                    <td ng-init="CalculateSum(product)">{{product.name}}</td>
                    <td>{{product.quantity}}</td>
                    <td>{{product.price * product.quantity}} €</td>
                </tr>

                <tr>
                    <td></td>
                    <td>Total :</td>
                    <td>{{cart.TotalAmt}}</td> // Here is the total value of my cart
                </tr>

           </table>

スクリプトパート

 $scope.cart.TotalAmt = 0;
 $scope.CalculateSum= function (product) {
   $scope.cart.TotalAmt += (product.price * product.quantity);
 }
//It is enough to Write code $scope.cart.TotalAmt =0; in the function where the cart.products get allocated value. 
$scope.ResetTotalAmt = function (product) {
   $scope.cart.TotalAmt =0;
 }

3

これを解決するもう1つの方法は、Vaclavの答えから拡張して、この特定の計算、つまり各行の計算を解決することです。

    .filter('total', function () {
        return function (input, property) {
            var i = input instanceof Array ? input.length : 0;
            if (typeof property === 'undefined' || i === 0) {
                return i;
            } else if (typeof property === 'function') {
                var total = 0; 
                while (i--)
                    total += property(input[i]);
                return total;
            } else if (isNaN(input[0][property])) {
                throw 'filter total can count only numeric values';
            } else {
                var total = 0;
                while (i--)
                    total += input[i][property];
                return total;
            }
        };
    })

計算でこれを行うには、スコープに計算関数を追加するだけです。

$scope.calcItemTotal = function(v) { return v.price*v.quantity; };

{{ datas|total:calcItemTotal|currency }}HTMLコードで使用します。これは、フィルターを使用するため、すべてのダイジェストで呼び出されないという利点があり、単純または複雑な合計に使用できます。

JSFiddle


3

これは、ng-repeatとng-initを使用してすべての値を集計し、item.totalプロパティでモデルを拡張する簡単な方法です。

<table>
<tr ng-repeat="item in items" ng-init="setTotals(item)">
                    <td>{{item.name}}</td>
                    <td>{{item.quantity}}</td>
                    <td>{{item.unitCost | number:2}}</td>
                    <td>{{item.total | number:2}}</td>
</tr>
<tr class="bg-warning">
                    <td>Totals</td>
                    <td>{{invoiceCount}}</td>
                    <td></td>                    
                    <td>{{invoiceTotal | number:2}}</td>
                </tr>
</table>

ngInitディレクティブは、各アイテムのset total関数を呼び出します。コントローラのsetTotals関数は、各アイテムの合計を計算します。また、invoiceCountおよびinvoiceTotalスコープ変数を使用して、すべてのアイテムの数量と合計を集計(合計)します。

$scope.setTotals = function(item){
        if (item){
            item.total = item.quantity * item.unitCost;
            $scope.invoiceCount += item.quantity;
            $scope.invoiceTotal += item.total;
        }
    }

詳細とデモについては、次のリンクをご覧ください。

http://www.ozkary.com/2015/06/angularjs-calculate-totals-using.html


1
StackOverlowでは、リンクが停止する可能性のあるブログ投稿へのリンクは推奨されません。また、ページを見ると、ページの中央に502 Bad Gatewayエラーが表示されます。他の場所へのリンクではなく、ここの質問に答えてください。
Rick Glos、2015

3

エレガントなソリューションを好む

テンプレート内

<td>Total: {{ totalSum }}</td>

コントローラ内

$scope.totalSum = Object.keys(cart.products).map(function(k){
    return +cart.products[k].price;
}).reduce(function(a,b){ return a + b },0);

ES2015(別名ES6)を使用している場合

$scope.totalSum = Object.keys(cart.products)
  .map(k => +cart.products[k].price)
  .reduce((a, b) => a + b);

2

データセットオブジェクト配列と各オブジェクトのキーを取り、合計するカスタムAngularフィルターを使用できます。その後、フィルターは合計を返すことができます。

.filter('sumColumn', function(){
        return function(dataSet, columnToSum){
            let sum = 0;

            for(let i = 0; i < dataSet.length; i++){
                sum += parseFloat(dataSet[i][columnToSum]) || 0;
            }

            return sum;
        };
    })

次に、テーブルで使用できる列を合計します。

<th>{{ dataSet | sumColumn: 'keyInObjectToSum' }}</th>

1

あなたはangular jsのサービスを試してみるかもしれません、それは私のために働きました..以下のコードスニペットを与える

コントローラーコード:

$scope.total = 0;
var aCart = new CartService();

$scope.addItemToCart = function (product) {
    aCart.addCartTotal(product.Price);
};

$scope.showCart = function () {    
    $scope.total = aCart.getCartTotal();
};

サービスコード:

app.service("CartService", function () {

    Total = [];
    Total.length = 0;

    return function () {

        this.addCartTotal = function (inTotal) {
            Total.push( inTotal);
        }

        this.getCartTotal = function () {
            var sum = 0;
            for (var i = 0; i < Total.length; i++) {
                sum += parseInt(Total[i], 10); 
            }
            return sum;
        }
    };
});

1

これがこの問題の私の解決策です:

<td>Total: {{ calculateTotal() }}</td>

脚本

$scope.calculateVAT = function () {
    return $scope.cart.products.reduce((accumulator, currentValue) => accumulator + (currentValue.price * currentValue.quantity), 0);
};

reduceは、製品配列の各製品に対して実行されます。Accumulatorは累積された合計量、currentValueは配列の現在の要素、最後の0は初期値です


0

RajaShilpaの答えを少し拡張しました。次のような構文を使用できます。

{{object | sumOfTwoValues:'quantity':'products.productWeight'}}

オブジェクトの子オブジェクトにアクセスできるようにします。フィルターのコードは次のとおりです。

.filter('sumOfTwoValues', function () {
    return function (data, key1, key2) {
        if (typeof (data) === 'undefined' || typeof (key1) === 'undefined' || typeof (key2) === 'undefined') {
            return 0;
        }
        var keyObjects1 = key1.split('.');
        var keyObjects2 = key2.split('.');
        var sum = 0;
        for (i = 0; i < data.length; i++) {
            var value1 = data[i];
            var value2 = data[i];
            for (j = 0; j < keyObjects1.length; j++) {
                value1 = value1[keyObjects1[j]];
            }
            for (k = 0; k < keyObjects2.length; k++) {
                value2 = value2[keyObjects2[k]];
            }
            sum = sum + (value1 * value2);
        }
        return sum;
    }
});

0

Vaclavの答えを取り入れて、それをよりAngularのようにします。

angular.module('myApp').filter('total', ['$parse', function ($parse) {
    return function (input, property) {
        var i = input instanceof Array ? input.length : 0,
            p = $parse(property);

        if (typeof property === 'undefined' || i === 0) {
            return i;
        } else if (isNaN(p(input[0]))) {
            throw 'filter total can count only numeric values';
        } else {
            var total = 0;
            while (i--)
                total += p(input[i]);
            return total;
        }
    };
}]);

これにより、ネストされた配列データにもアクセスできるという利点があります。

{{data | total:'values[0].value'}}

0

HTMLで

<b class="text-primary">Total Amount: ${{ data.allTicketsTotalPrice() }}</b>

JavaScriptで

  app.controller('myController', function ($http) {
            var vm = this;          
            vm.allTicketsTotalPrice = function () {
                var totalPrice = 0;
                angular.forEach(vm.ticketTotalPrice, function (value, key) {
                    totalPrice += parseFloat(value);
                });
                return totalPrice.toFixed(2);
            };
        });

0

ホイグエンの答えはほとんどありません。これを機能させるには、以下を追加します。

ng-repeat="_ in [ products ]"

... ng-initの行に リストには常に単一のアイテムがあるため、Angularはブロックを1回だけ繰り返します。

フィルタリングを使用したZybnekのデモは、以下を追加することで機能させることができます。

ng-repeat="_ in [ [ products, search ] ]"

http://plnkr.co/edit/dLSntiy8EyahZ0upDpgy?p=previewを参照してください。


0
**Angular 6: Grand Total**       
 **<h2 align="center">Usage Details Of {{profile$.firstName}}</h2>
        <table align ="center">
          <tr>
            <th>Call Usage</th>
            <th>Data Usage</th>
            <th>SMS Usage</th>
            <th>Total Bill</th>
          </tr>
          <tr>
          <tr *ngFor="let user of bills$">
            <td>{{ user.callUsage}}</td>
            <td>{{ user.dataUsage }}</td>
            <td>{{ user.smsUsage }}</td>
       <td>{{user.callUsage *2 + user.dataUsage *1 + user.smsUsage *1}}</td>
          </tr>


          <tr>
            <th> </th>
            <th>Grand Total</th>
            <th></th>
            <td>{{total( bills$)}}</td>
          </tr>
        </table>**


    **Controller:**
        total(bills) {
            var total = 0;
            bills.forEach(element => {
total = total + (element.callUsage * 2 + element.dataUsage * 1 + element.smsUsage * 1);
            });
            return total;
        }

口コミから:スタックオーバーフローへようこそ!ソースコードだけで答えないでください。ソリューションがどのように機能するかについて、わかりやすい説明を提供してください。参照:良い回答を書くにはどうすればよいですか?。ありがとう
sunıɔןɐqɐp2018年

0

これは私の解決策です

<div ng-controller="MainCtrl as mc">
  <ul>
      <li ng-repeat="n in [1,2,3,4]" ng-init="mc.sum = ($first ? 0 : mc.sum) + n">{{n}}</li>
      <li>sum : {{mc.sum}}</li>
  </ul>
</div>

コントローラに名前を追加する必要があります Controller as SomeName変数をそこにキャッシュできるように(本当に必要ですか?$ parentの使用に慣れていないのでわかりません)

次に、繰り返しごとに、 ng-init"SomeName.SumVariable = ($first ? 0 : SomeName.SumVariable) + repeatValue"

$first チェックする場合、最初にゼロにリセットされます。それ以外の場合は、値を集計し続けます。

http://jsfiddle.net/thainayu/harcv74f/


-2

ここですべての答えを読んだ後-グループ化された情報を要約する方法、それをすべてスキップしてSQL javascriptライブラリの1つをロードすることにしました。私はalasqlを使用しています。そうです、ロード時間は数秒長くなりますが、コーディングとデバッグに数え切れないほどの時間を節約できます。

$scope.bySchool = alasql('SELECT School, SUM(Cost) AS Cost from ? GROUP BY School',[restResults]);

私はこれがangular / jsに少し怒りのように聞こえることを知っていますが、実際にはSQLは30年以上前にこれを解決し、ブラウザ内で再発明する必要はありません。


1
これはかなりひどいです。ただすごいSMH-私は他の人に反対票を投じます。私の口はこの答えで大きく開いています.....
トムスティッケル2017年
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.