Szukaj…


Tworzenie pary i dostęp do elementów

Para pozwala traktować dwa obiekty jako jeden obiekt. Pary można łatwo zbudować za pomocą funkcji szablonu std::make_pair .

Alternatywnym sposobem jest utworzenie pary i przypisanie jej elementów ( first i second ) później.

#include <iostream>
#include <utility>

int main()
{
    std::pair<int,int> p = std::make_pair(1,2); //Creating the pair
    std::cout << p.first << " " << p.second << std::endl; //Accessing the elements




    //We can also create a pair and assign the elements later
    std::pair<int,int> p1;
    p1.first = 3;
    p1.second = 4;
    std::cout << p1.first << " " << p1.second << std::endl;

    //We can also create a pair using a constructor
    std::pair<int,int> p2 = std::pair<int,int>(5, 6);
    std::cout << p2.first << " " << p2.second << std::endl;

    return 0;
}

Porównaj operatorów

Parametry tych operatorów to lhs i rhs

  • operator== sprawdza, czy oba elementy na parze lhs i rhs są równe. lhs.first == rhs.first wartość jest true jeśli oba lhs.first == rhs.first AND lhs.second == rhs.second , w przeciwnym razie false
std::pair<int, int> p1 = std::make_pair(1, 2);
std::pair<int, int> p2 = std::make_pair(2, 2);

if (p1 == p2)
    std::cout << "equals";
else
    std::cout << "not equal"//statement will show this, because they are not identical
  • operator!= sprawdza, czy którykolwiek element pary lhs i rhs nie jest równy. lhs.first != rhs.first wartość jest true jeśli albo lhs.first != rhs.first LUB lhs.second != rhs.second , w przeciwnym razie zwróci false .

  • operator< sprawdza, czy lhs.first<rhs.first , zwraca true . W przeciwnym razie, jeśli rhs.first<lhs.first zwraca false . W przeciwnym razie, jeśli lhs.second<rhs.second zwraca true , w przeciwnym razie zwraca false .

  • operator<= zwraca !(rhs<lhs)

  • operator> zwraca rhs<lhs

  • operator>= zwraca !(lhs<rhs)

    Kolejny przykład z pojemnikami z parami. Używa operator< ponieważ musi sortować kontener.

#include <iostream>
#include <utility>
#include <vector>
#include <algorithm>
#include <string>
 
int main()
{
    std::vector<std::pair<int, std::string>> v = { {2, "baz"},
                                                   {2, "bar"},
                                                   {1, "foo"} };
    std::sort(v.begin(), v.end());
 
    for(const auto& p: v) {
        std::cout << "(" << p.first << "," << p.second << ") ";
        //output: (1,foo) (2,bar) (2,baz)
    }
}


Modified text is an extract of the original Stack Overflow Documentation
Licencjonowany na podstawie CC BY-SA 3.0
Nie związany z Stack Overflow