当前位置: 首页>>代码示例 >>用法及示例精选 >>正文


C++ list splice()用法及代码示例


list::splice(是C++ STL中的内置函数,用于将元素从一个列表传输到另一个列表。 splice()函数可以通过三种方式使用:

  1. 将列表x的所有元素转移到某个位置的另一个列表中。
  2. 仅将i指向的元素从列表x转移到列表中的某个位置。
  3. 将范围x(第一个,最后一个)从列表x转移到某个位置的另一个列表。

用法:

list1_name.splice (iterator position, list2)
                or 
list1_name.splice (iterator position, list2, iterator i)
                or 
list1_name.splice (iterator position, list2, iterator first, iterator last)

参数:该函数接受以下指定的四个参数:


  • position-指定要传输元素的位置。
  • list2-它指定要传输的相同类型的列表对象。
  • i-它指定要在list2中要传输的元素位置的迭代器。
  • first, last-迭代器,用于指定list2中要在list1中传输的元素范围。范围包括first和last之间的所有元素,包括first指向的元素,但last指向的元素。

返回值:此函数不返回任何内容。

以下示例程序旨在说明上述函数:

程序1:传输列表中的所有元素。

// CPP program to illustrate the 
// list::splice() function 
#include <bits/stdc++.h> 
using namespace std; 
  
int main() 
{ 
    // initializing lists 
    list<int> l1 = { 1, 2, 3 }; 
    list<int> l2 = { 4, 5 }; 
    list<int> l3 = { 6, 7, 8 }; 
  
    // transfer all the elements of l2 
    l1.splice(l1.begin(), l2); 
  
    // at the beginning of l1 
    cout << "list l1 after splice operation" << endl; 
    for (auto x : l1) 
        cout << x << " "; 
  
    // transfer all the elements of l1 
    l3.splice(l3.end(), l1); 
  
    // at the end of l3 
    cout << "\nlist l3 after splice operation" << endl; 
    for (auto x : l3) 
        cout << x << " "; 
    return 0; 
}
输出:
list l1 after splice operation
4 5 1 2 3 
list l3 after splice operation
4 5 1 2 3 6 7 8

程序2:转移一个元素。

// CPP program to illustrate the 
// list::splice() function 
#include <bits/stdc++.h> 
using namespace std; 
  
int main() 
{ 
    // initializing lists and iterator 
    list<int> l1 = { 1, 2, 3 }; 
    list<int> l2 = { 4, 5 }; 
    list<int>::iterator it; 
  
    // Iterator pointing to 4 
    it = l2.begin(); 
  
    // transfer 4 at the end of l1 
    l1.splice(l1.end(), l2, it); 
  
    cout << "list l1 after splice operation" << endl; 
    for (auto x : l1) 
        cout << x << " "; 
    return 0; 
}
输出:
list l1 after splice operation
1 2 3 4

程序3:传输一系列元素。

// CPP program to illustrate the 
// list::splice() function 
#include <bits/stdc++.h> 
using namespace std; 
  
int main() 
{ 
    // initializing lists and iterator 
    list<int> l1 = { 1, 2, 3, 4, 5 }; 
    list<int> l2 = { 6, 7, 8 }; 
    list<int>::iterator it; 
  
    // iterator pointing to 1 
    it = l1.begin(); 
  
    // advance the iterator by 2 positions 
    advance(it, 2); 
  
    // transfer 3, 4 and 5 at the 
    // beginning of l2 
    l2.splice(l2.begin(), l2, it, l1.end()); 
  
    cout << "list l2 after splice operation" << endl; 
    for (auto x : l2) 
        cout << x << " "; 
    return 0; 
}
输出:
list l2 after splice operation
3 4 5 6 7 8


相关用法


注:本文由纯净天空筛选整理自rupesh_rao大神的英文原创作品 list splice() function in C++ STL。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。