我正在使用代码来理解 c++ 中的内部和外部链接。我想出了代码,其输出似乎根据链接的顺序而有所不同。
测试1.cpp
#include<iostream>
using namespace std;
inline int c()
{
static int p=0;
p++;
return p;
}
void a()
{
cout<<"\nIn function a() , c = "<<c();
}
测试2.cpp
#include<iostream>
using namespace std;
inline int c()
{
static int p=12;
p++;
return p;
}
void b()
{
cout<<"\nIn function b() , c = "<<c();
}
驱动程序.cpp
#include<iostream>
using namespace std;
void a();
void b();
int c();
int main()
{
b();
a();
a();
b();
cout<<"\nIn function main() = , c "<< c();
cout<<"\n";
}
输出1:-
when compiles as follows :-
bash#>g++ -c test1.cpp
bash#>g++ -c test2.cpp
bash#>g++ -c driver.cpp
bash#>g++ -o out driver.o test1.o test2.o
bash#>./out
In function b() , c = 1
In function a() , c = 2
In function a() , c = 3
In function b() , c = 4
IN main() , c = 5
在上面的输出中,编译器正在考虑在 test1.cpp 中定义的 c()
输出 2:- 在链接时更改 test1.o 和 test2.o 的顺序。
bash#>g++ -o out driver.o test2.o test1.o
In function b() , c = 13
In function a() , c = 14
In function a() , c = 15
In function b() , c = 16
IN main() , c = 17
在上面的输出中,编译器正在考虑在 test2.cpp 中定义的 c()
当我对代码进行细微更改时,我感到很困惑,如下所示:-
1)如果我不调用函数 a() [test1.cpp] 中的 c() 和函数 b()[test2.cpp] 中的 c()。 cp]
//test1.cpp changes
void a()
{
cout<<"\nIn function a() , c = "; // not calling c()
}
//test2.cpp changes
void b()
{
cout<<"\nIn function b() , c = "; // not calling c()
}
链接时出现以下错误:-
bash#>g++ -o out driver.o test1.o test2.o
driver.o: In function `main':
driver.cpp:(.text+0x1f): undefined reference to `c()'
collect2: ld returned 1 exit status
2)如果我在任何一个文件中调用 c() ,即在 test1.cpp 或 test2.cpp 中,那么我不会得到链接器错误。
谁能帮助我理解这种行为。
提前致谢。