Contenido del Curso
Introducción a C++
Introducción a C++
Instrucción de Retorno en Funciones
La instrucción return termina la ejecución de una función y devuelve un valor de un tipo predefinido.
function
int func() // int - predefined { int variable = 10; return variable; // variable = 10 }
Si el tipo se especifica incorrectamente, la función se comportará de manera impredecible.
main
#include <iostream> unsigned short func() { return -10; } //The unsigned short data type has no negative values. int main() { std::cout << func() << std::endl; }
Es decir, antes de crear una función, se debe especificar el tipo de datos que devuelve. Además, en C++, existen las funciones void especiales. Las funciones de este tipo de datos tienen permitido no devolver nada:
first_example
second_example
#include <iostream> void voidFunction() { std::cout << "It's void function!" << std::endl; //function without return } int main() { voidFunction(); }
Puede haber múltiples retornos dentro de funciones y cada uno se activará solo bajo ciertas condiciones.
main
#include <iostream> int func() { int a = 50; int b = 6; if (a > b) //if a > b, func will return a { return a; } else //otherwise func will return b { return b; } } int main() { std::cout << func() << std::endl; //func calling }
Si hay dos retornos, la segunda función de retorno será ignorada:
main
#include <iostream> int func() { int a = 50; int b = 6; return a; return b; } int main() { std::cout << func() << std::endl; //func calling }
¡Gracias por tus comentarios!