嵌套作用域中的变量何时从内存中销毁?
void main() {
int x=5;
{
int x= 6;
cout<<x;
}
cout<<x;
}
输出是 6, 5。
我的问题是:当将 x 赋值给 6 时,它为它保留了一个内存单元,然后进入这里的嵌套块(旧的 x 被破坏了!或者它如何为同一个变量定义两个变量)姓名?
void main() {
int x=5;
{
int x= 6;
cout<<x;
}
cout<<x;
}
the output is 6, 5.
My question is: when Assign x to 6, it reserved a memory cell for it, and then entered the nested block here( the old x is destroyed!! Or how it can defined two variables for the same name?
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(1)
您的示例中的两个
x
存在于不同的作用域中。当您定义内部x
时,它会在外部范围中隐藏x
。请参阅下面给出的程序中的注释。此外,内部作用域 x 会在该作用域结束时被销毁。而且,内部作用域
x
和外部作用域x
在内存中占用不同的地址。上述程序的输出为
65
,可以在此处查看。另外,请注意,
void main()
不是标准 C++,您应该将其替换为int main()
,如上面的代码片段所示。The two
x
in your example exists in different scopes. When you defined the innerx
, it hides thex
from outer scope. See the comments in the below given program.Also, the inner scope
x
is destroyed when that scope ends. Moreover, the inner scopex
and outer scopex
occupy different addresses in memory.The output of the above program is
65
which can be seen here.Additionally, note that
void main()
is not standard C++, you should instead replace it withint main()
as shown in my above snippet.