How to use Template Function In C++

We can use a template function to find the size of an array.

C++ program to Find the Size of an Array Using Template Function

C++




// C++ program to find size of
// an array using Template Function
#include <bits/stdc++.h>
using namespace std;
 
// Calculating size of an array
template <typename T, size_t N>
 
int array_size(T (&arr)[N])
{
    return N;
}
 
int main()
{
    int arr[] = { 1, 2, 3, 4, 5, 6 };
    int size = array_size(arr);
    cout << "Number of elements in arr[] is " << size;
    return 0;
}
 
// This code is contributed by Susobhan Akhuli


Output

Number of elements in arr[] is 6

Explanation

The array_size() function is a template function that takes two parameters:

  • T: Type of array elements
  • N: Size of the array

The parameter T (&arr)[N] means the function accepts a reference to any type and any size of array. When array_size function is called with the array name as parameter, T is deduced as int and N is deduced as 6.

Complexity Analysis

  • Time complexity: O(1)
  • Auxiliary space: O(1)

How to Find Size of an Array in C++ Without Using sizeof() Operator?

In C++, generally, we use the sizeof() operator to find the size of arrays. But there are also some other ways using which we can find the size of an array. In this article, we will discuss some methods to determine the array size in C++ without using sizeof() operator.

Similar Reads

Methods to Find the Size of an Array without Using sizeof() Operator

Given an array (you don’t know the type of elements in the array), find the total number of elements in the array without using the sizeof() operator. So, we can use the methods mentioned below:...

1. Using Pointer Hack

The following solution is concise when compared to the other solution. The number of elements in an array A can be found using the expression:...

2. Using Macro Function

...

3. Implement Our Own sizeof( )

We can define a macro that calculates the size of an array based on its type and the number of elements....

4. Using Template Function

...

5. Using a Sentinel Value

Using custom user-defined sizeof function which can provide the functionality same as sizeof( )....

6. Using a Class or Struct

...