我正在学习C ++并且发现了一些我想要理解的奇怪内容(请参阅代码第5行的评论):
#include <iostream>
using namespace std;
// WITH this forward decleration the output is A=1 and B=2
// WITHOUT this forward decleration the output is A=2 and B=1
// WHY??
void swap(int a, int b);
int main() {
int a = 1;
int b = 2;
swap(a, b);
cout << "A: " << a << endl;
cout << "B: " << b << endl;
system("PAUSE");
return 0;
}
void swap(int a, int b) {
int tmp = a;
a = b;
b = tmp;
}
有人能解释一下这种行为吗?我认为默认情况下,除非你在函数参数前面使用amperstand(&amp;),否则c ++会按值传递:
function swap(int &a, int &b) {
答案 0 :(得分:4)
swap
的实现在函数中本地交换值,因为它的参数是按值传递的。它不会改变调用函数中的任何内容。
当你没有那个函数声明时,会使用std::swap
,这是正确的。
答案 1 :(得分:2)
首先,你的交换函数不会交换原始参数。它交换了退出函数后将被销毁的原始参数的副本。如果你希望函数确实交换原始参数,那么参数必须声明为引用
void swap(int &a, int &b) {
int tmp = a;
a = b;
b = tmp;
}
当程序中没有函数的前向声明时,编译器似乎选择交换原始参数的标准函数std::swap
。由于using指令
std::swap
using namepsace std;
如果删除它并删除函数的前向声明,则编译器将发出错误。
当你的函数的前向声明存在时,编译器选择你的函数,因为它是非模板函数的最佳匹配。