std::sort se utiliza para ordenar los elementos presentes dentro de un contenedor. Una de las variantes de esto es std::partial_sort , que se usa para ordenar no todo el rango, sino solo una subparte de él.
Reorganiza los elementos en el rango [primero, último], de tal manera que los elementos antes del medio se ordenan en orden ascendente, mientras que los elementos después del medio se dejan sin ningún orden específico.
Se puede utilizar de dos formas como se muestra a continuación:
- Comparando elementos usando <:
Sintaxis:
Template void partial_sort (RandomAccessIterator first, RandomAccessIterator middle, RandomAccessIterator last); first: Random-Access iterator to the first element in the container. last: Random-Access iterator to the last element in the container. middle: Random-Access iterator pointing to the element in the range [first, last), that is used as the upper boundary for the elements to be sorted. Return Value: It has a void return type, so it does not return any value.
// C++ program to demonstrate the use of
// std::partial_sort
#include <iostream>
#include <vector>
#include <algorithm>
using
namespace
std;
int
main()
{
vector<
int
> v = { 1, 3, 1, 10, 3, 3, 7, 7, 8 }, i;
vector<
int
>::iterator ip;
// Using std::partial_sort
std::partial_sort(v.begin(), v.begin() + 3, v.end());
// Displaying the vector after applying
// std::partial_sort
for
(ip = v.begin(); ip != v.end(); ++ip) {
cout << *ip <<
" "
;
}
return
0;
}
Producción:
1 1 3 10 3 3 7 7 8
Aquí, solo los tres primeros elementos se ordenan del primero al medio, y aquí el primero es v.begin() y el medio es v.begin() + 3, y el resto no tiene ningún orden.
- Al comparar usando una función predefinida:
Sintaxis:
Template void partial_sort (RandomAccessIterator first, RandomAccessIterator middle, RandomAccessIterator last, Compare comp); Here, first, middle and last are the same as previous case. comp: Binary function that accepts two elements in the range as arguments, and returns a value convertible to bool. The value returned indicates whether the element passed as first argument is considered to go before the second in the specific strict weak ordering it defines. The function shall not modify any of its arguments. This can either be a function pointer or a function object. Return Value: It has a void return type, so it does not return any value.
// C++ program to demonstrate the use of
// std::partial_sort
#include <iostream>
#include <algorithm>
#include <vector>
using
namespace
std;
// Defining the BinaryFunction
bool
comp(
int
a,
int
b)
{
return
(a < b);
}
int
main()
{
vector<
int
> v = { 1, 3, 1, 10, 3, 3, 7, 7, 8 }, i;
vector<
int
>::iterator ip;
// Using std::partial_sort
std::partial_sort(v.begin(), v.begin() + 3, v.end(), comp);
// Displaying the vector after applying
// std::partial_sort
for
(ip = v.begin(); ip != v.end(); ++ip) {
cout << *ip <<
" "
;
}
return
0;
}
Producción:
1 1 3 10 3 3 7 7 8
Donde puede ser usado ?
- Encontrar el elemento más grande: Ya que, con std::partial_sort, podemos ordenar parcialmente el contenedor hasta la posición que queramos. Entonces, si solo ordenamos la primera posición y usamos un objeto de función , podemos encontrar el elemento más grande, sin tener que ordenar todo el contenedor.
// C++ program to demonstrate the use of
// std::partial_sort
#include <iostream>
#include <algorithm>
#include <vector>
using
namespace
std;
int
main()
{
vector<
int
> v = { 10, 45, 60, 78, 23, 21, 30 };
vector<
int
>::iterator ip;
// Using std::partial_sort
std::partial_sort(v.begin(), v.begin() + 1, v.end(),
greater<
int
>());
// Displaying the largest element after applying
// std::partial_sort
ip = v.begin();
cout <<
"The largest element is = "
<< *ip;
return
0;
}
Producción:
The largest element is = 78
- Encontrar el elemento más pequeño: similar a encontrar el elemento más grande, también podemos encontrar el elemento más pequeño en el contenedor en el ejemplo anterior.
// C++ program to demonstrate the use of
// std::partial_sort
#include <iostream>
#include <algorithm>
#include <vector>
using
namespace
std;
int
main()
{
vector<
int
> v = { 10, 45, 60, 78, 23, 21, 3 };
vector<
int
>::iterator ip;
// Using std::partial_sort
std::partial_sort(v.begin(), v.begin() + 1, v.end());
// Displaying the smallest element after applying
// std::partial_sort
ip = v.begin();
cout <<
"The smallest element is = "
<< *ip;
return
0;
}
Producción:
The smallest element is = 3
Punto a recordar:
- std::sort() vs std::partial_sort(): Algunos de ustedes podrían pensar que por qué estamos usando std::partial_sort, en su lugar podemos usar std::sort() para el rango limitado, pero recuerden, si use std::sort con un rango parcial, entonces solo los elementos dentro de ese rango serán considerados para ordenar, mientras que todos los demás elementos fuera del rango no serán considerados para este propósito, mientras que con std::partial_sort(), todos los elementos serán ser considerado para la clasificación.
// C++ program to demonstrate the use of
// std::partial_sort
#include <iostream>
#include <algorithm>
#include <vector>
using
namespace
std;
int
main()
{
vector<
int
> v = { 10, 45, 60, 78, 23, 21, 3 }, v1;
int
i;
v1 = v;
vector<
int
>::iterator ip;
// Using std::partial_sort
std::partial_sort(v.begin(), v.begin() + 2, v.end());
// Using std::sort()
std::sort(v1.begin(), v1.begin() + 2);
cout <<
"v = "
;
for
(i = 0; i < 2; ++i) {
cout << v[i] <<
" "
;
}
cout <<
"\nv1 = "
;
for
(i = 0; i < 2; ++i) {
cout << v1[i] <<
" "
;
}
return
0;
}
Producción:
v = 3 10 v1 = 10 45
Explicación: Aquí, aplicamos std::partial_sort en v y std::sort en v1, hasta la segunda posición. Ahora, puede comprender que std::sort ordenaba solo el elemento dentro del rango dado, mientras que shared_sort tomaba en consideración todo el contenedor, pero ordenaba solo las dos primeras posiciones.
Este artículo es una contribución de Mrigendra Singh . Si le gusta GeeksforGeeks y le gustaría contribuir, también puede escribir un artículo usando contribuya.geeksforgeeks.org o envíe su artículo por correo a contribuya@geeksforgeeks.org. Vea su artículo que aparece en la página principal de GeeksforGeeks y ayude a otros Geeks.
Escriba comentarios si encuentra algo incorrecto o si desea compartir más información sobre el tema tratado anteriormente.
Publicación traducida automáticamente
Artículo escrito por GeeksforGeeks-1 y traducido por Barcelona Geeks. The original can be accessed here. Licence: CCBY-SA