我必须访问在其他函数中声明的变量。
假设f1()
void f1()
{
double a;
int b;
//some operations
}
和f2()
void f2()
{
//some operations
//access a and b from f1()
}
在 c++ 中是可能的吗?怎么能做到这一点呢?
将此处所示的函数引用传递给我的情况不适合答案,因为这会破坏调用函数的顺序。声明全局变量也被拒绝。
在C++中,无法访问该函数范围之外的本地声明的函数变量。简而言之,您在这里要求的内容:
我必须访问在另一个函数中声明的变量。
根本不可能。任何你尝试的东西似乎允许你这样做都是未定义的行为。
您可以做的是将"f1"和"f2"转换为类的方法,并将double a
和int b
作为成员数据状态:
class c1
{
double a;
int b;
public:
void f1();
void f2();
};
void c1::f1()
{
// f1 can access a and b.
//some operations
}
void c1::f2()
{
// f2 can see the changes made to a and b by f1
}
这满足了您的两个要求。即:
- 不使用全局变量。
- 没有参数引用传递到相关方法中。
听起来你想从f1
以外的其他地方呼叫f2
,例如
void foo() { f1(); f2(); }
如果是这种情况:这些变量在调用f2
时甚至不存在,因此无法访问任何内容。
(而且你把范围误认为是终身的。这些是非常不同的事情。
您可以做的一件事是通过引用将变量传递给需要它们的所有函数。
void f1(double& a, int& b);
void f2(double& a, int& b);
void foo()
{
double x;
int y;
f1(x, y);
f2(x, y);
}
你能做的和巨狼建议的类似。可以在函数中使用类声明。这具有以下目的:您可以定义一个仅在当前作用域中可用的函数,因此在该作用域之外不可访问,并且该函数可以访问该作用域内的变量,就好像它们是全局变量一样。该类也仅在当前作用域中定义。
void MyVeryComplicatedFunction
{
int A;
class localvars
{
public:
int *ARef; // this serves as the "Global" variables
std::vector<int> B; // this serves as the "Global" variables
localvars(int *inA) ARef(inA);
void RepetativeOperation(int C) {
(*ARef) += C;
B.push_back(C);
}
}localvars(A);
localvars.B.push_back(4);
A = 3;
localvars.RepetativeOperation(2);
localvars.RepetativeOperation(4);
localvars.RepetativeOperation(8);
printf("A = %d, B[3] = %d", A, localvars.B[3]);
}
#include<iostream>
using namespace std;
class c1 {
string a;
string b;
public:
void f1();
void f2();
};
void c1::f1() {
cin >> a;
cin >> b;
f2();
}
void c1::f2() {
cout << "vals are: " << a << b;
}