在 C++ 中的函数内调用函数
本文将介绍几种在 C++ 中如何在函数内调用函数的方法。
C++ 中的函数调用机制
调用函数需要计算其参数的值,这些参数的值放在本地范围内。由于函数主体中通常包含局部变量,因此需要有一个新的存储空间,称为堆栈框架。如果涉及强制转换操作,则将函数参数复制或引用为具有相应名称的参数,并对其进行转换。完成前面的步骤后,将执行功能块中的语句,直到遇到 return
为止。return
语句强制将控制流返回给调用函数。此时,将丢弃自动分配的堆栈帧,并从调用者代码继续进行控制。
这些函数具有返回类型,该返回类型定义应传递给调用者代码的对象的类型。我们可以有一个不返回任何值并以 void
类型表示的函数。如果函数具有有效的返回类型,我们可以链接多个函数调用,如以下示例代码所示。注意,内部的 addTwoInts
首先被执行,返回的值作为其参数之一传递给外部的 addTwoInts
。
#include <iostream>
using std::cout; using std::cin;
using std::endl; using std::string;
int addTwoInts(int i, int j) { return i + j; }
int main() {
cout << "2 + 1 + -3 = " << addTwoInts(addTwoInts(2, 1), -3) << endl;
cout << "(10 + 10) + (11 + -11) = " << addTwoInts(addTwoInts(10, 10), addTwoInts(11, -11)) << endl;
cout << "(12 + -9) + 10) + -11) = " << addTwoInts(addTwoInts(addTwoInts(12, -9), 10),-11) << endl;
return EXIT_SUCCESS;
}
使用 return
语句在 C++ 中的函数内调用函数
在函数中调用函数的另一种有用方法是利用 return
语句。请注意,被调用的函数应具有一个返回值以适合该表示法,否则不进行编译。此外,如果 return
语句之后的唯一表达式是被调用方函数,则调用函数应具有相同的返回类型,如以下示例代码所示。
#include <iostream>
using std::cout; using std::cin;
using std::endl; using std::string;
int addTwoInts(int i, int j) { return i + j; }
int multiplyAccumulate(int i, int j)
{
return addTwoInts(i, i * j);
}
int main() {
cout << "multiplyAccumulate(1,2) = " << multiplyAccumulate(2, 2) << endl;
return EXIT_SUCCESS;
}
使用 std::pair
从 C++ 函数返回两个值
在某些情况下,该函数适合将多个值返回给调用函数。在这种情况下,可以利用 std::pair
结构将每个元素存储在相应的数据成员中并传递值。可以使用指向数组的指针或为给定问题提供足够功能的任何 STL 容器传递更多元素。
#include <iostream>
#include <vector>
using std::cout; using std::cin;
using std::endl; using std::string;
using std::vector;
std::pair<int, int> findMaxMin(vector<int> &arr)
{
std::pair<int, int> ret;
auto max = std::max_element(arr.begin(), arr.end());
auto min = std::min_element(arr.begin(), arr.end());
ret.first = arr.at(std::distance(arr.begin(), max));
ret.second = arr.at(std::distance(arr.begin(), min));
return ret;
}
int main() {
vector<int> array = { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };
auto ret = findMaxMin(array);
cout << "Maximum element is " << ret.first << ", Minimum is " << ret.second << endl;
return EXIT_SUCCESS;
}
Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.
LinkedIn