Open In App

Sum of array using pointer arithmetic

Last Updated : 21 Sep, 2022
Improve
Improve
Like Article
Like
Save
Share
Report

Given an array, write a program to find the sum of array using pointers arithmetic. In this program we make use of * operator . The * (asterisk) operator denotes the value of variable. The * operator at the time of declaration denotes that this is a pointer, otherwise it denotes the value of the memory location pointed by the pointer . sum() function is used to find the sum of the array through pointers. 

Examples :

Input : array = 2, 4, -6, 5, 8, -1
Output : sum = 12

Input :  array = 1, 4, -6, 8, -10, -12
Output : sum = -15

CPP




// CPP program to find sum of array using pointers
#include <iostream>
using namespace std;
 
// Function to find the sum of the array
void sum(int* array, int length)
{
    int i, sum_of_array = 0;
    for (i = 0; i < length; i++)
        sum_of_array = sum_of_array + *(array + i);
    cout << "sum of array is = " << sum_of_array;
}
// Driver function
int main()
{
    // Array to hold the values
    int array[] = { 2, 4, -6, 5, 8, -1 };
    sum(array, 6);
    return 0;
}


Output

sum of array is = 12

Time Complexity: O(N)
Auxiliary Space: O(1)


Like Article
Suggest improvement
Previous
Next
Share your thoughts in the comments

Similar Reads