Open In App

stack emplace() in C++ STL

Improve
Improve
Like Article
Like
Save
Share
Report

Stacks are a type of container adaptors with LIFO(Last In First Out) type of working, where a new element is added at one end (top) and an element is removed from that end only.
 

stack::emplace()

This function is used to insert a new element into the stack container, the new element is added on top of the stack. 
Syntax : 
 

stackname.emplace(value)
Parameters :
The element to be inserted into the stack
is passed as the parameter.
Result :
The parameter is added to the stack 
at the top position.

Examples: 
 

Input  : mystack{1, 2, 3, 4, 5};
         mystack.emplace(6);
Output : mystack = 6, 5, 4, 3, 2, 1

Input  : mystack{};
         mystack.emplace(4);
Output : mystack = 4

 

Note: In stack container, the elements are printed in reverse order because the top is printed first then moving on to other elements.

Errors and Exceptions 
1. It has a strong exception guarantee, therefore, no changes are made if an exception is thrown. 
2. Parameter should be of same type as that of the container, otherwise an error is thrown.
 

CPP




// CPP program to illustrate
// Implementation of emplace() function
#include <iostream>
#include <stack>
using namespace std;
 
int main() {
  stack<int> mystack;
  mystack.emplace(1);
  mystack.emplace(2);
  mystack.emplace(3);
  mystack.emplace(4);
  mystack.emplace(5);
  mystack.emplace(6);
  // stack becomes 1, 2, 3, 4, 5, 6
 
  // printing the stack
  cout << "mystack = ";
  while (!mystack.empty()) {
    cout << mystack.top() << " ";
    mystack.pop();
  }
  return 0;
}


Output: 
 

6 5 4 3 2 1

Time Complexity : O(1)
Difference between stack::emplace() and stack::push() function. 
While push() function inserts a copy of the value or the parameter passed to the function into the container at the top, the emplace() function constructs a new element as the value of the parameter and then adds it to the top of the container. 
Application : 
Given a number of integers, add them to the stack using emplace() and find the size of the stack without using size function.
 

Input : 5, 13, 0, 9, 4
Output: 5

Algorithm 
1. Insert the given elements to the stack container using emplace() one by one. 
2. Keep popping the elements of stack until it becomes empty, and increment the counter variable. 
3. Print the counter variable.
 

CPP




// CPP program to illustrate
// Application of emplace() function
#include <iostream>
#include <stack>
using namespace std;
 
int main() {
  int c = 0;
  // Empty stack
  stack<int> mystack;
  mystack.emplace(5);
  mystack.emplace(13);
  mystack.emplace(0);
  mystack.emplace(9);
  mystack.emplace(4);
  // stack becomes 5, 13, 0, 9, 4
 
  // Counting number of elements in queue
  while (!mystack.empty()) {
    mystack.pop();
    c++;
  }
  cout << c;
}


Output: 
 

5

 



Last Updated : 30 May, 2023
Like Article
Save Article
Previous
Next
Share your thoughts in the comments
Similar Reads