Sum of All Matrix Elements using Nested Loops

This PHP program uses nested loops to find the sum of all elements in a matrix. It iterates through each row and column, adding each element to a running total. The final sum is returned as the result.

Example: Implementation to find the sum of all Matrix elements.

PHP




<?php
  
function sumMatrixElements($matrix) {
    $sum = 0;
    foreach ($matrix as $row) {
        foreach ($row as $element) {
            $sum += $element;
        }
    }
    return $sum;
}
  
// Driver code
$matrix = [[1, 2, 3], [4, 5, 6], [7, 8, 9]];
  
$sum = sumMatrixElements($matrix);
echo "Sum of all matrix elements: $sum";
  
?>


Output

Sum of all matrix elements: 45

Explanation:

  • The sumMatrixElements function takes a 2D array (matrix) as input.
  • It uses nested foreach loops to iterate through each row and each element in the row.
  • The elements are accumulated in the $sum variable, which is returned at the end.

PHP Program to Find Sum of All Matrix Elements

Finding the sum of all elements in a matrix is a common operation in mathematical computations and programming. In PHP, this can be achieved using various approaches, including loops and array functions. In this article, we will explore different methods to calculate the sum of all elements in a matrix.

Table of Content

  • Using Nested Loops
  • Using Array Functions

Similar Reads

Sum of All Matrix Elements using Nested Loops

This PHP program uses nested loops to find the sum of all elements in a matrix. It iterates through each row and column, adding each element to a running total. The final sum is returned as the result....

Sum of All Matrix Elements using Array Functions

...

Contact Us