Latest web development tutorials

C ++ pointer is passed to the function

C ++ pointers C ++ pointers

C ++ allows you to pass a pointer to a function, we need to simply declare a function parameter is a pointer to type.

The following examples, we pass an unsigned long pointer to a function, and change the value in function:

#include <iostream>
#include <ctime>
 
using namespace std;
void getSeconds(unsigned long *par);

int main ()
{
   unsigned long sec;


   getSeconds( &sec );

   // 输出实际值
   cout << "Number of seconds :" << sec << endl;

   return 0;
}

void getSeconds(unsigned long *par)
{
   // 获取当前的秒数
   *par = time( NULL );
   return;
}

When the above code is compiled and executed, it produces the following results:

Number of seconds :1294450468

Accept pointer as an argument of a function, but also accepts an array as a parameter, as follows:

#include <iostream>
using namespace std;
 
// 函数声明
double getAverage(int *arr, int size);
 
int main ()
{
   // 带有 5 个元素的整型数组
   int balance[5] = {1000, 2, 3, 17, 50};
   double avg;
 
   // 传递一个指向数组的指针作为参数
   avg = getAverage( balance, 5 ) ;
 
   // 输出返回值
   cout << "Average value is: " << avg << endl; 
    
   return 0;
}

double getAverage(int *arr, int size)
{
  int    i, sum = 0;       
  double avg;          
 
  for (i = 0; i < size; ++i)
  {
    sum += arr[i];
   }
 
  avg = double(sum) / size;
 
  return avg;
}

When the above code is compiled and executed, it produces the following results:

Average value is: 214.4

C ++ pointers C ++ pointers