在C++中,布尔类型(bool)的传递方式与其他基本数据类型相同。你可以通过值传递、指针传递或引用传递来实现布尔类型的参数传递。
#include<iostream>
using namespace std;
void foo(bool b) {
cout << "Inside function: " << b << endl;
}
int main() {
bool value = true;
foo(value);
return 0;
}
#include<iostream>
using namespace std;
void foo(bool *b) {
cout << "Inside function: " << *b << endl;
}
int main() {
bool value = true;
foo(&value);
return 0;
}
#include<iostream>
using namespace std;
void foo(bool &b) {
cout << "Inside function: " << b << endl;
}
int main() {
bool value = true;
foo(value);
return 0;
}
注意:当使用引用传递时,函数内部对引用参数的修改会影响到原始变量。而值传递和指针传递不会影响到原始变量。