在 C++ 中通過引用傳遞指標
本文將演示有關如何在 C++ 中通過引用傳遞指標的多種方法。
使用&var
表示法通過引用傳遞物件
通常,引用為 C++ 中的物件定義了一個別名,並且必須在宣告過程中對其進行初始化。初始化的引用仍然繫結到給定的物件,它不能被重新繫結到其他物件。對引用的操作會修改繫結的物件本身。因此,它們是將引數傳遞給函式的常用方法。引用是首選方法,因為使用引用可以避免將物件隱式複製到被呼叫方函式範圍。下一個示例演示了 const
引用 std::vector
物件傳遞給在元素中搜尋給定值的函式。
#include <iostream>
#include <vector>
using std::cout; using std::vector;
using std::endl; using std::string;
void findInteger(const vector<int> &arr, int k) {
for (auto &i : arr) {
if (i == k) {
cout << "found - " << k << " in the array" << endl;
return;
}
}
cout << "couldn't find - " << k << " in the array" << endl;
}
int main() {
vector<int> vec = { 11, 21, 121, 314, 422, 4, 242};
findInteger(vec, rand() % 100);
return EXIT_SUCCESS;
}
輸出:
couldn t find - 83 in the array
使用*&var
表示法通過引用將指標傳遞給物件
另一方面,我們可以使用*&var
表示法通過引用該函式來傳遞指標。指標本身就是物件。可以分配或複製它,以將對引用的引用作為函式引數傳遞給指標。在這種情況下,&
符號是引用符號,而不是用於檢索指向物件在記憶體中位置的指標的地址運算子。注意,應該使用標準指標取消引用運算子*
訪問傳遞的物件的值。下面的示例程式碼將給定字串物件的 ASCII 值列印到 cout
流中。
#include <iostream>
#include <vector>
using std::cout; using std::vector;
using std::endl; using std::string;
void printASCII(string *&str) {
for (auto &i : *str) {
cout << (int)i << ", ";
}
cout << endl;
}
int main() {
auto str = new string("Arbitrary string");
printASCII(str);
return EXIT_SUCCESS;
}
輸出:
65, 114, 98, 105, 116, 114, 97, 114, 121, 32, 115, 116, 114, 105, 110, 103,
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