命名空间
变体
操作

std::make_tuple

来自 cppreference.com
< cpp‎ | utility‎ | tuple
 
 
工具库
语言支持
类型支持 (基本类型, RTTI)
库特性测试宏 (C++20)
动态内存管理
程序工具
协程支持 (C++20)
可变参数函数
调试支持
(C++26)
三路比较
(C++20)
(C++20)(C++20)(C++20)
(C++20)(C++20)(C++20)
通用工具
日期和时间
函数对象
格式化库 (C++20)
(C++11)
关系运算符 (C++20 中已弃用)
整数比较函数
(C++20)(C++20)(C++20)   
(C++20)
交换类型操作
(C++14)
(C++11)
(C++11)
(C++11)
(C++17)
通用词汇类型
(C++11)
(C++17)
(C++17)
(C++17)
(C++11)
(C++17)
(C++23)
基本字符串转换
(C++17)
(C++17)

 
 
在头文件 <tuple> 中定义
template< class... Types >
std::tuple<VTypes...> make_tuple( Types&&... args );
(自 C++11 起)
(自 C++14 起为 constexpr)

创建一个元组对象,根据参数的类型推断目标类型。

对于 Types... 中的每个 TiVTypes... 中的对应类型 Vistd::decay<Ti>::type,除非应用 std::decay 会导致 std::reference_wrapper<X>(对于某个类型 X),在这种情况下,推断出的类型为 X&

内容

[编辑] 参数

args - 用于构建元组的零个或多个参数

[编辑] 返回值

一个包含给定值的 std::tuple 对象,创建方式如同使用 std::tuple<VTypes...>(std::forward<Types>(t)...).

[编辑] 可能的实现

template <class T>
struct unwrap_refwrapper
{
    using type = T;
};
 
template <class T>
struct unwrap_refwrapper<std::reference_wrapper<T>>
{
    using type = T&;
};
 
template <class T>
using unwrap_decay_t = typename unwrap_refwrapper<typename std::decay<T>::type>::type;
// or use std::unwrap_ref_decay_t (since C++20)
 
template <class... Types>
constexpr // since C++14
std::tuple<unwrap_decay_t<Types>...> make_tuple(Types&&... args)
{
    return std::tuple<unwrap_decay_t<Types>...>(std::forward<Types>(args)...);
}

[编辑] 示例

#include <iostream>
#include <tuple>
#include <functional>
 
std::tuple<int, int> f() // this function returns multiple values
{
    int x = 5;
    return std::make_tuple(x, 7); // return {x,7}; in C++17
}
 
int main()
{
    // heterogeneous tuple construction
    int n = 1;
    auto t = std::make_tuple(10, "Test", 3.14, std::ref(n), n);
    n = 7;
    std::cout << "The value of t is ("
              << std::get<0>(t) << ", "
              << std::get<1>(t) << ", "
              << std::get<2>(t) << ", "
              << std::get<3>(t) << ", "
              << std::get<4>(t) << ")\n";
 
    // function returning multiple values
    int a, b;
    std::tie(a, b) = f();
    std::cout << a << ' ' << b << '\n';
}

输出

The value of t is (10, Test, 3.14, 7, 1)
5 7

[编辑] 另请参阅

(C++11)
创建一个左值引用的 tuple 或将元组解包到各个对象中
(函数模板) [编辑]
创建一个包含 转发引用的tuple
(函数模板) [编辑]
(C++11)
通过连接任意数量的元组创建一个 tuple
(函数模板) [编辑]
(C++17)
使用元组参数调用函数
(函数模板) [编辑]