Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Does C++ provide a "triple" template, comparable to pair<T1, T2>? [duplicate]

Tags:

c++

stl

std-pair

Does C++ have anything like std::pair but with 3 elements?

For example:

#include <triple.h>
triple<int, int, int> array[10];

array[1].first = 1;
array[1].second = 2;
array[1].third = 3;
like image 848
user3432317 Avatar asked May 13 '14 17:05

user3432317


3 Answers

You might be looking for std::tuple:

#include <tuple>

....

std::tuple<int, int, int> tpl;

std::get<0>(tpl) = 1;
std::get<1>(tpl) = 2;
std::get<2>(tpl) = 3;
like image 85
juanchopanza Avatar answered Sep 29 '22 18:09

juanchopanza


Class template std::tuple is a fixed-size collection of heterogeneous values, available in standard library since C++11. It is a generalization of std::pair and presented in header

#include <tuple>

You can read about this here:

http://en.cppreference.com/w/cpp/utility/tuple

Example:

#include <tuple>

std::tuple<int, int, int> three;

std::get<0>( three) = 0;
std::get<1>( three) = 1;
std::get<2>( three) = 2;
like image 40
4pie0 Avatar answered Sep 29 '22 18:09

4pie0


No, there isn't.

You can however use a tuple or a "double pair" (pair<pair<T1,T2>,T3>). Or - obviously - write the class yourself (which shouldn't be hard).

like image 33
Paweł Stawarz Avatar answered Sep 29 '22 20:09

Paweł Stawarz