How to insert all elements of list1 before specific N element of list2 in C++

1 Answer

0 votes
#include <iostream>  
#include <list> 

using std::list;
using std::string;
using std::cout;

void printList(const list<int>& lst)
{
	for (auto elem : lst) {
		cout << elem << ' ';
	}
	cout << std::endl;
}

int main()
{
	list<int> list1{ 1, 2, 3, 4, 5 }, list2{ 77, 88, 99 };

	list2.splice(find(list2.begin(), list2.end(), 88), list1);

	printList(list1);
	printList(list2);

	return 0;
}

/*
run:

77 1 2 3 4 5 88 99

*/

 



answered Jan 5, 2018 by avibootz
edited Jan 7, 2018 by avibootz
...