Please note, this is a STATIC archive of website www.w3resource.com from 19 Jul 2022, cach3.com does not collect or store any user information, there is no "phishing" involved.
w3resource

C++ Sorting and Searching Exercise: Sort the values of three variables which contain any value

C++ Sorting: Exercise-1 with Solution

Write a C++ program to sort the values of three variables which contain any value (numbers and/or literals).

Sample Solution:

C++ Code :

 //Ref: https://bit.ly/2rcvXK5
#include <iostream>
#include <string>
#include <vector>
template < class T >
void sort3var( T& x, T& y, T& z) {
    std::vector<T> v;
    v.push_back( x ); v.push_back( y ); v.push_back( z );
    bool b = true;
    while( b ) {
        b = false;
        for( size_t i = 0; i < v.size() - 1; i++ ) {
            if( v[i] > v[i+1] ) {
                T t = v[i];
                v[i] = v[i + 1];
                v[i + 1] = t;
                b = true;
            }
        }
    }
    x = v[0]; y = v[1]; z = v[2];
}
int main(int argc, char* argv[]) {
    int x = 2539, y = 0, z = -2560;
    sort3var( x, y, z );
    std::cout << x << "\n" << y << "\n" << z << "\n\n";
 
    std::string xstr, ystr, zstr;
    xstr = "abcd, ABC, xzy";
    ystr = "abc @ example . com!";
    zstr = "(from the \"Page of 123\")";
    sort3var( xstr, ystr, zstr );
    std::cout << xstr << "\n" << ystr << "\n" << zstr << "\n\n";
 
    float xnf = 100.3f, ynf = -36.5f, znf = 12.15f;
    sort3var( xnf, ynf, znf );
    std::cout << xnf << "\n" << ynf << "\n" << znf << "\n\n";
 
    return 0;
}

Sample Output:

-2560
0
2539

(from the "Page of 123")
abc @ example . com!
abcd, ABC, xzy

-36.5
12.15
100.3

Flowchart:

Flowchart: Sort the values of three variables which contain any value

C++ Code Editor:

Contribute your code and comments through Disqus.

Previous: C++ Sorting and Searching Exercises Home
Next: Write a C++ program to sort an array of positive integers using the Bead sort algorithm.

What is the difficulty level of this exercise?