在 C++ 中从指向向量的指针访问成员函数
本文将介绍几种在 C++ 中如何从指向向量的指针访问成员函数的方法。
使用 ->
记法从指针访问向量的成员函数
->
运算符可以从指向向量的指针调用 vector
成员函数。在这种情况下,我们是把指向向量的指针传递给了一个不同的函数。作为成员函数,结构体/类的任何数据成员都需要使用 ->
符号来访问。需要注意的是,将对象的指针传递给不同的函数时,应在变量前使用运算符的地址(&
)。
#include <iostream>
#include <vector>
using std::cout; using std::cin;
using std::endl; using std::string;
using std::vector;
template<typename T>
void printVectorElements(vector<T> *vec)
{
for (auto i = 0; i < vec->size(); ++i) {
cout << vec->at(i) << "; ";
}
cout << endl;
}
int main() {
vector<string> str_vec = {"bit", "nibble",
"byte", "char",
"int", "long",
"long long", "float",
"double", "long double"};
printVectorElements(&str_vec);
return EXIT_SUCCESS;
}
输出:
bit; nibble; byte; char; int; long; long long; float; double; long double;
使用 (*)vector.member
符号从指向向量的指针访问成员函数
访问指针所指向的值时,使用了解引用(dereference)操作,可以在功能上替代 ->
运算符,提高可读性。(*vec).at(i)
表达式基本上也可以完成成员访问的操作。注意,我们使用的是可以打印通用类型元素的向量的函数模板。
#include <iostream>
#include <vector>
using std::cout; using std::cin;
using std::endl; using std::string;
using std::vector;
template<typename T>
void printVectorElements(vector<T> *vec)
{
for (auto i = 0; i < (*vec).size(); ++i) {
cout << (*vec).at(i) << "; ";
}
cout << endl;
}
int main() {
vector<string> str_vec = {"bit", "nibble",
"byte", "char",
"int", "long",
"long long", "float",
"double", "long double"};
printVectorElements(&str_vec);
return EXIT_SUCCESS;
}
输出:
bit; nibble; byte; char; int; long; long long; float; double; long double;
另外,假设向量的指针是用 new
函数调用分配的,而变量没有传递给不同的函数。在这种情况下,可以选择上述任何一种符号。在下面的例子中,我们用 ->
运算符来演示向量元素的迭代和输出操作。
#include <iostream>
#include <vector>
using std::cout; using std::cin;
using std::endl; using std::string;
using std::vector;
template<typename T>
void printVectorElements(vector<T> *vec)
{
for (auto i = 0; i < vec->size(); ++i) {
cout << vec->at(i) << "; ";
}
cout << endl;
}
int main() {
auto *i_vec = new vector<int>(10);
printVectorElements(i_vec);
for (int i = 0; i < 10; ++i) {
i_vec->at(i) = i + 1;
cout << i_vec->at(i) << "; ";
}
cout << endl;
return EXIT_SUCCESS;
}
输出:
0; 0; 0; 0; 0; 0; 0; 0; 0; 0;
1; 2; 3; 4; 5; 6; 7; 8; 9; 10;
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