Cpp - Write program to swap three numbers using reference

Requirements

Write program to swap three numbers using reference

Demo

#include <iostream>
  
void swap(int &x, int &y, int &z);

int main()/*from  w w  w.j  ava 2  s  .  co m*/
{
    int x = 5, y = 10, z = 13;
  
    std::cout << "Main. Before swap, x: " << x 
              << " y: " << y << " z: " << z << "\n";
    swap(x, y, z);
    std::cout << "Main. After swap, x: " << x 
              << " y: " << y << " z: " << z << "\n";
    return 0;
}
  
void swap(int &rx, int &ry, int &rz)
{
    int temp;
  
    std::cout << "Swap. Before swap, rx: " << rx 
              << " ry: " << ry << " rz: " << rz << "\n";
  
    temp = rx;
    rx = ry;
    ry = rz;
    rz = temp;
  
    std::cout << "Swap. After swap, rx: " << rx 
              << " ry: " << ry << " rz: " << rz << "\n";
}

Result

Related Exercise