Naive Approach to Convert Vector to Array

The vector can be converted to an array by first allocating the array’s memory sufficient to accommodate all vector elements. Then we run a for loop and copy every element of the vector to the array.

Example:

C++




// C++ program to convert vector to
// array using naive approach
#include <bits/stdc++.h>
using namespace std;
 
int main()
{
    vector<int> v({ 1, 2, 3, 4, 5 });
    int n = v.size();
     
    // Printing original vector
    cout<<"Vector: ";
    for (int i: v) {
        cout << i << ' ';
    }
    cout<<endl;
  
    int arr[n];
    for (int i = 0; i < n; i++) {
        arr[i] = v[i];
    }
     
    // Printing the array
    cout<<"Array: ";
    for (int i: arr) {
        cout << i << ' ';
    }
    cout<<endl;
  
    return 0;
}


Output

Vector: 1 2 3 4 5 
Array: 1 2 3 4 5 

Time Complexity: O(n)
Auxiliary Space: O(n)

Different Ways to Convert Vector to Array in C++ STL

An array is the collection of data belonging to a primitive data type. The data in this is kept in a continuous memory location. Vectors are dynamic arrays that can be resized to meet the needs. We can convert vectors to arrays in the following ways given below.

Example:

Input : Vector: [1, 2, 3, 4, 5]
Output: Array: [1, 2, 3, 4, 5]

Input : Vector: [‘G’, ‘e’, ‘e’, ‘k’, ‘s’] 
Output: Array: [‘G’, ‘e’, ‘e’, ‘k’, ‘s’] 

Here, we will discuss the 5 ways to convert Vector to Array in C++ STL:

  1. Naive Approach to Convert Vector to Array
  2. Using copy() function in C++ STL
  3. Using transform() function in C++ STL
  4. Using data() function in C++ STL
  5. Using & operator in C++

Similar Reads

1. Naive Approach to Convert Vector to Array

The vector can be converted to an array by first allocating the array’s memory sufficient to accommodate all vector elements. Then we run a for loop and copy every element of the vector to the array....

2. Using copy() function in C++ STL

...

3. Using transform() function in C++ STL

copy() function in C++ is used to copy a range of elements from one container to another. It takes 3 arguments which are a pointer to the beginning of the source container, a pointer to the end of the source container, and a pointer to the beginning of the destination container....

4. Using data() function in C++ STL

...

5. Using & operator in C++

transform() function in C++ is used to copy a range of elements from one container to another based upon a unary operation. It takes 4 parameters which include a pointer to the beginning of the source container, a pointer to the end of the source container, and a pointer to the beginning of the destination container, a unary operation....