在 C++ 中返回一个指针
本文将解释几种如何从 C++ 函数中返回指针的方法。
使用 std::string::data
函数从 C++ 中的函数返回指针
函数返回类型通常分为三类:值,引用或指针。他们都有自己的最佳用例,在这些情况下
在这些情况下,性能会得到最大的发挥。通常,在 C 语言中,从函数返回指针在 C 语言中更为常见,因为 C++ 提供了更雄辩的概念-使用函数进行传递和返回而不复制对象的引用。尽管在某些情况下可能会更好地利用指针,但是我们还是演示一些如何为不同数据结构返回指针值的示例。
在下面的示例代码中,我们实现一个函数,该函数引用 std::string
,并返回 char*
,这是基础数据类型。注意,std::string
类用于包含连续存储的 char
序列。我们可以使用 data()
内置函数检索指向序列中第一个字符的指针,并在 return
语句之后传递。最后,我们可以根据需要使用返回的指针对 char
数组进行操作。
#include <iostream>
#include <algorithm>
#include <iterator>
using std::cout; using std::endl;
using std::string; using std::reverse;
char *reverseString(string &s) {
reverse(s.begin(), s.end());
return s.data();
}
int main() {
string str = "This string shall be reversed";
cout << str << endl;
cout << reverseString(str) << endl;
return EXIT_SUCCESS;
}
输出:
This string shall be reversed
desrever eb llahs gnirts sihT
在 C++ 中使用 &variable
地址符号从函数中返回指针
&
地址运算符的源于 C 语言,C++ 中也使用相同的语义-在其后获取对象的内存地址。但是请注意,当 operator&
被重载时,它的行为略有不同(请参阅页面)。在这种情况下,我们演示一个函数,该函数将数组作为其参数之一,并将指针返回到同一数组。由于指向数组对象的指针与指向数组第一个元素的指针相同,因此我们可以使用以下表示法-&arr[0](https://en.cppreference.com/w/cpp/memory/addressof)
返回给定数组的地址。
#include <iostream>
#include <algorithm>
#include <iterator>
using std::cout; using std::endl;
using std::string; using std::reverse;
int *subtructArray(int arr[], size_t size, int subtrahend)
{
for (size_t i = 0; i < size; ++i) {
arr[i] -= subtrahend;
}
return &arr[0];
}
int main() {
int c_array[] = {1, 2, 3, 4, 5, 6, 7, 8, 9, 10};
int num = 3;
auto arr_size = sizeof c_array / sizeof c_array[0];
int *ptr = subtructArray(c_array, arr_size, num);
cout << "c_array = [ ";
for (int i = 0; i < arr_size; ++i) {
cout << ptr[i] << ", ";
}
cout << "\b\b ]" << endl;
return EXIT_SUCCESS;
}
输出:
c_array = [ -2, -1, 0, 1, 2, 3, 4, 5, 6, 7 ]
或者,可以仅使用功能块中引用数组的变量名来重写先前的代码。请注意,即使函数将 int arr[]
作为参数,编译器也不会复制下面的数组,而是将指针传递给它。我们可以将 arr
名称传递给 return
语句,指针将被返回。
#include <iostream>
#include <algorithm>
#include <iterator>
using std::cout; using std::endl;
using std::string; using std::reverse;
int *subtructArray(int arr[], size_t size, int subtrahend)
{
for (size_t i = 0; i < size; ++i) {
arr[i] -= subtrahend;
}
return arr;
}
int main() {
int c_array[] = {1, 2, 3, 4, 5, 6, 7, 8, 9, 10};
int num = 3;
auto arr_size = sizeof c_array / sizeof c_array[0];
int *ptr = subtructArray(c_array, arr_size, num);
cout << "c_array = [ ";
for (int i = 0; i < arr_size; ++i) {
cout << ptr[i] << ", ";
}
cout << "\b\b ]" << endl;
return EXIT_SUCCESS;
}
输出:
c_array = [ -2, -1, 0, 1, 2, 3, 4, 5, 6, 7 ]
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