The following are different ways to construct or initialize a vector in C++ STL
1. Initializing by pushing values one by one:
C++
#include <iostream>
#include <vector>
using namespace std;
int main()
{
vector< int > vect;
vect.push_back(10);
vect.push_back(20);
vect.push_back(30);
for ( int x : vect)
cout << x << " " ;
return 0;
}
|
2. Specifying size and initializing all values:
C++
#include <iostream>
#include <vector>
using namespace std;
int main()
{
int n = 3;
vector< int > vect(n, 10);
for ( int x : vect)
cout << x << " " ;
return 0;
}
|
3. Initializing like arrays:
C++
#include <iostream>
#include <vector>
using namespace std;
int main()
{
vector< int > vect{ 10, 20, 30 };
for ( int x : vect)
cout << x << " " ;
return 0;
}
|
4. Initializing from an array:
C++
#include <iostream>
#include <vector>
using namespace std;
int main()
{
int arr[] = { 10, 20, 30 };
int n = sizeof (arr) / sizeof (arr[0]);
vector< int > vect(arr, arr + n);
for ( int x : vect)
cout << x << " " ;
return 0;
}
|
5. Initializing from another vector:
C++
#include <iostream>
#include <vector>
using namespace std;
int main()
{
vector< int > vect1{ 10, 20, 30 };
vector< int > vect2(vect1.begin(), vect1.end());
for ( int x : vect2)
cout << x << " " ;
return 0;
}
|
6. Initializing all elements with a particular value:
C++
#include <iostream>
#include <vector>
using namespace std;
int main()
{
vector< int > vect1(10);
int value = 5;
fill(vect1.begin(), vect1.end(), value);
for ( int x : vect1)
cout << x << " " ;
return 0;
}
|
Output
5 5 5 5 5 5 5 5 5 5
7. Initialize an array with consecutive numbers using std::iota:
C++
#include <iostream>
#include <numeric>
#include <vector>
using namespace std;
int main()
{
vector< int > vec(5);
iota(vec.begin(), vec.end(), 1);
for ( int i = 0; i < 5; i++) {
cout << vec[i] << " " ;
}
return 0;
}
|
Time complexity: O(N), where N is the size of the vector.
Auxiliary space: O(N).
If you like GeeksforGeeks and would like to contribute, you can also write an article using write.geeksforgeeks.org. See your article appearing on the GeeksforGeeks main page and help other Geeks. Please write comments if you find anything incorrect, or if you want to share more information about the topic discussed above.
Whether you're preparing for your first job interview or aiming to upskill in this ever-evolving tech landscape,
GeeksforGeeks Courses are your key to success. We provide top-quality content at affordable prices, all geared towards accelerating your growth in a time-bound manner. Join the millions we've already empowered, and we're here to do the same for you. Don't miss out -
check it out now!
Last Updated :
20 Oct, 2023
Like Article
Save Article