I was lately trying to access every 2nd last element from a multiset container. Here I want to first print every 2nd last element from the container then erase it from the container. This process continues until the size of the container reaches to 1.
My so far approach for this process is given bellow-
int n;cin>>n;
multiset<int>st;
for(int i=0;i<n;++i)
{
int x;cin>>x;st.insert(x);
}
while(st.size()!=1)
{
auto it=st.rbegin();
prev(it,1);
cout<<*it<<" ";
st.erase(*it);
}
Here, my expected results for the given case is-
6 0 0 1 0 1 1
ans- 1 1 0 0 0
Thanks in advance.
Hi! When you use st.erase(*it), you erased all copies of *it. To avoid this use st.erase(st.find(*it))
Thank you so much sir
Or use st.erase(it) ?
Oh yes..I just remembered way with find to use it with numbers too
std::prev(itr, n)
returns the iterator after you moveitr
backwardsn
times. Bothstd::prev
andstd::next
doesn't actually change the iterator that you pass through as argument. You will need to usestd::advance
for that, or you can writeitr = std::prev(itr, 1)
.And note that you are using reverse iterator on your code (the direction is also reversed), so you should use
std::next
instead ofstd::prev
if you want the 2nd last element in the multiset.std::prev
std::advance
I guess itr++ works,too